@accounter/gmail-listener 0.1.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -0,0 +1 @@
1
+ {"version":3,"sources":["../src/environment.ts","../src/gmail-service.ts","../src/server-requests.ts","../src/gql/graphql.ts","../src/gql/gql.ts","../src/troubleshoot-auth.ts","../src/pubsub-service.ts","../src/index.ts"],"sourcesContent":["import { config as dotenv } from 'dotenv';\nimport zod from 'zod';\n\ndotenv();\n\nconst AuthorizationModel = zod.object({\n GMAIL_LISTENER_API_KEY: zod.string(),\n});\n\nconst GmailModel = zod.object({\n GMAIL_CLIENT_ID: zod.string(),\n GMAIL_CLIENT_SECRET: zod.string(),\n GMAIL_REFRESH_TOKEN: zod.string(),\n GMAIL_LABEL_PATH: zod.string().optional(),\n GOOGLE_CLOUD_PROJECT_ID: zod.string(),\n GOOGLE_APPLICATION_CREDENTIALS: zod.string(),\n PUBSUB_TOPIC: zod.string().optional(),\n PUBSUB_SUBSCRIPTION: zod.string().optional(),\n});\n\nconst GeneralModel = zod.object({\n SERVER_URL: zod.url(),\n});\n\nconst configs = {\n authorization: AuthorizationModel.safeParse(process.env),\n gmail: GmailModel.safeParse(process.env),\n general: GeneralModel.safeParse(process.env),\n};\n\nconst environmentErrors: Array<string> = [];\n\nfor (const config of Object.values(configs)) {\n if (config.success === false) {\n environmentErrors.push(JSON.stringify(config.error.format(), null, 4));\n }\n}\n\nif (environmentErrors.length) {\n const fullError = environmentErrors.join(`\\n`);\n console.error('[env] Invalid environment variables:', fullError);\n process.exit(1);\n}\n\nfunction extractConfig<Output>(config: zod.ZodSafeParseResult<Output>): Output {\n if (!config.success) {\n throw new Error('Something went wrong.');\n }\n return config.data;\n}\n\nconst authorization = extractConfig(configs.authorization);\nconst gmail = extractConfig(configs.gmail);\nconst general = extractConfig(configs.general);\n\nexport const env = {\n authorization: {\n apiKey: authorization.GMAIL_LISTENER_API_KEY,\n },\n gmail: {\n clientId: gmail.GMAIL_CLIENT_ID,\n clientSecret: gmail.GMAIL_CLIENT_SECRET,\n refreshToken: gmail.GMAIL_REFRESH_TOKEN,\n labelPath: gmail.GMAIL_LABEL_PATH?.replace(/\\/$/, '') || 'accounter/documents', // Default label if not specified\n cloudProjectId: gmail.GOOGLE_CLOUD_PROJECT_ID,\n appCredentials: gmail.GOOGLE_APPLICATION_CREDENTIALS,\n topicName: gmail.PUBSUB_TOPIC || 'gmail-notifications',\n subscriptionName: gmail.PUBSUB_SUBSCRIPTION || 'gmail-notifications-sub',\n },\n general: {\n serverUrl: general.SERVER_URL,\n },\n} as const;\n\nexport type Environment = typeof env;\n","import { google, type gmail_v1 } from 'googleapis';\nimport inlineCss from 'inline-css';\nimport { Browser, chromium } from 'playwright';\nimport { Environment } from './environment.js';\nimport type { EmailAttachmentType } from './gql/graphql.js';\nimport { getServer } from './server-requests.js';\nimport { troubleshootOAuth } from './troubleshoot-auth.js';\nimport type { EmailData, EmailDocument, Labels, Server } from './types.js';\n\nexport class GmailService {\n private gmailEnv: Environment['gmail'];\n private targetLabel: string;\n public labelsDict: Record<Labels, string | undefined> = {\n main: undefined,\n processed: undefined,\n errors: undefined,\n debug: undefined,\n };\n public gmail: gmail_v1.Gmail;\n private server: Server;\n\n constructor(private env: Environment) {\n this.gmailEnv = this.env.gmail!;\n this.targetLabel = this.gmailEnv.labelPath;\n\n const oauth2Client = new google.auth.OAuth2(this.gmailEnv.clientId, this.gmailEnv.clientSecret);\n\n oauth2Client.setCredentials({\n refresh_token: this.gmailEnv.refreshToken,\n });\n oauth2Client.getAccessToken();\n\n this.gmail = google.gmail({ version: 'v1', auth: oauth2Client });\n\n this.server = getServer();\n }\n\n /* labels */\n\n private async getLabelId(labelName: string): Promise<string | null> {\n try {\n const response = await this.gmail.users.labels.list({ userId: 'me' });\n const label = response.data.labels?.find(l => l.name === labelName);\n return label?.id || null;\n } catch (error) {\n console.error('Error fetching labels:', error);\n return null;\n }\n }\n\n private async createLabel(name: string): Promise<string> {\n const newLabel = await this.gmail.users.labels.create({\n userId: 'me',\n requestBody: {\n name,\n },\n });\n if (!newLabel.data.id) {\n throw new Error('Failed to create label');\n }\n return newLabel.data.id;\n }\n\n private async setupLabels() {\n const response = await this.gmail.users.labels.list({ userId: 'me' }).catch(err => {\n throw `Error fetching inbox labels: ${err}`;\n });\n const labels = response.data.labels ?? [];\n\n await Promise.all(\n Object.keys(this.labelsDict).map(async key => {\n try {\n const path = key === 'main' ? this.targetLabel : `${this.targetLabel}/${key}`;\n const existingLabel = labels.find(label => label.name === path);\n this.labelsDict[key as Labels] = existingLabel?.id ?? (await this.createLabel(path));\n } catch (e) {\n throw new Error(`Error creating new label [${key}]: ${e}`);\n }\n }),\n );\n }\n\n private async isMessageLabeledToProcess(messageId: string): Promise<boolean> {\n try {\n const labelId = await this.getLabelId(this.targetLabel);\n if (!labelId) return false;\n\n const message = await this.gmail.users.messages.get({\n userId: 'me',\n id: messageId,\n format: 'minimal',\n });\n\n return message.data.labelIds?.includes(labelId) || false;\n } catch (error) {\n console.error('Error checking labels:', error);\n throw new Error('Error checking message labels');\n }\n }\n\n private async labelMessageAsError(messageId: string) {\n await this.gmail.users.messages\n .modify({\n id: messageId,\n userId: 'me',\n requestBody: {\n addLabelIds: [this.labelsDict.errors],\n removeLabelIds: [this.labelsDict.main, this.labelsDict.processed, this.labelsDict.debug],\n },\n } as gmail_v1.Params$Resource$Users$Messages$Modify)\n .catch(e => {\n console.error(`Error labeling email id=${messageId} as error: ${e}`);\n });\n }\n\n private async labelMessageAsProcessed(messageId: string) {\n await this.gmail.users.messages\n .modify({\n id: messageId,\n userId: 'me',\n requestBody: {\n addLabelIds: [this.labelsDict.processed],\n removeLabelIds: [this.labelsDict.main, this.labelsDict.errors, this.labelsDict.debug],\n },\n } as gmail_v1.Params$Resource$Users$Messages$Modify)\n .catch(e => {\n console.error(`Error labeling email id=${messageId} as processed: ${e}`);\n });\n }\n\n private async labelMessageAsDebug(messageId: string) {\n await this.gmail.users.messages\n .modify({\n id: messageId,\n userId: 'me',\n requestBody: {\n addLabelIds: [this.labelsDict.debug],\n removeLabelIds: [this.labelsDict.main, this.labelsDict.errors, this.labelsDict.processed],\n },\n } as gmail_v1.Params$Resource$Users$Messages$Modify)\n .catch(e => {\n console.error(`Error labeling email id=${messageId} as debug: ${e}`);\n });\n }\n\n /* documents handling */\n\n private async convertHtmlToPdf(rawHtml: string): Promise<Required<EmailDocument>> {\n let browser: Browser | null = null;\n try {\n browser = await chromium\n .launch({\n args: ['--no-sandbox', '--disable-setuid-sandbox'],\n })\n .catch(e => {\n throw new Error(`Error launching browser: ${e.message}`);\n });\n\n const page = await browser.newPage().catch(e => {\n throw new Error(`Error creating new page: ${e.message}`);\n });\n\n const html = await inlineCss(rawHtml, { url: '/' }).catch(e => {\n throw new Error(`Error inlining CSS: ${e.message}`);\n });\n\n await page\n .setContent(html, {\n waitUntil: 'networkidle', // Wait until all network requests are done\n })\n .catch(e => {\n throw new Error(`Error setting page content: ${e.message}`);\n });\n\n const rawPdf = await page.pdf().catch(e => {\n throw new Error(`Error generating PDF: ${e.message}`);\n });\n\n await browser.close();\n\n const content = Buffer.from(rawPdf).toString('base64url');\n\n return {\n filename: 'body.pdf',\n content,\n mimeType: 'application/pdf',\n };\n } catch (error) {\n const message = `Error converting HTML to PDF`;\n console.error(`${message}: ${error}`);\n throw new Error(message);\n } finally {\n // Ensure browser is closed in case of error\n await browser?.close();\n }\n }\n\n private getLinkFromBody(body: string, partialUrl: string): string | null {\n const regex = /<a\\s+(?:[^>]*?\\s+)?href=\"([^\"]*)\"/gi;\n let match;\n try {\n const partial = new URL(partialUrl);\n while ((match = regex.exec(body)) !== null) {\n const urlString = match[1];\n try {\n const fullUrl = new URL(urlString);\n if (fullUrl.hostname === partial.hostname) {\n return urlString;\n }\n } catch {\n // ignore invalid URLs in href\n }\n }\n } catch {\n // ignore invalid partialUrl\n }\n return null;\n }\n\n private async innerLinkDocumentFetcher(\n body: string,\n internalLink: string,\n ): Promise<Required<EmailDocument> | null> {\n try {\n const link = this.getLinkFromBody(body, internalLink);\n if (!link) {\n return null;\n }\n const response = await fetch(link);\n const contentType = response.headers.get('content-type');\n\n if (contentType?.includes('text/html')) {\n const html = await response.text();\n\n const doc = await this.convertHtmlToPdf(html);\n return doc;\n }\n\n if (contentType?.includes('application/pdf')) {\n const data = await response\n .arrayBuffer()\n .then(buffer => Buffer.from(buffer).toString('base64url'));\n\n if (!data) {\n return null;\n }\n\n return {\n filename: 'external.pdf',\n content: data,\n mimeType: 'application/pdf',\n };\n }\n\n console.error(`Unsupported content type from link ${link}: ${contentType}`);\n return null;\n } catch (e) {\n console.error(`Error fetching document from internal link ${internalLink}: ${e}`);\n return null;\n }\n }\n\n /* email parsing */\n\n private getBodyWithRecursion(payload: gmail_v1.Schema$MessagePart, mimeType: string) {\n let body = '';\n\n if (payload.parts) {\n for (const part of payload.parts) {\n body = this.getBodyWithRecursion(part, mimeType) || body;\n }\n } else if (\n payload.body?.data != null &&\n payload.body.attachmentId == null &&\n payload.mimeType === mimeType\n ) {\n body = Buffer.from(payload.body.data, 'base64').toString('utf8');\n }\n\n return body;\n }\n\n private getEmailBody(payload?: gmail_v1.Schema$MessagePart): string {\n if (!payload) return '';\n\n const htmlBody = this.getBodyWithRecursion(payload, 'text/html');\n if (htmlBody) {\n return htmlBody;\n }\n return this.getBodyWithRecursion(payload, 'text/plain');\n }\n\n private async getEmailAttachments(\n messageId: string,\n payload?: gmail_v1.Schema$MessagePart,\n ): Promise<EmailDocument[]> {\n if (!payload?.parts) return [];\n\n const attachments: EmailDocument[] = [];\n // handle relevant attachment\n const attachmentParts = payload.parts.filter(\n part =>\n part.mimeType === 'application/pdf' ||\n (part.mimeType === 'application/octet-stream' && part.filename?.includes('.pdf')) ||\n part.mimeType?.split('/')[0] === 'image',\n );\n if (attachmentParts.length) {\n for (const attachmentPart of attachmentParts) {\n const attachment = await this.gmail.users.messages.attachments\n .get({\n userId: 'me',\n messageId,\n id: attachmentPart.body?.attachmentId ?? undefined,\n })\n .catch(e => {\n throw `Error on fetching attachment: ${e.message}`;\n });\n\n attachments.push({\n filename: attachmentPart.filename ?? undefined,\n content: attachment.data.data ?? undefined,\n mimeType: attachmentPart.mimeType ?? undefined,\n });\n }\n }\n return attachments;\n }\n\n private extractEmailAddress(original: string): string {\n const match = original.match(/<(.+)>/);\n if (match?.[1]) {\n return match[1];\n }\n return original;\n }\n\n private async getEmailData(messageId: string): Promise<EmailData | null> {\n try {\n const response = await this.gmail.users.messages.get({\n userId: 'me',\n id: messageId,\n format: 'full',\n });\n\n const message = response.data;\n if (!message) {\n await this.labelMessageAsDebug(messageId);\n return null;\n }\n\n const headers = message.payload?.headers || [];\n let from = headers.find(h => h.name === 'From')?.value || '';\n\n if (from.includes(\"'SOFTWARE PRODUCTS GUILDA LTD'\")) {\n // skip self-issued-documents emails\n await this.labelMessageAsProcessed(messageId);\n return null;\n }\n\n if (from.includes('<')) {\n from = this.extractEmailAddress(from);\n }\n\n const replyTo = headers.find(h => h.name === 'Reply-To')?.value || undefined;\n\n const originalFrom =\n headers.find(h => h.name === 'X-Original-Sender')?.value ||\n this.extractEmailAddress(\n headers.find(h => h.name === 'X-Original-From')?.value || replyTo || '',\n );\n const to = this.extractEmailAddress(headers.find(h => h.name === 'To')?.value || '');\n const subject = headers.find(h => h.name === 'Subject')?.value || '';\n const date = headers.find(h => h.name === 'Date')?.value || '';\n const body = this.getEmailBody(message.payload);\n\n const emailData = {\n id: message.id!,\n threadId: message.threadId!,\n subject,\n from,\n originalFrom,\n replyTo,\n to,\n body,\n labels: message.labelIds || [],\n receivedAt: new Date(date),\n };\n\n const documents = await this.getEmailAttachments(messageId, message.payload);\n\n return { ...emailData, documents };\n } catch (error) {\n console.error('Error fetching email:', error);\n throw new Error('Error fetching email data');\n }\n }\n\n private getIssuerEmail(emailData: EmailData): string {\n // This regex looks for a mailto link inside an anchor tag\n // that appears after \"From:\".\n const regex = /From:.*?<a href=\"mailto:([^\"]+)\">/i;\n\n const invoiceIssuingProvidersEmail = ['notify@morning.co', 'c@sumit.co.il', 'ap@the-guild.dev'];\n\n const body = emailData.body;\n const bodyRows = body.split('\\n').map(row => row.trim());\n for (const row of bodyRows) {\n const match = row.match(regex);\n if (match?.[1]) {\n const email = decodeURIComponent(match[1]);\n if (!invoiceIssuingProvidersEmail.includes(email.toLowerCase()) || !emailData.replyTo) {\n return email;\n }\n }\n }\n\n const senderEmail = [emailData.originalFrom, emailData.from].find(\n email => !!email && !invoiceIssuingProvidersEmail.includes(email.toLowerCase()),\n );\n\n if (senderEmail) {\n return senderEmail;\n }\n if (emailData.replyTo) {\n return emailData.replyTo;\n }\n\n return emailData.from;\n }\n\n public async handleMessage(message?: gmail_v1.Schema$Message) {\n if (!message?.id) return;\n\n try {\n if (await this.isMessageLabeledToProcess(message.id)) {\n const emailData = await this.getEmailData(message.id);\n if (!emailData) {\n // dealt with in emailData\n return;\n }\n\n console.log('Processing email:', {\n subject: emailData.subject,\n from: emailData.from,\n id: emailData.id,\n });\n\n const issuerEmail = this.getIssuerEmail(emailData);\n const { businessEmailConfig } = await this.server\n .businessEmailConfig({\n email: issuerEmail,\n })\n .catch(e => {\n console.error(`Error fetching business email config for email ${issuerEmail}:`, e);\n throw new Error('Error fetching business email config');\n });\n\n const extractedDocuments: Array<Required<EmailDocument>> = [];\n\n // Attachments documents\n const relevantDocuments: Required<EmailDocument>[] = (emailData.documents ?? []).filter(\n doc => {\n if (!doc.content || !doc.mimeType) return false;\n\n if (businessEmailConfig?.attachments) {\n let docType = doc.mimeType.split('/')[1].toLocaleUpperCase();\n if (docType === 'OCTET-STREAM' && doc.filename?.includes('.pdf')) {\n doc.mimeType = 'application/pdf';\n docType = 'PDF';\n }\n if (!businessEmailConfig.attachments.includes(docType as EmailAttachmentType)) {\n return false; // skip this attachment as per config\n }\n }\n return true;\n },\n ) as Required<EmailDocument>[];\n\n for (const doc of relevantDocuments) {\n extractedDocuments.push(doc);\n }\n\n // Email body as PDF\n if (!businessEmailConfig?.businessId || businessEmailConfig?.emailBody === true) {\n const doc = await this.convertHtmlToPdf(emailData.body);\n extractedDocuments.push(doc);\n }\n\n // Extract documents from internal links\n if (businessEmailConfig?.internalEmailLinks?.length) {\n for (const link of businessEmailConfig.internalEmailLinks) {\n const doc = await this.innerLinkDocumentFetcher(emailData.body, link);\n if (doc) {\n extractedDocuments.push(doc);\n }\n }\n }\n\n if (extractedDocuments.length === 0) {\n console.log(`No relevant documents found in email id=${message.id}, skipping.`);\n await this.labelMessageAsDebug(message.id);\n return;\n }\n\n const userDescription = `Email documents: ${emailData.subject} (from: ${emailData.from}, ${emailData.receivedAt.toDateString()})`;\n const documents = extractedDocuments.map(\n doc =>\n new File([Buffer.from(doc.content, 'base64')], doc.filename, {\n type: doc.mimeType,\n }),\n );\n const { insertEmailDocuments } = await this.server\n .insertEmailDocuments({\n documents,\n userDescription,\n messageId: message.id ?? undefined,\n businessId: businessEmailConfig?.businessId,\n })\n .catch(e => {\n console.error(`Error sending documents to server for email id=${message.id}:`, e);\n throw new Error('Error sending documents to server');\n });\n if (!insertEmailDocuments) {\n throw new Error(`Server processing failed for email id=${message.id}`);\n }\n\n await this.labelMessageAsProcessed(message.id);\n }\n } catch (error) {\n console.error(`Error handling message id=${message.id}:`, error);\n await this.labelMessageAsError(message.id);\n }\n }\n\n public async handlePendingMessages(): Promise<boolean> {\n try {\n // Get recent messages\n const response = await this.gmail.users.messages.list({\n userId: 'me',\n maxResults: 1000,\n q: `in:${this.gmailEnv.labelPath}`,\n });\n\n const messages = response.data.messages || [];\n\n for (const message of messages) {\n await this.handleMessage(message);\n }\n\n return true;\n } catch (error) {\n console.error('Error fetching messages:', error);\n return false;\n }\n }\n\n public async init() {\n await troubleshootOAuth(this.gmailEnv);\n await this.setupLabels();\n }\n}\n","import type { ExecutionResult } from 'graphql';\nimport { fetch, FormData } from '@whatwg-node/fetch';\nimport { env } from './environment.js';\nimport {\n BusinessEmailConfigQuery,\n BusinessEmailConfigQueryVariables,\n InsertEmailDocumentsMutation,\n InsertEmailDocumentsMutationVariables,\n} from './gql/graphql.js';\nimport { graphql } from './gql/index.js';\n\nconst BusinessEmailConfig = graphql(`\n query BusinessEmailConfig($email: String!) {\n businessEmailConfig(email: $email) {\n businessId\n internalEmailLinks\n emailBody\n attachments\n }\n }\n`);\n\nconst InsertEmailDocuments = graphql(`\n mutation InsertEmailDocuments(\n $documents: [FileScalar!]!\n $userDescription: String!\n $messageId: String\n $businessId: UUID\n ) {\n insertEmailDocuments(\n documents: $documents\n userDescription: $userDescription\n messageId: $messageId\n businessId: $businessId\n )\n }\n`);\n\nasync function insertEmailDocuments(\n variables: Omit<InsertEmailDocumentsMutationVariables, 'documents'> & { documents: File[] },\n) {\n try {\n const formData = new FormData();\n\n const operations = {\n query: InsertEmailDocuments.toString(),\n variables: {\n ...variables,\n documents: variables.documents.map(() => null),\n },\n };\n\n const map = Object.fromEntries(\n variables.documents.map((_, i) => [String(i), [`variables.documents.${i}`]]),\n );\n\n formData.set('operations', JSON.stringify(operations));\n formData.set('map', JSON.stringify(map));\n\n for (let i = 0; i < variables.documents.length; i += 1) {\n const file = variables.documents[i];\n const fileBlob = new Blob([await file.arrayBuffer()], { type: file.type });\n formData.append(String(i), fileBlob, file.name);\n }\n\n const response = await fetch(env.general.serverUrl, {\n method: 'POST',\n headers: {\n 'X-API-Key': env.authorization.apiKey,\n Accept: 'application/graphql-response+json',\n },\n body: formData,\n });\n\n if (!response.ok) {\n throw new Error('Network response was not ok');\n }\n\n const result = (await response.json()) as ExecutionResult<InsertEmailDocumentsMutation>;\n\n if (result.errors) {\n console.error('GraphQL errors:', result.errors);\n throw new Error('Error inserting email documents');\n }\n\n if (!result.data) {\n throw new Error('No data returned from server');\n }\n\n return result.data;\n } catch (error) {\n console.error('Error executing GraphQL request with files:', error);\n throw error;\n }\n}\n\nconst businessEmailConfig = async (variables: BusinessEmailConfigQueryVariables) => {\n try {\n const response = await fetch(env.general.serverUrl, {\n method: 'POST',\n headers: {\n 'X-API-Key': env.authorization.apiKey,\n 'Content-Type': 'application/json',\n Accept: 'application/graphql-response+json',\n },\n body: JSON.stringify({\n query: BusinessEmailConfig.toString(),\n variables,\n }),\n });\n\n if (!response.ok) {\n throw new Error('Network response was not ok');\n }\n\n const result = (await response.json()) as ExecutionResult<BusinessEmailConfigQuery>;\n\n if (result.errors) {\n console.error('GraphQL errors:', result.errors);\n throw new Error('Error fetching business email config');\n }\n\n if (!result.data) {\n throw new Error('No data returned from server');\n }\n\n return result.data;\n } catch (error) {\n console.error('Error executing GraphQL request:', error);\n throw error;\n }\n};\n\nexport const getServer = () => {\n return {\n businessEmailConfig,\n insertEmailDocuments,\n };\n};\n","/* eslint-disable */\nimport type { DocumentTypeDecoration } from '@graphql-typed-document-node/core';\nexport type Maybe<T> = T | null;\nexport type InputMaybe<T> = T | null | undefined;\nexport type Exact<T extends { [key: string]: unknown }> = { [K in keyof T]: T[K] };\nexport type MakeOptional<T, K extends keyof T> = Omit<T, K> & { [SubKey in K]?: Maybe<T[SubKey]> };\nexport type MakeMaybe<T, K extends keyof T> = Omit<T, K> & { [SubKey in K]: Maybe<T[SubKey]> };\nexport type MakeEmpty<T extends { [key: string]: unknown }, K extends keyof T> = { [_ in K]?: never };\nexport type Incremental<T> = T | { [P in keyof T]?: P extends ' $fragmentName' | '__typename' ? T[P] : never };\n/** All built-in and custom scalars, mapped to their actual values */\nexport type Scalars = {\n ID: { input: string; output: string; }\n String: { input: string; output: string; }\n Boolean: { input: boolean; output: boolean; }\n Int: { input: number; output: number; }\n Float: { input: number; output: number; }\n /** BigInt */\n BigInt: { input: any; output: any; }\n /** Country Code */\n CountryCode: { input: any; output: any; }\n /** Date */\n DateTime: { input: any; output: any; }\n /** mock */\n DividendMock: { input: any; output: any; }\n /** File */\n FileScalar: { input: File; output: string; }\n /** Rate */\n Rate: { input: any; output: any; }\n /** Date with no time of day */\n TimelessDate: { input: any; output: any; }\n /** URL */\n URL: { input: any; output: any; }\n /** UUID */\n UUID: { input: string; output: string; }\n /** mock */\n VatMock: { input: any; output: any; }\n};\n\n/** Result payload returned after accepting an invitation */\nexport type AcceptInvitationPayload = {\n __typename?: 'AcceptInvitationPayload';\n businessId: Scalars['ID']['output'];\n roleId: Scalars['String']['output'];\n success: Scalars['Boolean']['output'];\n};\n\n/** represents accountant approval status for a charge */\nexport type AccountantApprovalStatus = {\n __typename?: 'AccountantApprovalStatus';\n approvedCount: Scalars['Int']['output'];\n pendingCount: Scalars['Int']['output'];\n totalCharges: Scalars['Int']['output'];\n unapprovedCount: Scalars['Int']['output'];\n};\n\n/** represents accountant approval status */\nexport const AccountantStatus = {\n Approved: 'APPROVED',\n Pending: 'PENDING',\n Unapproved: 'UNAPPROVED'\n} as const;\n\nexport type AccountantStatus = typeof AccountantStatus[keyof typeof AccountantStatus];\n/** Accounting method enum (שיטת חשבונאות) */\nexport const AccountingMethod = {\n /** Double-entry (כפולה) */\n DoubleEntry: 'DOUBLE_ENTRY',\n /** Single-entry (חד צידית) */\n SingleEntry: 'SINGLE_ENTRY'\n} as const;\n\nexport type AccountingMethod = typeof AccountingMethod[keyof typeof AccountingMethod];\n/** Business accounting system enum (הנח''ש של העסק) */\nexport const AccountingSystem = {\n /** Computerized (ממוחשב) */\n Computerized: 'COMPUTERIZED',\n /** Manual (ידני) */\n Manual: 'MANUAL'\n} as const;\n\nexport type AccountingSystem = typeof AccountingSystem[keyof typeof AccountingSystem];\n/** the input for adding a new business trip accommodation expense */\nexport type AddBusinessTripAccommodationsExpenseInput = {\n amount?: InputMaybe<Scalars['Float']['input']>;\n attendeesStay?: InputMaybe<Array<BusinessTripAttendeeStayInput>>;\n businessTripId: Scalars['UUID']['input'];\n country?: InputMaybe<Scalars['CountryCode']['input']>;\n currency?: InputMaybe<Currency>;\n date?: InputMaybe<Scalars['TimelessDate']['input']>;\n employeeBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n nightsCount?: InputMaybe<Scalars['Int']['input']>;\n valueDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n};\n\n/** the input for adding a new business trip T&S expense */\nexport type AddBusinessTripCarRentalExpenseInput = {\n amount?: InputMaybe<Scalars['Float']['input']>;\n businessTripId: Scalars['UUID']['input'];\n currency?: InputMaybe<Currency>;\n date?: InputMaybe<Scalars['TimelessDate']['input']>;\n days?: InputMaybe<Scalars['Int']['input']>;\n employeeBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n isFuelExpense?: InputMaybe<Scalars['Boolean']['input']>;\n valueDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n};\n\n/** the input for adding a new business trip flights expense */\nexport type AddBusinessTripFlightsExpenseInput = {\n amount?: InputMaybe<Scalars['Float']['input']>;\n attendeeIds?: InputMaybe<Array<Scalars['UUID']['input']>>;\n businessTripId: Scalars['UUID']['input'];\n currency?: InputMaybe<Currency>;\n date?: InputMaybe<Scalars['TimelessDate']['input']>;\n employeeBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n flightClass?: InputMaybe<FlightClass>;\n path?: InputMaybe<Array<Scalars['String']['input']>>;\n valueDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n};\n\n/** the input for adding a new business trip other expense */\nexport type AddBusinessTripOtherExpenseInput = {\n amount?: InputMaybe<Scalars['Float']['input']>;\n businessTripId: Scalars['UUID']['input'];\n currency?: InputMaybe<Currency>;\n date?: InputMaybe<Scalars['TimelessDate']['input']>;\n deductibleExpense?: InputMaybe<Scalars['Boolean']['input']>;\n description?: InputMaybe<Scalars['String']['input']>;\n employeeBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n valueDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n};\n\n/** the input for adding a new business trip T&S expense */\nexport type AddBusinessTripTravelAndSubsistenceExpenseInput = {\n amount?: InputMaybe<Scalars['Float']['input']>;\n businessTripId: Scalars['UUID']['input'];\n currency?: InputMaybe<Currency>;\n date?: InputMaybe<Scalars['TimelessDate']['input']>;\n employeeBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n expenseType?: InputMaybe<Scalars['String']['input']>;\n valueDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n};\n\n/** Represents a business entity managed by an accountant in the system. */\nexport type AdminBusiness = {\n __typename?: 'AdminBusiness';\n business: LtdFinancialEntity;\n governmentId: Scalars['String']['output'];\n id: Scalars['UUID']['output'];\n name: Scalars['String']['output'];\n registrationDate: Scalars['TimelessDate']['output'];\n /** Social Security Info */\n socialSecurityDeductionsId?: Maybe<Scalars['String']['output']>;\n socialSecurityEmployerIds: Array<AnnualId>;\n /** Tax Advances Info */\n taxAdvancesAnnualIds: Array<AnnualId>;\n taxAdvancesRates: Array<TaxAdvancesRate>;\n withholdingTaxAnnualIds: Array<AnnualId>;\n /** Withholding Tax Info */\n withholdingTaxCompanyId?: Maybe<Scalars['String']['output']>;\n};\n\n/** defines a tag / category for charge arrangement */\nexport type AdminContextInfo = {\n __typename?: 'AdminContextInfo';\n accumulatedDepreciationTaxCategory?: Maybe<TaxCategory>;\n amexBusiness?: Maybe<Business>;\n balanceCancellationTaxCategory: TaxCategory;\n bankDepositBusiness?: Maybe<Business>;\n bankDepositInterestIncomeTaxCategory?: Maybe<TaxCategory>;\n batchedEmployeesBusiness?: Maybe<Business>;\n batchedFundsBusiness?: Maybe<Business>;\n businessTripTag?: Maybe<Tag>;\n businessTripTaxCategory?: Maybe<TaxCategory>;\n calBusiness?: Maybe<Business>;\n compensationFundExpensesTaxCategory?: Maybe<TaxCategory>;\n defaultForeignCurrency: Currency;\n defaultLocalCurrency: Currency;\n defaultTaxCategory: TaxCategory;\n developmentForeignTaxCategory: TaxCategory;\n developmentLocalTaxCategory: TaxCategory;\n discountBusiness?: Maybe<Business>;\n dividendTaxCategory?: Maybe<TaxCategory>;\n dividendWithholdingTaxBusiness?: Maybe<Business>;\n etanaBusiness?: Maybe<Business>;\n etherscanBusiness?: Maybe<Business>;\n exchangeRateRevaluationTaxCategory: TaxCategory;\n exchangeRateTaxCategory: TaxCategory;\n expensesInAdvanceTaxCategory: TaxCategory;\n expensesToPayTaxCategory: TaxCategory;\n feeTaxCategory: TaxCategory;\n fineTaxCategory: TaxCategory;\n foreignSecuritiesBusiness?: Maybe<Business>;\n foreignSecuritiesFeesCategory?: Maybe<TaxCategory>;\n generalFeeTaxCategory: TaxCategory;\n gnmDepreciationExpensesTaxCategory?: Maybe<TaxCategory>;\n id: Scalars['ID']['output'];\n incomeExchangeRateTaxCategory: TaxCategory;\n incomeInAdvanceTaxCategory?: Maybe<TaxCategory>;\n incomeToCollectTaxCategory: TaxCategory;\n inputVatTaxCategory: TaxCategory;\n isracardBusiness?: Maybe<Business>;\n krakenBusiness?: Maybe<Business>;\n ledgerLock?: Maybe<Scalars['TimelessDate']['output']>;\n locality: Scalars['String']['output'];\n marketingDepreciationExpensesTaxCategory?: Maybe<TaxCategory>;\n outputVatTaxCategory: TaxCategory;\n ownerId: Scalars['UUID']['output'];\n pensionFundExpensesTaxCategory?: Maybe<TaxCategory>;\n poalimBusiness?: Maybe<Business>;\n propertyOutputVatTaxCategory?: Maybe<TaxCategory>;\n recoveryReserveExpensesTaxCategory?: Maybe<TaxCategory>;\n recoveryReserveTaxCategory?: Maybe<TaxCategory>;\n rndDepreciationExpensesTaxCategory?: Maybe<TaxCategory>;\n salaryExcessExpensesTaxCategory: TaxCategory;\n salaryExpensesTaxCategory?: Maybe<TaxCategory>;\n socialSecurityBusiness: Business;\n socialSecurityExpensesTaxCategory?: Maybe<TaxCategory>;\n swiftBusiness?: Maybe<Business>;\n taxBusiness: Business;\n taxDeductionsBusiness?: Maybe<Business>;\n taxExpensesTaxCategory: TaxCategory;\n trainingFundExpensesTaxCategory?: Maybe<TaxCategory>;\n untaxableGiftsTaxCategory: TaxCategory;\n vacationReserveExpensesTaxCategory?: Maybe<TaxCategory>;\n vacationReserveTaxCategory?: Maybe<TaxCategory>;\n vatBusiness: Business;\n zkufotExpensesTaxCategory?: Maybe<TaxCategory>;\n zkufotIncomeTaxCategory?: Maybe<TaxCategory>;\n};\n\n/** input variables for updateAdminContext */\nexport type AdminContextInput = {\n accumulatedDepreciationTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n amexBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n balanceCancellationTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n bankDepositBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n bankDepositInterestIncomeTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n batchedEmployeesBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n batchedFundsBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n businessTripTagId?: InputMaybe<Scalars['UUID']['input']>;\n businessTripTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n calBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n compensationFundExpensesTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n defaultForeignCurrency?: InputMaybe<Currency>;\n defaultLocalCurrency?: InputMaybe<Currency>;\n defaultTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n developmentForeignTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n developmentLocalTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n discountBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n dividendTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n dividendWithholdingTaxBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n etanaBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n etherscanBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n exchangeRateRevaluationTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n exchangeRateTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n expensesInAdvanceTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n expensesToPayTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n feeTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n fineTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n foreignSecuritiesBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n foreignSecuritiesFeesCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n generalFeeTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n gnmDepreciationExpensesTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n incomeExchangeRateTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n incomeInAdvanceTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n incomeToCollectTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n inputVatTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n isracardBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n krakenBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n ledgerLock?: InputMaybe<Scalars['TimelessDate']['input']>;\n locality?: InputMaybe<Scalars['String']['input']>;\n marketingDepreciationExpensesTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n outputVatTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n ownerId: Scalars['UUID']['input'];\n pensionFundExpensesTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n poalimBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n propertyOutputVatTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n recoveryReserveExpensesTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n recoveryReserveTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n rndDepreciationExpensesTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n salaryExcessExpensesTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n salaryExpensesTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n socialSecurityBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n socialSecurityExpensesTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n swiftBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n taxBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n taxDeductionsBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n taxExpensesTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n trainingFundExpensesTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n untaxableGiftsTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n vacationReserveExpensesTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n vacationReserveTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n vatBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n zkufotExpensesTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n zkufotIncomeTaxCategoryId?: InputMaybe<Scalars['UUID']['input']>;\n};\n\n/** Represents an annual identifier for tax purposes. */\nexport type AnnualId = {\n __typename?: 'AnnualId';\n id: Scalars['String']['output'];\n year: Scalars['Int']['output'];\n};\n\n/** Input type representing an annual identifier for tax purposes. */\nexport type AnnualIdInput = {\n id: Scalars['String']['input'];\n year: Scalars['Int']['input'];\n};\n\n/** annual revenue report */\nexport type AnnualRevenueReport = {\n __typename?: 'AnnualRevenueReport';\n countries: Array<AnnualRevenueReportCountry>;\n id: Scalars['ID']['output'];\n year: Scalars['Int']['output'];\n};\n\n/** annual revenue report country client record */\nexport type AnnualRevenueReportClientRecord = {\n __typename?: 'AnnualRevenueReportClientRecord';\n chargeId: Scalars['UUID']['output'];\n date: Scalars['TimelessDate']['output'];\n description?: Maybe<Scalars['String']['output']>;\n id: Scalars['ID']['output'];\n reference?: Maybe<Scalars['String']['output']>;\n revenueDefaultForeign: FinancialAmount;\n revenueLocal: FinancialAmount;\n revenueOriginal: FinancialAmount;\n};\n\n/** annual revenue report country */\nexport type AnnualRevenueReportCountry = {\n __typename?: 'AnnualRevenueReportCountry';\n clients: Array<AnnualRevenueReportCountryClient>;\n code: Scalars['String']['output'];\n id: Scalars['ID']['output'];\n name: Scalars['String']['output'];\n revenueDefaultForeign: FinancialAmount;\n revenueLocal: FinancialAmount;\n};\n\n/** annual revenue report country client */\nexport type AnnualRevenueReportCountryClient = {\n __typename?: 'AnnualRevenueReportCountryClient';\n id: Scalars['ID']['output'];\n name: Scalars['String']['output'];\n records: Array<AnnualRevenueReportClientRecord>;\n revenueDefaultForeign: FinancialAmount;\n revenueLocal: FinancialAmount;\n};\n\n/** annual revenue report filter */\nexport type AnnualRevenueReportFilter = {\n adminBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n year: Scalars['Int']['input'];\n};\n\n/** API key metadata (plaintext key is never stored) */\nexport type ApiKey = {\n __typename?: 'ApiKey';\n createdAt: Scalars['DateTime']['output'];\n id: Scalars['ID']['output'];\n lastUsedAt?: Maybe<Scalars['DateTime']['output']>;\n name: Scalars['String']['output'];\n roleId: Scalars['String']['output'];\n};\n\n/** Audit opinion type enum (חוות דעת) */\nexport const AuditOpinionType = {\n /** Adverse opinion (שלילית) */\n Adverse: 'ADVERSE',\n /** Disclaimer of opinion (המנעות) */\n Disclaimer: 'DISCLAIMER',\n /** No audit opinion (אין חוות דעת) */\n None: 'NONE',\n /** Qualified opinion (הסתייגות) */\n Qualified: 'QUALIFIED',\n /** Unqualified opinion (נוסח אחיד (בלתי מסוייג)) */\n Unqualified: 'UNQUALIFIED',\n /** Unqualified opinion with emphasis on going concern (בנוסח אחיד עם הפניית תשומת לב להערת עסק חי) */\n UnqualifiedWithGoingConcern: 'UNQUALIFIED_WITH_GOING_CONCERN',\n /** Unqualified opinion with other emphases (בנוסח אחיד עם הפניות תשומת לב אחרת) */\n UnqualifiedWithOtherEmphases: 'UNQUALIFIED_WITH_OTHER_EMPHASES'\n} as const;\n\nexport type AuditOpinionType = typeof AuditOpinionType[keyof typeof AuditOpinionType];\n/** Result of the auto-match operation */\nexport type AutoMatchChargesResult = {\n __typename?: 'AutoMatchChargesResult';\n /** Array of error messages encountered during the operation */\n errors: Array<Scalars['String']['output']>;\n /** Array of charges that were merged, with their confidence scores */\n mergedCharges: Array<MergedCharge>;\n /** Array of charge UUIDs that had multiple high-confidence matches and were skipped */\n skippedCharges: Array<Scalars['UUID']['output']>;\n /** Total number of charges that were successfully matched and merged */\n totalMatches: Scalars['Int']['output'];\n};\n\n/** transactions for balance report */\nexport type BalanceTransactions = {\n __typename?: 'BalanceTransactions';\n account: FinancialAccount;\n amount: FinancialAmount;\n amountUsd: FinancialAmount;\n charge: Charge;\n chargeId: Scalars['UUID']['output'];\n counterparty?: Maybe<FinancialEntity>;\n date: Scalars['TimelessDate']['output'];\n description?: Maybe<Scalars['String']['output']>;\n id: Scalars['UUID']['output'];\n isFee: Scalars['Boolean']['output'];\n month: Scalars['Int']['output'];\n year: Scalars['Int']['output'];\n};\n\n/** input type for creating a bank account */\nexport type BankAccountInsertInput = {\n accountAgreementOpeningDate?: InputMaybe<Scalars['Int']['input']>;\n accountClosingReasonCode?: InputMaybe<Scalars['Int']['input']>;\n accountDealDate?: InputMaybe<Scalars['Int']['input']>;\n accountUpdateDate?: InputMaybe<Scalars['Int']['input']>;\n bankNumber: Scalars['Int']['input'];\n branchNumber: Scalars['Int']['input'];\n branchTypeCode?: InputMaybe<Scalars['Int']['input']>;\n extendedBankNumber?: InputMaybe<Scalars['Int']['input']>;\n iban?: InputMaybe<Scalars['String']['input']>;\n kodHarshaatPeilut?: InputMaybe<Scalars['Int']['input']>;\n metegDoarNet?: InputMaybe<Scalars['Int']['input']>;\n mymailEntitlementSwitch?: InputMaybe<Scalars['Int']['input']>;\n partyAccountInvolvementCode?: InputMaybe<Scalars['Int']['input']>;\n partyPreferredIndication?: InputMaybe<Scalars['Int']['input']>;\n productLabel?: InputMaybe<Scalars['String']['input']>;\n serviceAuthorizationDesc?: InputMaybe<Scalars['String']['input']>;\n swiftCode?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** input type for updating a bank account */\nexport type BankAccountUpdateInput = {\n accountAgreementOpeningDate?: InputMaybe<Scalars['Int']['input']>;\n accountClosingReasonCode?: InputMaybe<Scalars['Int']['input']>;\n accountDealDate?: InputMaybe<Scalars['Int']['input']>;\n accountUpdateDate?: InputMaybe<Scalars['Int']['input']>;\n bankNumber?: InputMaybe<Scalars['Int']['input']>;\n branchNumber?: InputMaybe<Scalars['Int']['input']>;\n branchTypeCode?: InputMaybe<Scalars['Int']['input']>;\n extendedBankNumber?: InputMaybe<Scalars['Int']['input']>;\n iban?: InputMaybe<Scalars['String']['input']>;\n kodHarshaatPeilut?: InputMaybe<Scalars['Int']['input']>;\n metegDoarNet?: InputMaybe<Scalars['Int']['input']>;\n mymailEntitlementSwitch?: InputMaybe<Scalars['Int']['input']>;\n partyAccountInvolvementCode?: InputMaybe<Scalars['Int']['input']>;\n partyPreferredIndication?: InputMaybe<Scalars['Int']['input']>;\n productLabel?: InputMaybe<Scalars['String']['input']>;\n serviceAuthorizationDesc?: InputMaybe<Scalars['String']['input']>;\n swiftCode?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** Bank Deposit */\nexport type BankDeposit = {\n __typename?: 'BankDeposit';\n closeDate?: Maybe<Scalars['TimelessDate']['output']>;\n currency: Currency;\n currencyError: Array<Scalars['UUID']['output']>;\n currentBalance: FinancialAmount;\n id: Scalars['ID']['output'];\n isOpen: Scalars['Boolean']['output'];\n openDate: Scalars['TimelessDate']['output'];\n totalDeposit: FinancialAmount;\n totalInterest: FinancialAmount;\n transactions: Array<Transaction>;\n};\n\n/** charge of bank deposits */\nexport type BankDepositCharge = Charge & {\n __typename?: 'BankDepositCharge';\n accountantApproval: AccountantStatus;\n additionalDocuments: Array<Document>;\n counterparty?: Maybe<FinancialEntity>;\n decreasedVAT?: Maybe<Scalars['Boolean']['output']>;\n id: Scalars['UUID']['output'];\n isInvoicePaymentDifferentCurrency?: Maybe<Scalars['Boolean']['output']>;\n ledger: Ledger;\n metadata?: Maybe<ChargeMetadata>;\n minDebitDate?: Maybe<Scalars['DateTime']['output']>;\n minDocumentsDate?: Maybe<Scalars['DateTime']['output']>;\n minEventDate?: Maybe<Scalars['DateTime']['output']>;\n miscExpenses: Array<MiscExpense>;\n missingInfoSuggestions?: Maybe<ChargeSuggestions>;\n optionalDocuments?: Maybe<Scalars['Boolean']['output']>;\n optionalVAT?: Maybe<Scalars['Boolean']['output']>;\n owner: Business;\n property?: Maybe<Scalars['Boolean']['output']>;\n tags: Array<Tag>;\n taxCategory?: Maybe<TaxCategory>;\n totalAmount?: Maybe<FinancialAmount>;\n transactions: Array<Transaction>;\n userDescription?: Maybe<Scalars['String']['output']>;\n validationData?: Maybe<ValidationData>;\n vat?: Maybe<FinancialAmount>;\n withholdingTax?: Maybe<FinancialAmount>;\n yearsOfRelevance?: Maybe<Array<YearOfRelevance>>;\n};\n\n/** represent a bank deposit account */\nexport type BankDepositFinancialAccount = FinancialAccount & {\n __typename?: 'BankDepositFinancialAccount';\n accountTaxCategories: Array<CurrencyTaxCategory>;\n charges: Array<Charge>;\n id: Scalars['UUID']['output'];\n name: Scalars['String']['output'];\n number: Scalars['String']['output'];\n privateOrBusiness: PrivateOrBusinessType;\n type: FinancialAccountType;\n};\n\n\n/** represent a bank deposit account */\nexport type BankDepositFinancialAccountChargesArgs = {\n filter?: InputMaybe<ChargeFilter>;\n};\n\n/** represent a single bank account */\nexport type BankFinancialAccount = FinancialAccount & {\n __typename?: 'BankFinancialAccount';\n accountAgreementOpeningDate?: Maybe<Scalars['Int']['output']>;\n accountClosingReasonCode?: Maybe<Scalars['Int']['output']>;\n accountDealDate?: Maybe<Scalars['Int']['output']>;\n /** the external identifier of the bank account */\n accountNumber: Scalars['String']['output'];\n accountTaxCategories: Array<CurrencyTaxCategory>;\n accountUpdateDate?: Maybe<Scalars['Int']['output']>;\n bankNumber: Scalars['Int']['output'];\n branchNumber: Scalars['Int']['output'];\n branchTypeCode?: Maybe<Scalars['Int']['output']>;\n charges: Array<Charge>;\n extendedBankNumber?: Maybe<Scalars['Int']['output']>;\n iban?: Maybe<Scalars['String']['output']>;\n id: Scalars['UUID']['output'];\n kodHarshaatPeilut?: Maybe<Scalars['Int']['output']>;\n metegDoarNet?: Maybe<Scalars['Int']['output']>;\n mymailEntitlementSwitch?: Maybe<Scalars['Int']['output']>;\n name: Scalars['String']['output'];\n number: Scalars['String']['output'];\n partyAccountInvolvementCode?: Maybe<Scalars['Int']['output']>;\n partyPreferredIndication?: Maybe<Scalars['Int']['output']>;\n privateOrBusiness: PrivateOrBusinessType;\n productLabel?: Maybe<Scalars['String']['output']>;\n serviceAuthorizationDesc?: Maybe<Scalars['String']['output']>;\n swiftCode?: Maybe<Scalars['String']['output']>;\n type: FinancialAccountType;\n};\n\n\n/** represent a single bank account */\nexport type BankFinancialAccountChargesArgs = {\n filter?: InputMaybe<ChargeFilter>;\n};\n\n/** result type for batchUpdateCharges */\nexport type BatchUpdateChargesResult = BatchUpdateChargesSuccessfulResult | CommonError;\n\n/** successful result type for batchUpdateCharges */\nexport type BatchUpdateChargesSuccessfulResult = {\n __typename?: 'BatchUpdateChargesSuccessfulResult';\n charges: Array<Charge>;\n};\n\n/** contract billing cycle */\nexport const BillingCycle = {\n Annual: 'ANNUAL',\n Monthly: 'MONTHLY'\n} as const;\n\nexport type BillingCycle = typeof BillingCycle[keyof typeof BillingCycle];\n/** represent a financial entity of any type that may hold financial accounts (company, business, individual) */\nexport type Business = {\n accounts: Array<FinancialAccount>;\n charges: PaginatedCharges;\n createdAt: Scalars['DateTime']['output'];\n id: Scalars['UUID']['output'];\n irsCode?: Maybe<Scalars['Int']['output']>;\n isActive: Scalars['Boolean']['output'];\n name: Scalars['String']['output'];\n pcn874RecordType?: Maybe<Pcn874RecordType>;\n sortCode?: Maybe<SortCode>;\n updatedAt: Scalars['DateTime']['output'];\n};\n\n\n/** represent a financial entity of any type that may hold financial accounts (company, business, individual) */\nexport type BusinessChargesArgs = {\n filter?: InputMaybe<ChargeFilter>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n page?: InputMaybe<Scalars['Int']['input']>;\n};\n\n/** configuration for business email processing */\nexport type BusinessEmailConfig = {\n __typename?: 'BusinessEmailConfig';\n attachments?: Maybe<Array<EmailAttachmentType>>;\n businessId: Scalars['UUID']['output'];\n emailBody?: Maybe<Scalars['Boolean']['output']>;\n internalEmailLinks?: Maybe<Array<Scalars['String']['output']>>;\n};\n\n/** single business transaction info */\nexport type BusinessTransaction = {\n __typename?: 'BusinessTransaction';\n amount: FinancialAmount;\n business: FinancialEntity;\n chargeId: Scalars['UUID']['output'];\n counterAccount?: Maybe<FinancialEntity>;\n details?: Maybe<Scalars['String']['output']>;\n foreignAmount?: Maybe<FinancialAmount>;\n invoiceDate: Scalars['TimelessDate']['output'];\n reference?: Maybe<Scalars['String']['output']>;\n};\n\n/** single business transaction summery */\nexport type BusinessTransactionSum = {\n __typename?: 'BusinessTransactionSum';\n business: FinancialEntity;\n credit: FinancialAmount;\n debit: FinancialAmount;\n foreignCurrenciesSum: Array<ForeignCurrencySum>;\n total: FinancialAmount;\n};\n\n/** input variables for businessTransactions */\nexport type BusinessTransactionsFilter = {\n businessIDs?: InputMaybe<Array<Scalars['UUID']['input']>>;\n fromDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n includeRevaluation?: InputMaybe<Scalars['Boolean']['input']>;\n ownerIds?: InputMaybe<Array<Scalars['UUID']['input']>>;\n toDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n type?: InputMaybe<FinancialEntityType>;\n};\n\n/** result type for businessTransactionsFromLedgerRecords */\nexport type BusinessTransactionsFromLedgerRecordsResult = BusinessTransactionsFromLedgerRecordsSuccessfulResult | CommonError;\n\n/** result type for businessTransactionsFromLedgerRecords */\nexport type BusinessTransactionsFromLedgerRecordsSuccessfulResult = {\n __typename?: 'BusinessTransactionsFromLedgerRecordsSuccessfulResult';\n businessTransactions: Array<BusinessTransaction>;\n};\n\n/** result type for businessTransactionsSumFromLedgerRecords */\nexport type BusinessTransactionsSumFromLedgerRecordsResult = BusinessTransactionsSumFromLedgerRecordsSuccessfulResult | CommonError;\n\n/** result type for businessTransactionsSumFromLedgerRecords */\nexport type BusinessTransactionsSumFromLedgerRecordsSuccessfulResult = {\n __typename?: 'BusinessTransactionsSumFromLedgerRecordsSuccessfulResult';\n businessTransactionsSum: Array<BusinessTransactionSum>;\n};\n\n/** represent a business trip */\nexport type BusinessTrip = {\n __typename?: 'BusinessTrip';\n accommodationExpenses: Array<BusinessTripAccommodationExpense>;\n accountantApproval: AccountantStatus;\n attendees: Array<BusinessTripAttendee>;\n carRentalExpenses: Array<BusinessTripCarRentalExpense>;\n dates?: Maybe<DateRange>;\n destination?: Maybe<Country>;\n flightExpenses: Array<BusinessTripFlightExpense>;\n id: Scalars['UUID']['output'];\n name: Scalars['String']['output'];\n otherExpenses: Array<BusinessTripOtherExpense>;\n purpose?: Maybe<Scalars['String']['output']>;\n summary: BusinessTripSummary;\n travelAndSubsistenceExpenses: Array<BusinessTripTravelAndSubsistenceExpense>;\n uncategorizedTransactions: Array<Maybe<UncategorizedTransaction>>;\n};\n\n/** represent a business trip accommodation expense */\nexport type BusinessTripAccommodationExpense = BusinessTripExpense & {\n __typename?: 'BusinessTripAccommodationExpense';\n amount?: Maybe<FinancialAmount>;\n attendeesStay: Array<BusinessTripAttendeeStay>;\n businessTrip: BusinessTrip;\n charges?: Maybe<Array<Charge>>;\n country?: Maybe<Country>;\n date?: Maybe<Scalars['TimelessDate']['output']>;\n employee?: Maybe<FinancialEntity>;\n id: Scalars['UUID']['output'];\n nightsCount?: Maybe<Scalars['Int']['output']>;\n payedByEmployee?: Maybe<Scalars['Boolean']['output']>;\n transactions?: Maybe<Array<Transaction>>;\n valueDate?: Maybe<Scalars['TimelessDate']['output']>;\n};\n\n/** represent business trip attendee */\nexport type BusinessTripAttendee = {\n __typename?: 'BusinessTripAttendee';\n accommodations: Array<BusinessTripAccommodationExpense>;\n arrivalDate?: Maybe<Scalars['TimelessDate']['output']>;\n business?: Maybe<Business>;\n departureDate?: Maybe<Scalars['TimelessDate']['output']>;\n flights: Array<BusinessTripFlightExpense>;\n id: Scalars['UUID']['output'];\n name: Scalars['String']['output'];\n};\n\n/** represent a business trip attendee accommodation stay info */\nexport type BusinessTripAttendeeStay = {\n __typename?: 'BusinessTripAttendeeStay';\n attendee: BusinessTripAttendee;\n id: Scalars['UUID']['output'];\n nightsCount: Scalars['Int']['output'];\n};\n\n/** the input for attendee accommodation stay info */\nexport type BusinessTripAttendeeStayInput = {\n attendeeId: Scalars['UUID']['input'];\n nightsCount: Scalars['Int']['input'];\n};\n\n/** the input for updating a business trip attendee */\nexport type BusinessTripAttendeeUpdateInput = {\n arrivalDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n attendeeId: Scalars['UUID']['input'];\n businessTripId: Scalars['UUID']['input'];\n departureDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n};\n\n/** represent a business trip car rental expense */\nexport type BusinessTripCarRentalExpense = BusinessTripExpense & {\n __typename?: 'BusinessTripCarRentalExpense';\n amount?: Maybe<FinancialAmount>;\n businessTrip: BusinessTrip;\n charges?: Maybe<Array<Charge>>;\n date?: Maybe<Scalars['TimelessDate']['output']>;\n /** הוצאה מוכרת */\n days: Scalars['Int']['output'];\n employee?: Maybe<FinancialEntity>;\n id: Scalars['UUID']['output'];\n /** פירוט */\n isFuelExpense: Scalars['Boolean']['output'];\n payedByEmployee?: Maybe<Scalars['Boolean']['output']>;\n transactions?: Maybe<Array<Transaction>>;\n valueDate?: Maybe<Scalars['TimelessDate']['output']>;\n};\n\n/** charge of dividends */\nexport type BusinessTripCharge = Charge & {\n __typename?: 'BusinessTripCharge';\n accountantApproval: AccountantStatus;\n additionalDocuments: Array<Document>;\n businessTrip?: Maybe<BusinessTrip>;\n counterparty?: Maybe<FinancialEntity>;\n decreasedVAT?: Maybe<Scalars['Boolean']['output']>;\n id: Scalars['UUID']['output'];\n isInvoicePaymentDifferentCurrency?: Maybe<Scalars['Boolean']['output']>;\n ledger: Ledger;\n metadata?: Maybe<ChargeMetadata>;\n minDebitDate?: Maybe<Scalars['DateTime']['output']>;\n minDocumentsDate?: Maybe<Scalars['DateTime']['output']>;\n minEventDate?: Maybe<Scalars['DateTime']['output']>;\n miscExpenses: Array<MiscExpense>;\n missingInfoSuggestions?: Maybe<ChargeSuggestions>;\n optionalDocuments?: Maybe<Scalars['Boolean']['output']>;\n optionalVAT?: Maybe<Scalars['Boolean']['output']>;\n owner: Business;\n property?: Maybe<Scalars['Boolean']['output']>;\n tags: Array<Tag>;\n taxCategory?: Maybe<TaxCategory>;\n totalAmount?: Maybe<FinancialAmount>;\n transactions: Array<Transaction>;\n userDescription?: Maybe<Scalars['String']['output']>;\n validationData?: Maybe<ValidationData>;\n vat?: Maybe<FinancialAmount>;\n withholdingTax?: Maybe<FinancialAmount>;\n yearsOfRelevance?: Maybe<Array<YearOfRelevance>>;\n};\n\n/** business trip expense prototype */\nexport type BusinessTripExpense = {\n amount?: Maybe<FinancialAmount>;\n businessTrip: BusinessTrip;\n charges?: Maybe<Array<Charge>>;\n date?: Maybe<Scalars['TimelessDate']['output']>;\n employee?: Maybe<FinancialEntity>;\n id: Scalars['UUID']['output'];\n /** שולם על ידי העובד */\n payedByEmployee?: Maybe<Scalars['Boolean']['output']>;\n transactions?: Maybe<Array<Transaction>>;\n valueDate?: Maybe<Scalars['TimelessDate']['output']>;\n};\n\n/** represent category type of business trip summary */\nexport const BusinessTripExpenseCategories = {\n Accommodation: 'ACCOMMODATION',\n CarRental: 'CAR_RENTAL',\n Flight: 'FLIGHT',\n Other: 'OTHER',\n TravelAndSubsistence: 'TRAVEL_AND_SUBSISTENCE'\n} as const;\n\nexport type BusinessTripExpenseCategories = typeof BusinessTripExpenseCategories[keyof typeof BusinessTripExpenseCategories];\n/** represent a business trip flight expense */\nexport type BusinessTripFlightExpense = BusinessTripExpense & {\n __typename?: 'BusinessTripFlightExpense';\n amount?: Maybe<FinancialAmount>;\n attendees: Array<BusinessTripAttendee>;\n businessTrip: BusinessTrip;\n charges?: Maybe<Array<Charge>>;\n class?: Maybe<Scalars['String']['output']>;\n date?: Maybe<Scalars['TimelessDate']['output']>;\n employee?: Maybe<FinancialEntity>;\n id: Scalars['UUID']['output'];\n path?: Maybe<Array<Scalars['String']['output']>>;\n payedByEmployee?: Maybe<Scalars['Boolean']['output']>;\n transactions?: Maybe<Array<Transaction>>;\n valueDate?: Maybe<Scalars['TimelessDate']['output']>;\n};\n\n/** represent a business trip other expense */\nexport type BusinessTripOtherExpense = BusinessTripExpense & {\n __typename?: 'BusinessTripOtherExpense';\n amount?: Maybe<FinancialAmount>;\n businessTrip: BusinessTrip;\n charges?: Maybe<Array<Charge>>;\n date?: Maybe<Scalars['TimelessDate']['output']>;\n /** הוצאה מוכרת */\n deductibleExpense?: Maybe<Scalars['Boolean']['output']>;\n /** פירוט */\n description?: Maybe<Scalars['String']['output']>;\n employee?: Maybe<FinancialEntity>;\n id: Scalars['UUID']['output'];\n payedByEmployee?: Maybe<Scalars['Boolean']['output']>;\n transactions?: Maybe<Array<Transaction>>;\n valueDate?: Maybe<Scalars['TimelessDate']['output']>;\n};\n\n/** represent business trip summary data */\nexport type BusinessTripSummary = {\n __typename?: 'BusinessTripSummary';\n errors?: Maybe<Array<Scalars['String']['output']>>;\n excessExpenditure?: Maybe<FinancialAmount>;\n excessTax?: Maybe<Scalars['Float']['output']>;\n rows: Array<BusinessTripSummaryRow>;\n};\n\n/** represent category type of business trip summary */\nexport const BusinessTripSummaryCategories = {\n Accommodation: 'ACCOMMODATION',\n CarRental: 'CAR_RENTAL',\n Flight: 'FLIGHT',\n Other: 'OTHER',\n Total: 'TOTAL',\n TravelAndSubsistence: 'TRAVEL_AND_SUBSISTENCE'\n} as const;\n\nexport type BusinessTripSummaryCategories = typeof BusinessTripSummaryCategories[keyof typeof BusinessTripSummaryCategories];\n/** represent business trip summary data row */\nexport type BusinessTripSummaryRow = {\n __typename?: 'BusinessTripSummaryRow';\n excessExpenditure?: Maybe<FinancialAmount>;\n maxTaxableForeignCurrency: FinancialAmount;\n maxTaxableLocalCurrency?: Maybe<FinancialAmount>;\n taxableForeignCurrency: FinancialAmount;\n taxableLocalCurrency?: Maybe<FinancialAmount>;\n totalForeignCurrency: FinancialAmount;\n totalLocalCurrency?: Maybe<FinancialAmount>;\n type: BusinessTripSummaryCategories;\n};\n\n/** represent a business trip travel and subsistence expense */\nexport type BusinessTripTravelAndSubsistenceExpense = BusinessTripExpense & {\n __typename?: 'BusinessTripTravelAndSubsistenceExpense';\n amount?: Maybe<FinancialAmount>;\n businessTrip: BusinessTrip;\n charges?: Maybe<Array<Charge>>;\n date?: Maybe<Scalars['TimelessDate']['output']>;\n employee?: Maybe<FinancialEntity>;\n /** סוג ההוצאה */\n expenseType?: Maybe<Scalars['String']['output']>;\n id: Scalars['UUID']['output'];\n payedByEmployee?: Maybe<Scalars['Boolean']['output']>;\n transactions?: Maybe<Array<Transaction>>;\n valueDate?: Maybe<Scalars['TimelessDate']['output']>;\n};\n\n/** Business type enum (סוג עסק) */\nexport const BusinessType = {\n /** Combination (שילוב) */\n Combination: 'COMBINATION',\n /** Commercial (מסחרי) */\n Commercial: 'COMMERCIAL',\n /** Industrial (תעשייתי) */\n Industrial: 'INDUSTRIAL',\n /** Report includes more than one business (הדוח כולל יותר מעסק אחד) */\n Multiple: 'MULTIPLE',\n /** Service providers (נותני שירותים) */\n Service: 'SERVICE'\n} as const;\n\nexport type BusinessType = typeof BusinessType[keyof typeof BusinessType];\n/** represent a single credit card */\nexport type CardFinancialAccount = FinancialAccount & {\n __typename?: 'CardFinancialAccount';\n accountTaxCategories: Array<CurrencyTaxCategory>;\n charges: Array<Charge>;\n fourDigits: Scalars['String']['output'];\n id: Scalars['UUID']['output'];\n name: Scalars['String']['output'];\n /** the external identifier of the card */\n number: Scalars['String']['output'];\n privateOrBusiness: PrivateOrBusinessType;\n type: FinancialAccountType;\n};\n\n\n/** represent a single credit card */\nexport type CardFinancialAccountChargesArgs = {\n filter?: InputMaybe<ChargeFilter>;\n};\n\n/** the input for categorizing a business trip expense */\nexport type CategorizeBusinessTripExpenseInput = {\n amount?: InputMaybe<Scalars['Float']['input']>;\n businessTripId: Scalars['UUID']['input'];\n category?: InputMaybe<BusinessTripExpenseCategories>;\n transactionId: Scalars['UUID']['input'];\n};\n\n/** the input for categorizing into an existing business trip expense */\nexport type CategorizeIntoExistingBusinessTripExpenseInput = {\n amount?: InputMaybe<Scalars['Float']['input']>;\n businessTripExpenseId: Scalars['UUID']['input'];\n transactionId: Scalars['UUID']['input'];\n};\n\n/** represent a complex type for grouped charge with ledger info, bank/card transactions and documents */\nexport type Charge = {\n /** calculated based on ledger record and transaction approvals */\n accountantApproval: AccountantStatus;\n /** additional documents attached to the charge */\n additionalDocuments: Array<Document>;\n /** calculated counterparty details for the charge */\n counterparty?: Maybe<FinancialEntity>;\n /** decreased VAT for property-related charges */\n decreasedVAT?: Maybe<Scalars['Boolean']['output']>;\n id: Scalars['UUID']['output'];\n /** is invoice currency different from the payment currency */\n isInvoicePaymentDifferentCurrency?: Maybe<Scalars['Boolean']['output']>;\n /** ledger records linked to the charge */\n ledger: Ledger;\n /** metadata about the charge */\n metadata?: Maybe<ChargeMetadata>;\n /** minimal debit date from linked transactions */\n minDebitDate?: Maybe<Scalars['DateTime']['output']>;\n /** minimal date from linked documents */\n minDocumentsDate?: Maybe<Scalars['DateTime']['output']>;\n /** minimal event date from linked transactions */\n minEventDate?: Maybe<Scalars['DateTime']['output']>;\n /** list of misc expenses linked to transactions of the charge */\n miscExpenses: Array<MiscExpense>;\n /** missing info suggestions data */\n missingInfoSuggestions?: Maybe<ChargeSuggestions>;\n /** flag for optional documents */\n optionalDocuments?: Maybe<Scalars['Boolean']['output']>;\n /** flag for optional VAT */\n optionalVAT?: Maybe<Scalars['Boolean']['output']>;\n /** the financial entity that created the charge */\n owner: Business;\n /** פחת, ציוד */\n property?: Maybe<Scalars['Boolean']['output']>;\n /** user customer tags */\n tags: Array<Tag>;\n taxCategory?: Maybe<TaxCategory>;\n /** the total amount of the charge */\n totalAmount?: Maybe<FinancialAmount>;\n /** list of financial/bank transactions linked to the charge */\n transactions: Array<Transaction>;\n /** user custom description */\n userDescription?: Maybe<Scalars['String']['output']>;\n /** missing info validation data */\n validationData?: Maybe<ValidationData>;\n /** calculated field based on the actual ledger records, optional because not all charges has VAT */\n vat?: Maybe<FinancialAmount>;\n /** withholding tax */\n withholdingTax?: Maybe<FinancialAmount>;\n /** the tax year in which the action took place */\n yearsOfRelevance?: Maybe<Array<YearOfRelevance>>;\n};\n\n/** input variables for charge filtering */\nexport type ChargeFilter = {\n accountantStatus?: InputMaybe<Array<AccountantStatus>>;\n /** filter by business trip (should be later in business trip module?) */\n businessTrip?: InputMaybe<Scalars['UUID']['input']>;\n /** Include only charges including specific business */\n byBusinesses?: InputMaybe<Array<Scalars['UUID']['input']>>;\n /** Include only charges related to specific financial accounts */\n byFinancialAccounts?: InputMaybe<Array<Scalars['UUID']['input']>>;\n /** Include only charges related to specific owners financial entities */\n byOwners?: InputMaybe<Array<Scalars['UUID']['input']>>;\n /** Include only charges with those tags */\n byTags?: InputMaybe<Array<Scalars['String']['input']>>;\n chargesType?: InputMaybe<ChargeFilterType>;\n /** Include only charges with user description | transactions description / reference | documents description / remarks / serial that contains this text */\n freeText?: InputMaybe<Scalars['String']['input']>;\n /** Include only charges with any doc/transaction date occurred after this date */\n fromAnyDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n /** Include only charges with main date occurred after this date */\n fromDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n sortBy?: InputMaybe<ChargeSortBy>;\n /** Include only charges with any doc/transaction date occurred before this date */\n toAnyDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n /** Include only charges with main date occurred before this date */\n toDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n /** Include only charges that are not balances */\n unbalanced?: InputMaybe<Scalars['Boolean']['input']>;\n withOpenDocuments?: InputMaybe<Scalars['Boolean']['input']>;\n /** Include only charges that doesn't have documents linked */\n withoutDocuments?: InputMaybe<Scalars['Boolean']['input']>;\n /** Include only charges that doesn't have invoice document linked */\n withoutInvoice?: InputMaybe<Scalars['Boolean']['input']>;\n /** Include only charges that doesn't have ledger records linked */\n withoutLedger?: InputMaybe<Scalars['Boolean']['input']>;\n /** Include only charges that doesn't have receipt document linked */\n withoutReceipt?: InputMaybe<Scalars['Boolean']['input']>;\n /** Include only charges that doesn't have transactions linked */\n withoutTransactions?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** filter charges by type */\nexport const ChargeFilterType = {\n All: 'ALL',\n Expense: 'EXPENSE',\n Income: 'INCOME'\n} as const;\n\nexport type ChargeFilterType = typeof ChargeFilterType[keyof typeof ChargeFilterType];\n/** A single charge match with its confidence score */\nexport type ChargeMatch = {\n __typename?: 'ChargeMatch';\n charge: Charge;\n /** UUID of the matched charge */\n chargeId: Scalars['UUID']['output'];\n /** Confidence score between 0.00 and 1.00 */\n confidenceScore: Scalars['Float']['output'];\n};\n\n/** Result of finding matches for a single charge */\nexport type ChargeMatchesResult = {\n __typename?: 'ChargeMatchesResult';\n /** Array of up to 5 matches, ordered by confidence score (highest first) */\n matches: Array<ChargeMatch>;\n};\n\n/** represent charge's metadata */\nexport type ChargeMetadata = {\n __typename?: 'ChargeMetadata';\n /** when the initial charge was created from the first event we found */\n createdAt: Scalars['DateTime']['output'];\n documentsCount: Scalars['Int']['output'];\n invalidLedger: LedgerValidationStatus;\n invoicesCount: Scalars['Int']['output'];\n isLedgerLocked: Scalars['Boolean']['output'];\n ledgerCount: Scalars['Int']['output'];\n miscExpensesCount: Scalars['Int']['output'];\n openDocuments: Scalars['Boolean']['output'];\n optionalBusinesses: Array<Scalars['String']['output']>;\n receiptsCount: Scalars['Int']['output'];\n transactionsCount: Scalars['Int']['output'];\n /** when the charge was last updated */\n updatedAt: Scalars['DateTime']['output'];\n};\n\n/** input variables for sorting charges */\nexport type ChargeSortBy = {\n asc?: InputMaybe<Scalars['Boolean']['input']>;\n field: ChargeSortByField;\n};\n\n/** fields that can be used to sort charges */\nexport const ChargeSortByField = {\n AbsAmount: 'ABS_AMOUNT',\n Amount: 'AMOUNT',\n Date: 'DATE'\n} as const;\n\nexport type ChargeSortByField = typeof ChargeSortByField[keyof typeof ChargeSortByField];\n/** represent charge suggestions for missing info */\nexport type ChargeSuggestions = {\n __typename?: 'ChargeSuggestions';\n description?: Maybe<Scalars['String']['output']>;\n tags: Array<Tag>;\n};\n\n/** Charge type enum */\nexport const ChargeType = {\n BankDeposit: 'BANK_DEPOSIT',\n BusinessTrip: 'BUSINESS_TRIP',\n Common: 'COMMON',\n Conversion: 'CONVERSION',\n CreditcardBank: 'CREDITCARD_BANK',\n Dividend: 'DIVIDEND',\n Financial: 'FINANCIAL',\n ForeignSecurities: 'FOREIGN_SECURITIES',\n Internal: 'INTERNAL',\n Payroll: 'PAYROLL',\n Vat: 'VAT'\n} as const;\n\nexport type ChargeType = typeof ChargeType[keyof typeof ChargeType];\n/** result type for charges with ledger changes */\nexport type ChargesWithLedgerChangesResult = {\n __typename?: 'ChargesWithLedgerChangesResult';\n charge?: Maybe<Charge>;\n progress: Scalars['Float']['output'];\n};\n\n/** business extended with green invoice data */\nexport type Client = {\n __typename?: 'Client';\n emails: Array<Scalars['String']['output']>;\n generatedDocumentType: DocumentType;\n id: Scalars['UUID']['output'];\n integrations: ClientIntegrations;\n originalBusiness: LtdFinancialEntity;\n};\n\n/** fields for inserting a new client */\nexport type ClientInsertInput = {\n businessId: Scalars['UUID']['input'];\n emails?: InputMaybe<Array<Scalars['String']['input']>>;\n generatedDocumentType: DocumentType;\n integrations?: InputMaybe<ClientIntegrationsInput>;\n};\n\n/** integrations associated with a client */\nexport type ClientIntegrations = {\n __typename?: 'ClientIntegrations';\n greenInvoiceInfo?: Maybe<GreenInvoiceClient>;\n hiveId?: Maybe<Scalars['String']['output']>;\n id: Scalars['ID']['output'];\n linearId?: Maybe<Scalars['String']['output']>;\n notionId?: Maybe<Scalars['String']['output']>;\n slackChannelKey?: Maybe<Scalars['String']['output']>;\n workflowyUrl?: Maybe<Scalars['String']['output']>;\n};\n\n/** integrations input for client insert/update */\nexport type ClientIntegrationsInput = {\n greenInvoiceId?: InputMaybe<Scalars['UUID']['input']>;\n hiveId?: InputMaybe<Scalars['String']['input']>;\n linearId?: InputMaybe<Scalars['String']['input']>;\n notionId?: InputMaybe<Scalars['String']['input']>;\n slackChannelKey?: InputMaybe<Scalars['String']['input']>;\n workflowyUrl?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** fields for updating an existing client */\nexport type ClientUpdateInput = {\n emails?: InputMaybe<Array<Scalars['String']['input']>>;\n generatedDocumentType?: InputMaybe<DocumentType>;\n integrations?: InputMaybe<ClientIntegrationsInput>;\n newBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n};\n\n/** common charge */\nexport type CommonCharge = Charge & {\n __typename?: 'CommonCharge';\n accountantApproval: AccountantStatus;\n additionalDocuments: Array<Document>;\n counterparty?: Maybe<FinancialEntity>;\n decreasedVAT?: Maybe<Scalars['Boolean']['output']>;\n /** depreciation records */\n depreciationRecords: Array<DepreciationRecord>;\n id: Scalars['UUID']['output'];\n isInvoicePaymentDifferentCurrency?: Maybe<Scalars['Boolean']['output']>;\n ledger: Ledger;\n metadata?: Maybe<ChargeMetadata>;\n minDebitDate?: Maybe<Scalars['DateTime']['output']>;\n minDocumentsDate?: Maybe<Scalars['DateTime']['output']>;\n minEventDate?: Maybe<Scalars['DateTime']['output']>;\n miscExpenses: Array<MiscExpense>;\n missingInfoSuggestions?: Maybe<ChargeSuggestions>;\n optionalDocuments?: Maybe<Scalars['Boolean']['output']>;\n optionalVAT?: Maybe<Scalars['Boolean']['output']>;\n owner: Business;\n property?: Maybe<Scalars['Boolean']['output']>;\n tags: Array<Tag>;\n taxCategory?: Maybe<TaxCategory>;\n totalAmount?: Maybe<FinancialAmount>;\n transactions: Array<Transaction>;\n userDescription?: Maybe<Scalars['String']['output']>;\n validationData?: Maybe<ValidationData>;\n vat?: Maybe<FinancialAmount>;\n withholdingTax?: Maybe<FinancialAmount>;\n yearsOfRelevance?: Maybe<Array<YearOfRelevance>>;\n};\n\n/** common type of errors */\nexport type CommonError = Error & {\n __typename?: 'CommonError';\n message: Scalars['String']['output'];\n};\n\n/** temp type until DB supports transactions differentiation */\nexport type CommonTransaction = Transaction & {\n __typename?: 'CommonTransaction';\n account: FinancialAccount;\n amount: FinancialAmount;\n balance: FinancialAmount;\n chargeId: Scalars['UUID']['output'];\n counterparty?: Maybe<FinancialEntity>;\n createdAt: Scalars['DateTime']['output'];\n cryptoExchangeRate?: Maybe<ConversionRate>;\n debitExchangeRates?: Maybe<ExchangeRates>;\n direction: TransactionDirection;\n effectiveDate?: Maybe<Scalars['TimelessDate']['output']>;\n eventDate: Scalars['TimelessDate']['output'];\n eventExchangeRates?: Maybe<ExchangeRates>;\n exactEffectiveDate?: Maybe<Scalars['DateTime']['output']>;\n id: Scalars['UUID']['output'];\n isFee?: Maybe<Scalars['Boolean']['output']>;\n missingInfoSuggestions?: Maybe<TransactionSuggestions>;\n referenceKey?: Maybe<Scalars['String']['output']>;\n sourceDescription: Scalars['String']['output'];\n sourceEffectiveDate?: Maybe<Scalars['TimelessDate']['output']>;\n updatedAt: Scalars['DateTime']['output'];\n};\n\n/** a client contract */\nexport type Contract = {\n __typename?: 'Contract';\n amount: FinancialAmount;\n billingCycle: BillingCycle;\n client: Client;\n documentType: DocumentType;\n endDate: Scalars['TimelessDate']['output'];\n id: Scalars['UUID']['output'];\n isActive: Scalars['Boolean']['output'];\n msCloud?: Maybe<Scalars['URL']['output']>;\n operationsLimit: Scalars['BigInt']['output'];\n plan?: Maybe<SubscriptionPlan>;\n product?: Maybe<Product>;\n purchaseOrders: Array<Scalars['String']['output']>;\n remarks?: Maybe<Scalars['String']['output']>;\n startDate: Scalars['TimelessDate']['output'];\n};\n\n/** charge with conversion transactions */\nexport type ConversionCharge = Charge & {\n __typename?: 'ConversionCharge';\n accountantApproval: AccountantStatus;\n additionalDocuments: Array<Document>;\n counterparty?: Maybe<FinancialEntity>;\n decreasedVAT?: Maybe<Scalars['Boolean']['output']>;\n eventRate?: Maybe<ConversionRate>;\n id: Scalars['UUID']['output'];\n isInvoicePaymentDifferentCurrency?: Maybe<Scalars['Boolean']['output']>;\n ledger: Ledger;\n metadata?: Maybe<ChargeMetadata>;\n minDebitDate?: Maybe<Scalars['DateTime']['output']>;\n minDocumentsDate?: Maybe<Scalars['DateTime']['output']>;\n minEventDate?: Maybe<Scalars['DateTime']['output']>;\n miscExpenses: Array<MiscExpense>;\n missingInfoSuggestions?: Maybe<ChargeSuggestions>;\n officialRate?: Maybe<ConversionRate>;\n optionalDocuments?: Maybe<Scalars['Boolean']['output']>;\n optionalVAT?: Maybe<Scalars['Boolean']['output']>;\n owner: Business;\n property?: Maybe<Scalars['Boolean']['output']>;\n tags: Array<Tag>;\n taxCategory?: Maybe<TaxCategory>;\n totalAmount?: Maybe<FinancialAmount>;\n transactions: Array<Transaction>;\n userDescription?: Maybe<Scalars['String']['output']>;\n validationData?: Maybe<ValidationData>;\n vat?: Maybe<FinancialAmount>;\n withholdingTax?: Maybe<FinancialAmount>;\n yearsOfRelevance?: Maybe<Array<YearOfRelevance>>;\n};\n\n/** represent exchange rate between two currencies */\nexport type ConversionRate = {\n __typename?: 'ConversionRate';\n from: Currency;\n rate: Scalars['Float']['output'];\n to: Currency;\n};\n\n/** המרה */\nexport type ConversionTransaction = Transaction & {\n __typename?: 'ConversionTransaction';\n account: FinancialAccount;\n amount: FinancialAmount;\n balance: FinancialAmount;\n /** המרה של הבנק */\n bankRate: Scalars['Rate']['output'];\n chargeId: Scalars['UUID']['output'];\n counterparty?: Maybe<FinancialEntity>;\n createdAt: Scalars['DateTime']['output'];\n cryptoExchangeRate?: Maybe<ConversionRate>;\n debitExchangeRates?: Maybe<ExchangeRates>;\n direction: TransactionDirection;\n effectiveDate: Scalars['TimelessDate']['output'];\n eventDate: Scalars['TimelessDate']['output'];\n eventExchangeRates?: Maybe<ExchangeRates>;\n exactEffectiveDate?: Maybe<Scalars['DateTime']['output']>;\n id: Scalars['UUID']['output'];\n isFee?: Maybe<Scalars['Boolean']['output']>;\n missingInfoSuggestions?: Maybe<TransactionSuggestions>;\n /** בנק ישראל */\n officialRateToLocal?: Maybe<Scalars['Rate']['output']>;\n referenceKey?: Maybe<Scalars['String']['output']>;\n sourceDescription: Scalars['String']['output'];\n sourceEffectiveDate?: Maybe<Scalars['TimelessDate']['output']>;\n type: ConversionTransactionType;\n updatedAt: Scalars['DateTime']['output'];\n};\n\n/** Type pf conversion transaction */\nexport const ConversionTransactionType = {\n /** מכירה */\n Base: 'BASE',\n /** קניה */\n Quote: 'QUOTE'\n} as const;\n\nexport type ConversionTransactionType = typeof ConversionTransactionType[keyof typeof ConversionTransactionType];\n/** Corporate tax variables */\nexport type CorporateTax = {\n __typename?: 'CorporateTax';\n corporateId: Scalars['UUID']['output'];\n date: Scalars['TimelessDate']['output'];\n id: Scalars['ID']['output'];\n taxRate: Scalars['Float']['output'];\n};\n\n/** Corporate tax rule */\nexport type CorporateTaxRule = {\n __typename?: 'CorporateTaxRule';\n id: Scalars['ID']['output'];\n isCompliant: Scalars['Boolean']['output'];\n percentage: CorporateTaxRulePercentage;\n rule: Scalars['String']['output'];\n};\n\n/** Corporate tax rule percentage */\nexport type CorporateTaxRulePercentage = {\n __typename?: 'CorporateTaxRulePercentage';\n formatted: Scalars['String']['output'];\n value: Scalars['Float']['output'];\n};\n\n/** result type for corporateTaxReport */\nexport type CorporateTaxRulingComplianceReport = {\n __typename?: 'CorporateTaxRulingComplianceReport';\n businessTripRndExpenses: FinancialAmount;\n differences: CorporateTaxRulingComplianceReportDifferences;\n foreignDevelopmentExpenses: FinancialAmount;\n foreignDevelopmentRelativeToRnd: CorporateTaxRule;\n id: Scalars['ID']['output'];\n localDevelopmentExpenses: FinancialAmount;\n localDevelopmentRelativeToRnd: CorporateTaxRule;\n researchAndDevelopmentExpenses: FinancialAmount;\n rndRelativeToIncome: CorporateTaxRule;\n totalIncome: FinancialAmount;\n year: Scalars['Int']['output'];\n};\n\n/** Differences between the report info and the generated ledger suggested info */\nexport type CorporateTaxRulingComplianceReportDifferences = {\n __typename?: 'CorporateTaxRulingComplianceReportDifferences';\n businessTripRndExpenses?: Maybe<FinancialAmount>;\n foreignDevelopmentExpenses?: Maybe<FinancialAmount>;\n foreignDevelopmentRelativeToRnd?: Maybe<CorporateTaxRule>;\n id: Scalars['ID']['output'];\n localDevelopmentExpenses?: Maybe<FinancialAmount>;\n localDevelopmentRelativeToRnd?: Maybe<CorporateTaxRule>;\n researchAndDevelopmentExpenses?: Maybe<FinancialAmount>;\n rndRelativeToIncome?: Maybe<CorporateTaxRule>;\n totalIncome?: Maybe<FinancialAmount>;\n};\n\n/** a country */\nexport type Country = {\n __typename?: 'Country';\n code: Scalars['CountryCode']['output'];\n id: Scalars['ID']['output'];\n name: Scalars['String']['output'];\n};\n\n/** Input type for creating a new admin business. */\nexport type CreateAdminBusinessInput = {\n businessId: Scalars['UUID']['input'];\n companyTaxId: Scalars['String']['input'];\n registrationDate: Scalars['TimelessDate']['input'];\n socialSecurityEmployerId?: InputMaybe<Scalars['String']['input']>;\n taxAdvancesAnnualId?: InputMaybe<Scalars['String']['input']>;\n taxAdvancesRate?: InputMaybe<Scalars['Float']['input']>;\n withholdingTaxAnnualId?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** input for creating a new contract */\nexport type CreateContractInput = {\n amount: FinancialAmountInput;\n billingCycle: BillingCycle;\n clientId: Scalars['UUID']['input'];\n deactivateContracts?: InputMaybe<Array<Scalars['UUID']['input']>>;\n documentType: DocumentType;\n endDate: Scalars['TimelessDate']['input'];\n isActive: Scalars['Boolean']['input'];\n msCloud?: InputMaybe<Scalars['URL']['input']>;\n operationsLimit?: InputMaybe<Scalars['BigInt']['input']>;\n plan?: InputMaybe<SubscriptionPlan>;\n product?: InputMaybe<Product>;\n purchaseOrders: Array<Scalars['String']['input']>;\n remarks?: InputMaybe<Scalars['String']['input']>;\n startDate: Scalars['TimelessDate']['input'];\n};\n\n/** input type for creating a financial account */\nexport type CreateFinancialAccountInput = {\n bankAccountDetails?: InputMaybe<BankAccountInsertInput>;\n currencies?: InputMaybe<Array<FinancialAccountCurrencyInput>>;\n name: Scalars['String']['input'];\n number: Scalars['String']['input'];\n ownerId: Scalars['UUID']['input'];\n privateOrBusiness: PrivateOrBusinessType;\n type: FinancialAccountType;\n};\n\n/** Credit invoice document - חשבונית זיכוי */\nexport type CreditInvoice = Document & FinancialDocument & Linkable & {\n __typename?: 'CreditInvoice';\n allocationNumber?: Maybe<Scalars['String']['output']>;\n amount?: Maybe<FinancialAmount>;\n charge?: Maybe<Charge>;\n creditor?: Maybe<FinancialEntity>;\n date?: Maybe<Scalars['TimelessDate']['output']>;\n debtor?: Maybe<FinancialEntity>;\n description?: Maybe<Scalars['String']['output']>;\n documentType?: Maybe<DocumentType>;\n exchangeRateOverride?: Maybe<Scalars['Float']['output']>;\n file?: Maybe<Scalars['URL']['output']>;\n id: Scalars['UUID']['output'];\n image?: Maybe<Scalars['URL']['output']>;\n isReviewed?: Maybe<Scalars['Boolean']['output']>;\n issuedDocumentInfo?: Maybe<IssuedDocumentInfo>;\n missingInfoSuggestions?: Maybe<DocumentSuggestions>;\n noVatAmount?: Maybe<Scalars['Float']['output']>;\n remarks?: Maybe<Scalars['String']['output']>;\n serialNumber?: Maybe<Scalars['String']['output']>;\n vat?: Maybe<FinancialAmount>;\n vatReportDateOverride?: Maybe<Scalars['TimelessDate']['output']>;\n};\n\n/** charge of creditcard over bank account */\nexport type CreditcardBankCharge = Charge & {\n __typename?: 'CreditcardBankCharge';\n accountantApproval: AccountantStatus;\n additionalDocuments: Array<Document>;\n counterparty?: Maybe<FinancialEntity>;\n creditCardTransactions: Array<Transaction>;\n decreasedVAT?: Maybe<Scalars['Boolean']['output']>;\n id: Scalars['UUID']['output'];\n isInvoicePaymentDifferentCurrency?: Maybe<Scalars['Boolean']['output']>;\n ledger: Ledger;\n metadata?: Maybe<ChargeMetadata>;\n minDebitDate?: Maybe<Scalars['DateTime']['output']>;\n minDocumentsDate?: Maybe<Scalars['DateTime']['output']>;\n minEventDate?: Maybe<Scalars['DateTime']['output']>;\n miscExpenses: Array<MiscExpense>;\n missingInfoSuggestions?: Maybe<ChargeSuggestions>;\n optionalDocuments?: Maybe<Scalars['Boolean']['output']>;\n optionalVAT?: Maybe<Scalars['Boolean']['output']>;\n owner: Business;\n property?: Maybe<Scalars['Boolean']['output']>;\n tags: Array<Tag>;\n taxCategory?: Maybe<TaxCategory>;\n totalAmount?: Maybe<FinancialAmount>;\n transactions: Array<Transaction>;\n userDescription?: Maybe<Scalars['String']['output']>;\n validCreditCardAmount: Scalars['Boolean']['output'];\n validationData?: Maybe<ValidationData>;\n vat?: Maybe<FinancialAmount>;\n withholdingTax?: Maybe<FinancialAmount>;\n yearsOfRelevance?: Maybe<Array<YearOfRelevance>>;\n};\n\n/** represent a single credit card */\nexport type CryptoWalletFinancialAccount = FinancialAccount & {\n __typename?: 'CryptoWalletFinancialAccount';\n accountTaxCategories: Array<CurrencyTaxCategory>;\n charges: Array<Charge>;\n id: Scalars['UUID']['output'];\n name: Scalars['String']['output'];\n /** the external identifier of the wallet */\n number: Scalars['String']['output'];\n privateOrBusiness: PrivateOrBusinessType;\n type: FinancialAccountType;\n};\n\n\n/** represent a single credit card */\nexport type CryptoWalletFinancialAccountChargesArgs = {\n filter?: InputMaybe<ChargeFilter>;\n};\n\n/** All possible currencies */\nexport const Currency = {\n /** FIAT currencies */\n Aud: 'AUD',\n Cad: 'CAD',\n /** Crypto currencies */\n Eth: 'ETH',\n Eur: 'EUR',\n Gbp: 'GBP',\n Grt: 'GRT',\n Ils: 'ILS',\n Jpy: 'JPY',\n Sek: 'SEK',\n Usd: 'USD',\n Usdc: 'USDC'\n} as const;\n\nexport type Currency = typeof Currency[keyof typeof Currency];\n/** extended type for currency tax category linked to financial account */\nexport type CurrencyTaxCategory = {\n __typename?: 'CurrencyTaxCategory';\n currency: Currency;\n id: Scalars['ID']['output'];\n taxCategory: TaxCategory;\n};\n\n/** Currency reporting type enum (דיווח מטבע) */\nexport const CurrencyType = {\n /** Amounts in dollars (הסכומים בדולרים) */\n Dollars: 'DOLLARS',\n /** Amounts in shekels (הסכומים בשקלים) */\n Shekels: 'SHEKELS'\n} as const;\n\nexport type CurrencyType = typeof CurrencyType[keyof typeof CurrencyType];\n/** a date range */\nexport type DateRange = {\n __typename?: 'DateRange';\n end: Scalars['TimelessDate']['output'];\n start: Scalars['TimelessDate']['output'];\n};\n\n/** the input for removing a business trip attendee */\nexport type DeleteBusinessTripAttendeeInput = {\n attendeeId: Scalars['UUID']['input'];\n businessTripId: Scalars['UUID']['input'];\n};\n\n/** represent a category of depreciation */\nexport type DepreciationCategory = {\n __typename?: 'DepreciationCategory';\n id: Scalars['UUID']['output'];\n name: Scalars['String']['output'];\n percentage: Scalars['Float']['output'];\n};\n\n/** Depreciation report record core fields */\nexport type DepreciationCoreRecord = {\n id: Scalars['ID']['output'];\n netValue: Scalars['Int']['output'];\n originalCost?: Maybe<Scalars['Int']['output']>;\n pastYearsAccumulatedDepreciation: Scalars['Int']['output'];\n reportYearClaimedDepreciation: Scalars['Int']['output'];\n reportYearDelta?: Maybe<Scalars['Int']['output']>;\n totalDepreciableCosts: Scalars['Int']['output'];\n totalDepreciation: Scalars['Int']['output'];\n};\n\n/** represent a depreciation record for a charge */\nexport type DepreciationRecord = {\n __typename?: 'DepreciationRecord';\n activationDate: Scalars['TimelessDate']['output'];\n amount: FinancialAmount;\n category: DepreciationCategory;\n charge: Charge;\n chargeId: Scalars['UUID']['output'];\n id: Scalars['UUID']['output'];\n type?: Maybe<DepreciationType>;\n};\n\n/** Depreciation report category group */\nexport type DepreciationReportCategory = {\n __typename?: 'DepreciationReportCategory';\n category: DepreciationCategory;\n id: Scalars['ID']['output'];\n records: Array<DepreciationReportRecord>;\n summary: DepreciationReportSummaryRecord;\n};\n\n/** input variables for depreciationReport */\nexport type DepreciationReportFilter = {\n financialEntityId?: InputMaybe<Scalars['UUID']['input']>;\n year: Scalars['Int']['input'];\n};\n\n/** Depreciation report record */\nexport type DepreciationReportRecord = DepreciationCoreRecord & {\n __typename?: 'DepreciationReportRecord';\n activationDate?: Maybe<Scalars['TimelessDate']['output']>;\n chargeId: Scalars['UUID']['output'];\n claimedDepreciationRate?: Maybe<Scalars['Float']['output']>;\n description?: Maybe<Scalars['String']['output']>;\n id: Scalars['ID']['output'];\n netValue: Scalars['Int']['output'];\n originalCost?: Maybe<Scalars['Int']['output']>;\n pastYearsAccumulatedDepreciation: Scalars['Int']['output'];\n purchaseDate: Scalars['TimelessDate']['output'];\n reportYearClaimedDepreciation: Scalars['Int']['output'];\n reportYearDelta?: Maybe<Scalars['Int']['output']>;\n statutoryDepreciationRate: Scalars['Float']['output'];\n totalDepreciableCosts: Scalars['Int']['output'];\n totalDepreciation: Scalars['Int']['output'];\n};\n\n/** depreciation report result */\nexport type DepreciationReportResult = {\n __typename?: 'DepreciationReportResult';\n categories: Array<DepreciationReportCategory>;\n id: Scalars['ID']['output'];\n summary: DepreciationReportSummaryRecord;\n year: Scalars['Int']['output'];\n};\n\n/** Depreciation report summary record */\nexport type DepreciationReportSummaryRecord = DepreciationCoreRecord & {\n __typename?: 'DepreciationReportSummaryRecord';\n id: Scalars['ID']['output'];\n netValue: Scalars['Int']['output'];\n originalCost?: Maybe<Scalars['Int']['output']>;\n pastYearsAccumulatedDepreciation: Scalars['Int']['output'];\n reportYearClaimedDepreciation: Scalars['Int']['output'];\n reportYearDelta?: Maybe<Scalars['Int']['output']>;\n totalDepreciableCosts: Scalars['Int']['output'];\n totalDepreciation: Scalars['Int']['output'];\n};\n\n/** depreciation type */\nexport const DepreciationType = {\n GeneralAndManagement: 'GENERAL_AND_MANAGEMENT',\n Marketing: 'MARKETING',\n ResearchAndDevelopment: 'RESEARCH_AND_DEVELOPMENT'\n} as const;\n\nexport type DepreciationType = typeof DepreciationType[keyof typeof DepreciationType];\n/** charge of dividends */\nexport type DividendCharge = Charge & {\n __typename?: 'DividendCharge';\n accountantApproval: AccountantStatus;\n additionalDocuments: Array<Document>;\n counterparty?: Maybe<FinancialEntity>;\n decreasedVAT?: Maybe<Scalars['Boolean']['output']>;\n id: Scalars['UUID']['output'];\n isInvoicePaymentDifferentCurrency?: Maybe<Scalars['Boolean']['output']>;\n ledger: Ledger;\n metadata?: Maybe<ChargeMetadata>;\n minDebitDate?: Maybe<Scalars['DateTime']['output']>;\n minDocumentsDate?: Maybe<Scalars['DateTime']['output']>;\n minEventDate?: Maybe<Scalars['DateTime']['output']>;\n miscExpenses: Array<MiscExpense>;\n missingInfoSuggestions?: Maybe<ChargeSuggestions>;\n optionalDocuments?: Maybe<Scalars['Boolean']['output']>;\n optionalVAT?: Maybe<Scalars['Boolean']['output']>;\n owner: Business;\n property?: Maybe<Scalars['Boolean']['output']>;\n tags: Array<Tag>;\n taxCategory?: Maybe<TaxCategory>;\n totalAmount?: Maybe<FinancialAmount>;\n transactions: Array<Transaction>;\n userDescription?: Maybe<Scalars['String']['output']>;\n validationData?: Maybe<ValidationData>;\n vat?: Maybe<FinancialAmount>;\n withholdingTax?: Maybe<FinancialAmount>;\n yearsOfRelevance?: Maybe<Array<YearOfRelevance>>;\n};\n\n/** represent a generic document with identifier and a URL */\nexport type Document = {\n charge?: Maybe<Charge>;\n description?: Maybe<Scalars['String']['output']>;\n /** the specific type of the document */\n documentType?: Maybe<DocumentType>;\n /** link to original file gmail, pdf */\n file?: Maybe<Scalars['URL']['output']>;\n id: Scalars['UUID']['output'];\n /** previewable image */\n image?: Maybe<Scalars['URL']['output']>;\n isReviewed?: Maybe<Scalars['Boolean']['output']>;\n remarks?: Maybe<Scalars['String']['output']>;\n};\n\n/** client input */\nexport type DocumentClientInput = {\n add?: InputMaybe<Scalars['Boolean']['input']>;\n address?: InputMaybe<Scalars['String']['input']>;\n city?: InputMaybe<Scalars['String']['input']>;\n country?: InputMaybe<Scalars['CountryCode']['input']>;\n emails?: InputMaybe<Array<Scalars['String']['input']>>;\n fax?: InputMaybe<Scalars['String']['input']>;\n id: Scalars['UUID']['input'];\n mobile?: InputMaybe<Scalars['String']['input']>;\n name?: InputMaybe<Scalars['String']['input']>;\n phone?: InputMaybe<Scalars['String']['input']>;\n self?: InputMaybe<Scalars['Boolean']['input']>;\n taxId?: InputMaybe<Scalars['String']['input']>;\n zipCode?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** document discount info */\nexport type DocumentDiscount = {\n __typename?: 'DocumentDiscount';\n amount: Scalars['Float']['output'];\n type: DocumentDiscountType;\n};\n\n/** discount input */\nexport type DocumentDiscountInput = {\n amount: Scalars['Float']['input'];\n type: DocumentDiscountType;\n};\n\n/** discount type enum */\nexport const DocumentDiscountType = {\n Percentage: 'PERCENTAGE',\n Sum: 'SUM'\n} as const;\n\nexport type DocumentDiscountType = typeof DocumentDiscountType[keyof typeof DocumentDiscountType];\n/** for previewing/issuing document */\nexport type DocumentDraft = {\n __typename?: 'DocumentDraft';\n client?: Maybe<Client>;\n currency: Currency;\n date?: Maybe<Scalars['String']['output']>;\n description?: Maybe<Scalars['String']['output']>;\n discount?: Maybe<DocumentDiscount>;\n dueDate?: Maybe<Scalars['String']['output']>;\n footer?: Maybe<Scalars['String']['output']>;\n income?: Maybe<Array<DocumentIncomeRecord>>;\n language: DocumentLanguage;\n linkType?: Maybe<DocumentLinkType>;\n linkedDocumentIds?: Maybe<Array<Scalars['String']['output']>>;\n linkedPaymentId?: Maybe<Scalars['String']['output']>;\n maxPayments?: Maybe<Scalars['Int']['output']>;\n payment?: Maybe<Array<DocumentPaymentRecord>>;\n remarks?: Maybe<Scalars['String']['output']>;\n rounding?: Maybe<Scalars['Boolean']['output']>;\n signed?: Maybe<Scalars['Boolean']['output']>;\n type: DocumentType;\n vatType: DocumentVatType;\n};\n\n/** income info */\nexport type DocumentIncomeRecord = {\n __typename?: 'DocumentIncomeRecord';\n currency: Currency;\n currencyRate?: Maybe<Scalars['Float']['output']>;\n description: Scalars['String']['output'];\n itemId?: Maybe<Scalars['String']['output']>;\n price: Scalars['Float']['output'];\n quantity: Scalars['Float']['output'];\n vatRate?: Maybe<Scalars['Float']['output']>;\n vatType: DocumentVatType;\n};\n\n/** income input */\nexport type DocumentIncomeRecordInput = {\n amount?: InputMaybe<Scalars['Float']['input']>;\n amountTotal?: InputMaybe<Scalars['Float']['input']>;\n catalogNum?: InputMaybe<Scalars['String']['input']>;\n currency: Currency;\n currencyRate?: InputMaybe<Scalars['Float']['input']>;\n description: Scalars['String']['input'];\n itemId?: InputMaybe<Scalars['String']['input']>;\n price: Scalars['Float']['input'];\n quantity: Scalars['Float']['input'];\n vat?: InputMaybe<Scalars['Float']['input']>;\n vatRate?: InputMaybe<Scalars['Float']['input']>;\n vatType: DocumentVatType;\n};\n\n/** input for issuing or previewing document */\nexport type DocumentIssueInput = {\n client?: InputMaybe<DocumentClientInput>;\n currency: Currency;\n date?: InputMaybe<Scalars['String']['input']>;\n description?: InputMaybe<Scalars['String']['input']>;\n discount?: InputMaybe<DocumentDiscountInput>;\n dueDate?: InputMaybe<Scalars['String']['input']>;\n footer?: InputMaybe<Scalars['String']['input']>;\n income?: InputMaybe<Array<DocumentIncomeRecordInput>>;\n language: DocumentLanguage;\n linkType?: InputMaybe<DocumentLinkType>;\n linkedDocumentIds?: InputMaybe<Array<Scalars['String']['input']>>;\n linkedPaymentId?: InputMaybe<Scalars['String']['input']>;\n maxPayments?: InputMaybe<Scalars['Int']['input']>;\n payment?: InputMaybe<Array<DocumentPaymentRecordInput>>;\n remarks?: InputMaybe<Scalars['String']['input']>;\n rounding?: InputMaybe<Scalars['Boolean']['input']>;\n signed?: InputMaybe<Scalars['Boolean']['input']>;\n type: DocumentType;\n vatType: DocumentVatType;\n};\n\n/** document language enum */\nexport const DocumentLanguage = {\n English: 'ENGLISH',\n Hebrew: 'HEBREW'\n} as const;\n\nexport type DocumentLanguage = typeof DocumentLanguage[keyof typeof DocumentLanguage];\n/** link type enum */\nexport const DocumentLinkType = {\n Cancel: 'CANCEL',\n Link: 'LINK'\n} as const;\n\nexport type DocumentLinkType = typeof DocumentLinkType[keyof typeof DocumentLinkType];\n/** payment info */\nexport type DocumentPaymentRecord = {\n __typename?: 'DocumentPaymentRecord';\n accountId?: Maybe<Scalars['String']['output']>;\n bankAccount?: Maybe<Scalars['String']['output']>;\n bankBranch?: Maybe<Scalars['String']['output']>;\n /** subType: GreenInvoicePaymentSubType */\n bankName?: Maybe<Scalars['String']['output']>;\n cardNum?: Maybe<Scalars['String']['output']>;\n /** appType: GreenInvoicePaymentAppType */\n cardType?: Maybe<DocumentPaymentRecordCardType>;\n chequeNum?: Maybe<Scalars['String']['output']>;\n currency: Currency;\n currencyRate?: Maybe<Scalars['Float']['output']>;\n date?: Maybe<Scalars['String']['output']>;\n firstPayment?: Maybe<Scalars['Float']['output']>;\n /** dealType: GreenInvoicePaymentDealType */\n numPayments?: Maybe<Scalars['Int']['output']>;\n price: Scalars['Float']['output'];\n transactionId?: Maybe<Scalars['String']['output']>;\n type: PaymentType;\n};\n\n/** card type enum */\nexport const DocumentPaymentRecordCardType = {\n AmericanExpress: 'AMERICAN_EXPRESS',\n Diners: 'DINERS',\n Isracard: 'ISRACARD',\n Mastercard: 'MASTERCARD',\n Unknown: 'UNKNOWN',\n Visa: 'VISA'\n} as const;\n\nexport type DocumentPaymentRecordCardType = typeof DocumentPaymentRecordCardType[keyof typeof DocumentPaymentRecordCardType];\n/** payment input */\nexport type DocumentPaymentRecordInput = {\n accountId?: InputMaybe<Scalars['String']['input']>;\n bankAccount?: InputMaybe<Scalars['String']['input']>;\n bankBranch?: InputMaybe<Scalars['String']['input']>;\n bankName?: InputMaybe<Scalars['String']['input']>;\n cardNum?: InputMaybe<Scalars['String']['input']>;\n cardType?: InputMaybe<DocumentPaymentRecordCardType>;\n chequeNum?: InputMaybe<Scalars['String']['input']>;\n currency: Currency;\n currencyRate?: InputMaybe<Scalars['Float']['input']>;\n date?: InputMaybe<Scalars['String']['input']>;\n firstPayment?: InputMaybe<Scalars['Float']['input']>;\n numPayments?: InputMaybe<Scalars['Int']['input']>;\n price: Scalars['Float']['input'];\n transactionId?: InputMaybe<Scalars['String']['input']>;\n type: PaymentType;\n};\n\n/** Document status */\nexport const DocumentStatus = {\n Cancelled: 'CANCELLED',\n CancelledByOtherDoc: 'CANCELLED_BY_OTHER_DOC',\n Closed: 'CLOSED',\n ManuallyClosed: 'MANUALLY_CLOSED',\n Open: 'OPEN'\n} as const;\n\nexport type DocumentStatus = typeof DocumentStatus[keyof typeof DocumentStatus];\n/** represent document suggestions for missing info */\nexport type DocumentSuggestions = {\n __typename?: 'DocumentSuggestions';\n /** The document amount */\n amount?: Maybe<FinancialAmount>;\n /** The counter-side of the document (opposite to it's owner) */\n counterparty?: Maybe<FinancialEntity>;\n /** The document direction (income or expense) */\n isIncome?: Maybe<Scalars['Boolean']['output']>;\n /** The owner of the document */\n owner?: Maybe<FinancialEntity>;\n};\n\n/** All possible document types */\nexport const DocumentType = {\n CreditInvoice: 'CREDIT_INVOICE',\n Invoice: 'INVOICE',\n InvoiceReceipt: 'INVOICE_RECEIPT',\n Other: 'OTHER',\n Proforma: 'PROFORMA',\n Receipt: 'RECEIPT',\n Unprocessed: 'UNPROCESSED'\n} as const;\n\nexport type DocumentType = typeof DocumentType[keyof typeof DocumentType];\n/** VAT type enum */\nexport const DocumentVatType = {\n Default: 'DEFAULT',\n Exempt: 'EXEMPT',\n Mixed: 'MIXED'\n} as const;\n\nexport type DocumentVatType = typeof DocumentVatType[keyof typeof DocumentVatType];\n/** input variables for documents filtering */\nexport type DocumentsFilters = {\n businessIDs?: InputMaybe<Array<Scalars['UUID']['input']>>;\n fromDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n ownerIDs?: InputMaybe<Array<Scalars['UUID']['input']>>;\n toDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n /** Include only documents without matching transactions */\n unmatched?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** dynamic report data */\nexport type DynamicReportInfo = {\n __typename?: 'DynamicReportInfo';\n created: Scalars['DateTime']['output'];\n id: Scalars['ID']['output'];\n name: Scalars['String']['output'];\n template: Array<DynamicReportNode>;\n updated: Scalars['DateTime']['output'];\n};\n\n/** a single node of dynamic report template */\nexport type DynamicReportNode = {\n __typename?: 'DynamicReportNode';\n data: DynamicReportNodeData;\n droppable: Scalars['Boolean']['output'];\n id: Scalars['ID']['output'];\n parent: Scalars['String']['output'];\n text: Scalars['String']['output'];\n};\n\n/** data of a single node of dynamic report template */\nexport type DynamicReportNodeData = {\n __typename?: 'DynamicReportNodeData';\n descendantFinancialEntities?: Maybe<Array<Scalars['UUID']['output']>>;\n descendantSortCodes?: Maybe<Array<Scalars['Int']['output']>>;\n hebrewText?: Maybe<Scalars['String']['output']>;\n isOpen: Scalars['Boolean']['output'];\n mergedSortCodes?: Maybe<Array<Scalars['Int']['output']>>;\n};\n\n/** types of email attachments that can be parsed */\nexport const EmailAttachmentType = {\n Jpeg: 'JPEG',\n Pdf: 'PDF',\n Png: 'PNG'\n} as const;\n\nexport type EmailAttachmentType = typeof EmailAttachmentType[keyof typeof EmailAttachmentType];\n/** represent employee record */\nexport type Employee = {\n __typename?: 'Employee';\n id: Scalars['UUID']['output'];\n name: Scalars['String']['output'];\n};\n\n/** basic structure of error */\nexport type Error = {\n message: Scalars['String']['output'];\n};\n\n/** represent a financial amount in a specific currency */\nexport type ExchangeRates = {\n __typename?: 'ExchangeRates';\n /** fiat currencies */\n aud?: Maybe<Scalars['Float']['output']>;\n cad?: Maybe<Scalars['Float']['output']>;\n date: Scalars['TimelessDate']['output'];\n /** crypto currencies */\n eth?: Maybe<Scalars['Float']['output']>;\n eur?: Maybe<Scalars['Float']['output']>;\n gbp?: Maybe<Scalars['Float']['output']>;\n grt?: Maybe<Scalars['Float']['output']>;\n ils?: Maybe<Scalars['Float']['output']>;\n jpy?: Maybe<Scalars['Float']['output']>;\n sek?: Maybe<Scalars['Float']['output']>;\n usd?: Maybe<Scalars['Float']['output']>;\n usdc?: Maybe<Scalars['Float']['output']>;\n};\n\n/** Represent something external that we scrape, like bank or card */\nexport type FinancialAccount = {\n /** account's tax categories per currency */\n accountTaxCategories: Array<CurrencyTaxCategory>;\n charges: Array<Charge>;\n id: Scalars['UUID']['output'];\n /** the name of the account */\n name: Scalars['String']['output'];\n /** Account number */\n number: Scalars['String']['output'];\n /** indicates if the account is private or business */\n privateOrBusiness: PrivateOrBusinessType;\n /** the general type of the account */\n type: FinancialAccountType;\n};\n\n\n/** Represent something external that we scrape, like bank or card */\nexport type FinancialAccountChargesArgs = {\n filter?: InputMaybe<ChargeFilter>;\n};\n\n/** input type for financial account currency and tax category */\nexport type FinancialAccountCurrencyInput = {\n currency: Currency;\n taxCategoryId: Scalars['UUID']['input'];\n};\n\n/** general types of financial accounts */\nexport const FinancialAccountType = {\n BankAccount: 'BANK_ACCOUNT',\n BankDepositAccount: 'BANK_DEPOSIT_ACCOUNT',\n CreditCard: 'CREDIT_CARD',\n CryptoWallet: 'CRYPTO_WALLET',\n ForeignSecurities: 'FOREIGN_SECURITIES'\n} as const;\n\nexport type FinancialAccountType = typeof FinancialAccountType[keyof typeof FinancialAccountType];\n/** Represent financial amount */\nexport type FinancialAmount = {\n __typename?: 'FinancialAmount';\n /** currency of the amount */\n currency: Currency;\n /** formatted value with the currency symbol, like: 10$ */\n formatted: Scalars['String']['output'];\n /** the raw amount, for example: 19.99 */\n raw: Scalars['Float']['output'];\n};\n\n/** input variables for updateCharge.FinancialAmount */\nexport type FinancialAmountInput = {\n currency: Currency;\n raw: Scalars['Float']['input'];\n};\n\n/** financial charge */\nexport type FinancialCharge = Charge & {\n __typename?: 'FinancialCharge';\n accountantApproval: AccountantStatus;\n additionalDocuments: Array<Document>;\n counterparty?: Maybe<FinancialEntity>;\n decreasedVAT?: Maybe<Scalars['Boolean']['output']>;\n exchangeRates?: Maybe<ExchangeRates>;\n id: Scalars['UUID']['output'];\n isInvoicePaymentDifferentCurrency?: Maybe<Scalars['Boolean']['output']>;\n ledger: Ledger;\n metadata?: Maybe<ChargeMetadata>;\n minDebitDate?: Maybe<Scalars['DateTime']['output']>;\n minDocumentsDate?: Maybe<Scalars['DateTime']['output']>;\n minEventDate?: Maybe<Scalars['DateTime']['output']>;\n miscExpenses: Array<MiscExpense>;\n missingInfoSuggestions?: Maybe<ChargeSuggestions>;\n optionalDocuments?: Maybe<Scalars['Boolean']['output']>;\n optionalVAT?: Maybe<Scalars['Boolean']['output']>;\n owner: Business;\n property?: Maybe<Scalars['Boolean']['output']>;\n tags: Array<Tag>;\n taxCategory?: Maybe<TaxCategory>;\n totalAmount?: Maybe<FinancialAmount>;\n transactions: Array<Transaction>;\n type: ChargeType;\n userDescription?: Maybe<Scalars['String']['output']>;\n validationData?: Maybe<ValidationData>;\n vat?: Maybe<FinancialAmount>;\n withholdingTax?: Maybe<FinancialAmount>;\n yearsOfRelevance?: Maybe<Array<YearOfRelevance>>;\n};\n\n/** result type for generateFinancialCharges */\nexport type FinancialChargesGenerationResult = {\n __typename?: 'FinancialChargesGenerationResult';\n bankDepositsRevaluationCharge?: Maybe<FinancialCharge>;\n depreciationCharge?: Maybe<FinancialCharge>;\n id: Scalars['ID']['output'];\n recoveryReserveCharge?: Maybe<FinancialCharge>;\n revaluationCharge?: Maybe<FinancialCharge>;\n taxExpensesCharge?: Maybe<FinancialCharge>;\n vacationReserveCharge?: Maybe<FinancialCharge>;\n};\n\n/** represent a financial document */\nexport type FinancialDocument = {\n allocationNumber?: Maybe<Scalars['String']['output']>;\n amount?: Maybe<FinancialAmount>;\n charge?: Maybe<Charge>;\n creditor?: Maybe<FinancialEntity>;\n date?: Maybe<Scalars['TimelessDate']['output']>;\n debtor?: Maybe<FinancialEntity>;\n description?: Maybe<Scalars['String']['output']>;\n documentType?: Maybe<DocumentType>;\n exchangeRateOverride?: Maybe<Scalars['Float']['output']>;\n file?: Maybe<Scalars['URL']['output']>;\n id: Scalars['UUID']['output'];\n image?: Maybe<Scalars['URL']['output']>;\n isReviewed?: Maybe<Scalars['Boolean']['output']>;\n issuedDocumentInfo?: Maybe<IssuedDocumentInfo>;\n /** missing info suggestions data */\n missingInfoSuggestions?: Maybe<DocumentSuggestions>;\n noVatAmount?: Maybe<Scalars['Float']['output']>;\n remarks?: Maybe<Scalars['String']['output']>;\n serialNumber?: Maybe<Scalars['String']['output']>;\n vat?: Maybe<FinancialAmount>;\n vatReportDateOverride?: Maybe<Scalars['TimelessDate']['output']>;\n};\n\n/** represent a financial entity of any type, including businesses, tax categories, etc. */\nexport type FinancialEntity = {\n createdAt: Scalars['DateTime']['output'];\n id: Scalars['UUID']['output'];\n irsCode?: Maybe<Scalars['Int']['output']>;\n isActive: Scalars['Boolean']['output'];\n name: Scalars['String']['output'];\n sortCode?: Maybe<SortCode>;\n updatedAt: Scalars['DateTime']['output'];\n};\n\n/** represent financial entity type */\nexport const FinancialEntityType = {\n Business: 'BUSINESS',\n TaxCategory: 'TAX_CATEGORY'\n} as const;\n\nexport type FinancialEntityType = typeof FinancialEntityType[keyof typeof FinancialEntityType];\n/** Represent financial rounded amount with Int values */\nexport type FinancialIntAmount = {\n __typename?: 'FinancialIntAmount';\n /** currency of the amount */\n currency: Currency;\n /** formatted value with the currency symbol, like: 10$ */\n formatted: Scalars['String']['output'];\n /** the raw amount, for example: 19 */\n raw: Scalars['Int']['output'];\n};\n\n/** result type for flagForeignFeeTransactions */\nexport type FlagForeignFeeTransactionsResult = {\n __typename?: 'FlagForeignFeeTransactionsResult';\n errors?: Maybe<Array<Scalars['String']['output']>>;\n success: Scalars['Boolean']['output'];\n transactions?: Maybe<Array<Transaction>>;\n};\n\n/** represent flight classes */\nexport const FlightClass = {\n Business: 'BUSINESS',\n Economy: 'ECONOMY',\n FirstClass: 'FIRST_CLASS',\n PremiumEconomy: 'PREMIUM_ECONOMY'\n} as const;\n\nexport type FlightClass = typeof FlightClass[keyof typeof FlightClass];\n/** summary of foreign currency business transactions */\nexport type ForeignCurrencySum = {\n __typename?: 'ForeignCurrencySum';\n credit: FinancialAmount;\n currency: Currency;\n debit: FinancialAmount;\n total: FinancialAmount;\n};\n\n/** charge of foreign securities */\nexport type ForeignSecuritiesCharge = Charge & {\n __typename?: 'ForeignSecuritiesCharge';\n accountantApproval: AccountantStatus;\n additionalDocuments: Array<Document>;\n counterparty?: Maybe<FinancialEntity>;\n decreasedVAT?: Maybe<Scalars['Boolean']['output']>;\n id: Scalars['UUID']['output'];\n isInvoicePaymentDifferentCurrency?: Maybe<Scalars['Boolean']['output']>;\n ledger: Ledger;\n metadata?: Maybe<ChargeMetadata>;\n minDebitDate?: Maybe<Scalars['DateTime']['output']>;\n minDocumentsDate?: Maybe<Scalars['DateTime']['output']>;\n minEventDate?: Maybe<Scalars['DateTime']['output']>;\n miscExpenses: Array<MiscExpense>;\n missingInfoSuggestions?: Maybe<ChargeSuggestions>;\n optionalDocuments?: Maybe<Scalars['Boolean']['output']>;\n optionalVAT?: Maybe<Scalars['Boolean']['output']>;\n owner: Business;\n property?: Maybe<Scalars['Boolean']['output']>;\n tags: Array<Tag>;\n taxCategory?: Maybe<TaxCategory>;\n totalAmount?: Maybe<FinancialAmount>;\n transactions: Array<Transaction>;\n userDescription?: Maybe<Scalars['String']['output']>;\n validationData?: Maybe<ValidationData>;\n vat?: Maybe<FinancialAmount>;\n withholdingTax?: Maybe<FinancialAmount>;\n yearsOfRelevance?: Maybe<Array<YearOfRelevance>>;\n};\n\n/** represent a foreign securities account */\nexport type ForeignSecuritiesFinancialAccount = FinancialAccount & {\n __typename?: 'ForeignSecuritiesFinancialAccount';\n accountTaxCategories: Array<CurrencyTaxCategory>;\n charges: Array<Charge>;\n id: Scalars['UUID']['output'];\n name: Scalars['String']['output'];\n number: Scalars['String']['output'];\n privateOrBusiness: PrivateOrBusinessType;\n type: FinancialAccountType;\n};\n\n\n/** represent a foreign securities account */\nexport type ForeignSecuritiesFinancialAccountChargesArgs = {\n filter?: InputMaybe<ChargeFilter>;\n};\n\n/** fund entity prototype */\nexport type Fund = {\n id: Scalars['UUID']['output'];\n name: Scalars['String']['output'];\n};\n\n/** API key payload returned after generating a new API key */\nexport type GenerateApiKeyPayload = {\n __typename?: 'GenerateApiKeyPayload';\n apiKey: Scalars['String']['output'];\n record: ApiKey;\n};\n\n/** result type for generateDocuments */\nexport type GenerateDocumentsResult = {\n __typename?: 'GenerateDocumentsResult';\n errors?: Maybe<Array<Scalars['String']['output']>>;\n success: Scalars['Boolean']['output'];\n};\n\n/** result type for ledger records */\nexport type GeneratedLedgerRecords = CommonError | Ledger;\n\n/** client info */\nexport type GreenInvoiceClient = {\n __typename?: 'GreenInvoiceClient';\n add?: Maybe<Scalars['Boolean']['output']>;\n address?: Maybe<Scalars['String']['output']>;\n businessId: Scalars['UUID']['output'];\n city?: Maybe<Scalars['String']['output']>;\n country?: Maybe<Country>;\n emails?: Maybe<Array<Scalars['String']['output']>>;\n fax?: Maybe<Scalars['String']['output']>;\n greenInvoiceId?: Maybe<Scalars['ID']['output']>;\n mobile?: Maybe<Scalars['String']['output']>;\n name?: Maybe<Scalars['String']['output']>;\n phone?: Maybe<Scalars['String']['output']>;\n self?: Maybe<Scalars['Boolean']['output']>;\n taxId?: Maybe<Scalars['String']['output']>;\n zip?: Maybe<Scalars['String']['output']>;\n};\n\n/** IFRS reporting option enum (דווח בחלופה - יישום תקני חשבונאות) */\nexport const IfrsReportingOption = {\n /** No IFRS implementation (במידה ואין יישום תקני חשבונאות) */\n None: 'NONE',\n /** Option 1 (חלופה 1) */\n Option_1: 'OPTION_1',\n /** Accounting adjustments for those who implemented Option 2 per directive 7/2010 (התאמות חשבונאיות למי שיישם את חלופה 2 בהוראת ביצוע 7/2010) */\n Option_2Adjustments: 'OPTION_2_ADJUSTMENTS',\n /** Accounting adjustments for those who implemented Option 3 per directive 7/2010 (התאמות חשבונאיות למי שיישם את חלופה 3 בהוראת ביצוע 7/2010) */\n Option_3Adjustments: 'OPTION_3_ADJUSTMENTS'\n} as const;\n\nexport type IfrsReportingOption = typeof IfrsReportingOption[keyof typeof IfrsReportingOption];\n/** income chart information */\nexport type IncomeExpenseChart = {\n __typename?: 'IncomeExpenseChart';\n currency: Currency;\n fromDate: Scalars['TimelessDate']['output'];\n monthlyData: Array<IncomeExpenseChartMonthData>;\n toDate: Scalars['TimelessDate']['output'];\n};\n\n/** input variables for incomeExpenseChart filters */\nexport type IncomeExpenseChartFilters = {\n currency?: InputMaybe<Currency>;\n fromDate: Scalars['TimelessDate']['input'];\n toDate: Scalars['TimelessDate']['input'];\n};\n\n/** income chart month information */\nexport type IncomeExpenseChartMonthData = {\n __typename?: 'IncomeExpenseChartMonthData';\n balance: FinancialAmount;\n date: Scalars['TimelessDate']['output'];\n expense: FinancialAmount;\n income: FinancialAmount;\n};\n\n/** Business type enum (סוג עסק) */\nexport const IndividualOrCompany = {\n /** Company (חברה) */\n Company: 'COMPANY',\n /** Individual (יחיד) */\n Individual: 'INDIVIDUAL'\n} as const;\n\nexport type IndividualOrCompany = typeof IndividualOrCompany[keyof typeof IndividualOrCompany];\n/** the input for adding an attendee to a business trip */\nexport type InsertBusinessTripAttendeeInput = {\n arrivalDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n attendeeId: Scalars['UUID']['input'];\n businessTripId: Scalars['UUID']['input'];\n departureDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n};\n\n/** the input for creating a business trip */\nexport type InsertBusinessTripInput = {\n destinationCode?: InputMaybe<Scalars['String']['input']>;\n fromDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n name: Scalars['String']['input'];\n toDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n tripPurpose?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** input variables for insertDepreciationCategory */\nexport type InsertDepreciationCategoryInput = {\n name: Scalars['String']['input'];\n percentage: Scalars['Float']['input'];\n};\n\n/** result type for insertDepreciationCategory */\nexport type InsertDepreciationCategoryResult = CommonError | DepreciationCategory;\n\n/** input variables for insertDepreciationRecord */\nexport type InsertDepreciationRecordInput = {\n activationDate: Scalars['TimelessDate']['input'];\n amount?: InputMaybe<Scalars['Float']['input']>;\n categoryId: Scalars['UUID']['input'];\n chargeId: Scalars['UUID']['input'];\n currency?: InputMaybe<Currency>;\n type?: InputMaybe<DepreciationType>;\n};\n\n/** result type for insertDepreciationRecord */\nexport type InsertDepreciationRecordResult = CommonError | DepreciationRecord;\n\n/** input variables for insertDocument */\nexport type InsertDocumentInput = {\n allocationNumber?: InputMaybe<Scalars['String']['input']>;\n amount?: InputMaybe<FinancialAmountInput>;\n chargeId?: InputMaybe<Scalars['UUID']['input']>;\n creditorId?: InputMaybe<Scalars['UUID']['input']>;\n date?: InputMaybe<Scalars['TimelessDate']['input']>;\n debtorId?: InputMaybe<Scalars['UUID']['input']>;\n description?: InputMaybe<Scalars['String']['input']>;\n documentType?: InputMaybe<DocumentType>;\n exchangeRateOverride?: InputMaybe<Scalars['Float']['input']>;\n file?: InputMaybe<Scalars['URL']['input']>;\n image?: InputMaybe<Scalars['URL']['input']>;\n noVatAmount?: InputMaybe<Scalars['Float']['input']>;\n remarks?: InputMaybe<Scalars['String']['input']>;\n serialNumber?: InputMaybe<Scalars['String']['input']>;\n vat?: InputMaybe<FinancialAmountInput>;\n vatReportDateOverride?: InputMaybe<Scalars['TimelessDate']['input']>;\n};\n\n/** result type for insertDocument */\nexport type InsertDocumentResult = CommonError | InsertDocumentSuccessfulResult;\n\n/** result type for insertDocument */\nexport type InsertDocumentSuccessfulResult = {\n __typename?: 'InsertDocumentSuccessfulResult';\n document?: Maybe<Document>;\n};\n\n/** input variables for insertMiscExpense */\nexport type InsertMiscExpenseInput = {\n amount: Scalars['Float']['input'];\n creditorId: Scalars['UUID']['input'];\n currency: Currency;\n debtorId: Scalars['UUID']['input'];\n description?: InputMaybe<Scalars['String']['input']>;\n invoiceDate: Scalars['TimelessDate']['input'];\n valueDate: Scalars['DateTime']['input'];\n};\n\n/** input for insertNewBusiness */\nexport type InsertNewBusinessInput = {\n address?: InputMaybe<Scalars['String']['input']>;\n city?: InputMaybe<Scalars['String']['input']>;\n country?: InputMaybe<Scalars['CountryCode']['input']>;\n email?: InputMaybe<Scalars['String']['input']>;\n exemptDealer?: InputMaybe<Scalars['Boolean']['input']>;\n governmentId?: InputMaybe<Scalars['String']['input']>;\n hebrewName?: InputMaybe<Scalars['String']['input']>;\n irsCode?: InputMaybe<Scalars['Int']['input']>;\n isActive?: InputMaybe<Scalars['Boolean']['input']>;\n isDocumentsOptional?: InputMaybe<Scalars['Boolean']['input']>;\n isReceiptEnough?: InputMaybe<Scalars['Boolean']['input']>;\n name: Scalars['String']['input'];\n optionalVAT?: InputMaybe<Scalars['Boolean']['input']>;\n pcn874RecordType?: InputMaybe<Pcn874RecordType>;\n phoneNumber?: InputMaybe<Scalars['String']['input']>;\n sortCode?: InputMaybe<Scalars['Int']['input']>;\n suggestions?: InputMaybe<SuggestionsInput>;\n taxCategory?: InputMaybe<Scalars['UUID']['input']>;\n website?: InputMaybe<Scalars['String']['input']>;\n zipCode?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** result type for insertSalaryRecord */\nexport type InsertSalaryRecordsResult = CommonError | InsertSalaryRecordsSuccessfulResult;\n\n/** result type for insertSalaryRecord */\nexport type InsertSalaryRecordsSuccessfulResult = {\n __typename?: 'InsertSalaryRecordsSuccessfulResult';\n salaryRecords: Array<Salary>;\n};\n\n/** input for insertTaxCategory */\nexport type InsertTaxCategoryInput = {\n hashavshevetName?: InputMaybe<Scalars['String']['input']>;\n irsCode?: InputMaybe<Scalars['Int']['input']>;\n isActive?: InputMaybe<Scalars['Boolean']['input']>;\n name: Scalars['String']['input'];\n sortCode?: InputMaybe<Scalars['Int']['input']>;\n taxExcluded?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** charge of internal transfer */\nexport type InternalTransferCharge = Charge & {\n __typename?: 'InternalTransferCharge';\n accountantApproval: AccountantStatus;\n additionalDocuments: Array<Document>;\n counterparty?: Maybe<FinancialEntity>;\n decreasedVAT?: Maybe<Scalars['Boolean']['output']>;\n id: Scalars['UUID']['output'];\n isInvoicePaymentDifferentCurrency?: Maybe<Scalars['Boolean']['output']>;\n ledger: Ledger;\n metadata?: Maybe<ChargeMetadata>;\n minDebitDate?: Maybe<Scalars['DateTime']['output']>;\n minDocumentsDate?: Maybe<Scalars['DateTime']['output']>;\n minEventDate?: Maybe<Scalars['DateTime']['output']>;\n miscExpenses: Array<MiscExpense>;\n missingInfoSuggestions?: Maybe<ChargeSuggestions>;\n optionalDocuments?: Maybe<Scalars['Boolean']['output']>;\n optionalVAT?: Maybe<Scalars['Boolean']['output']>;\n owner: Business;\n property?: Maybe<Scalars['Boolean']['output']>;\n tags: Array<Tag>;\n taxCategory?: Maybe<TaxCategory>;\n totalAmount?: Maybe<FinancialAmount>;\n transactions: Array<Transaction>;\n userDescription?: Maybe<Scalars['String']['output']>;\n validationData?: Maybe<ValidationData>;\n vat?: Maybe<FinancialAmount>;\n withholdingTax?: Maybe<FinancialAmount>;\n yearsOfRelevance?: Maybe<Array<YearOfRelevance>>;\n};\n\n/** Invitation payload returned after creating an invitation */\nexport type InvitationPayload = {\n __typename?: 'InvitationPayload';\n email: Scalars['String']['output'];\n expiresAt: Scalars['DateTime']['output'];\n id: Scalars['ID']['output'];\n roleId: Scalars['String']['output'];\n token: Scalars['String']['output'];\n};\n\n/** invoice document */\nexport type Invoice = Document & FinancialDocument & Linkable & {\n __typename?: 'Invoice';\n allocationNumber?: Maybe<Scalars['String']['output']>;\n amount?: Maybe<FinancialAmount>;\n charge?: Maybe<Charge>;\n creditor?: Maybe<FinancialEntity>;\n date?: Maybe<Scalars['TimelessDate']['output']>;\n debtor?: Maybe<FinancialEntity>;\n description?: Maybe<Scalars['String']['output']>;\n documentType?: Maybe<DocumentType>;\n exchangeRateOverride?: Maybe<Scalars['Float']['output']>;\n file?: Maybe<Scalars['URL']['output']>;\n id: Scalars['UUID']['output'];\n image?: Maybe<Scalars['URL']['output']>;\n isReviewed?: Maybe<Scalars['Boolean']['output']>;\n issuedDocumentInfo?: Maybe<IssuedDocumentInfo>;\n missingInfoSuggestions?: Maybe<DocumentSuggestions>;\n noVatAmount?: Maybe<Scalars['Float']['output']>;\n remarks?: Maybe<Scalars['String']['output']>;\n serialNumber?: Maybe<Scalars['String']['output']>;\n vat?: Maybe<FinancialAmount>;\n vatReportDateOverride?: Maybe<Scalars['TimelessDate']['output']>;\n};\n\n/** Invoice receipt document - חשבונית מס קבלה */\nexport type InvoiceReceipt = Document & FinancialDocument & Linkable & {\n __typename?: 'InvoiceReceipt';\n allocationNumber?: Maybe<Scalars['String']['output']>;\n amount?: Maybe<FinancialAmount>;\n charge?: Maybe<Charge>;\n creditor?: Maybe<FinancialEntity>;\n date?: Maybe<Scalars['TimelessDate']['output']>;\n debtor?: Maybe<FinancialEntity>;\n description?: Maybe<Scalars['String']['output']>;\n documentType?: Maybe<DocumentType>;\n exchangeRateOverride?: Maybe<Scalars['Float']['output']>;\n file?: Maybe<Scalars['URL']['output']>;\n id: Scalars['UUID']['output'];\n image?: Maybe<Scalars['URL']['output']>;\n isReviewed?: Maybe<Scalars['Boolean']['output']>;\n issuedDocumentInfo?: Maybe<IssuedDocumentInfo>;\n missingInfoSuggestions?: Maybe<DocumentSuggestions>;\n noVatAmount?: Maybe<Scalars['Float']['output']>;\n remarks?: Maybe<Scalars['String']['output']>;\n serialNumber?: Maybe<Scalars['String']['output']>;\n vat?: Maybe<FinancialAmount>;\n vatReportDateOverride?: Maybe<Scalars['TimelessDate']['output']>;\n};\n\n/** Information about an issued document in the external system */\nexport type IssuedDocumentInfo = {\n __typename?: 'IssuedDocumentInfo';\n /** ID of the issued document in the external system */\n externalId: Scalars['String']['output'];\n id: Scalars['ID']['output'];\n linkedDocuments?: Maybe<Array<FinancialDocument>>;\n originalDocument?: Maybe<DocumentDraft>;\n /** Status of the issued document in the external system */\n status: DocumentStatus;\n};\n\n/** array of ledger records linked to the charge */\nexport type Ledger = {\n __typename?: 'Ledger';\n balance?: Maybe<LedgerBalanceInfo>;\n records: Array<LedgerRecord>;\n validate: LedgerValidation;\n};\n\n/** info about ledger total balance */\nexport type LedgerBalanceInfo = {\n __typename?: 'LedgerBalanceInfo';\n isBalanced: Scalars['Boolean']['output'];\n unbalancedEntities: Array<LedgerBalanceUnbalancedEntity>;\n};\n\n/** unbalanced entity over ledger records */\nexport type LedgerBalanceUnbalancedEntity = {\n __typename?: 'LedgerBalanceUnbalancedEntity';\n balance: FinancialAmount;\n entity: FinancialEntity;\n};\n\n/** represent atomic movement of funds */\nexport type LedgerRecord = {\n __typename?: 'LedgerRecord';\n creditAccount1?: Maybe<FinancialEntity>;\n creditAccount2?: Maybe<FinancialEntity>;\n creditAmount1?: Maybe<FinancialAmount>;\n creditAmount2?: Maybe<FinancialAmount>;\n debitAccount1?: Maybe<FinancialEntity>;\n debitAccount2?: Maybe<FinancialEntity>;\n debitAmount1?: Maybe<FinancialAmount>;\n debitAmount2?: Maybe<FinancialAmount>;\n description?: Maybe<Scalars['String']['output']>;\n id: Scalars['UUID']['output'];\n invoiceDate: Scalars['DateTime']['output'];\n localCurrencyCreditAmount1: FinancialAmount;\n localCurrencyCreditAmount2?: Maybe<FinancialAmount>;\n localCurrencyDebitAmount1: FinancialAmount;\n localCurrencyDebitAmount2?: Maybe<FinancialAmount>;\n reference?: Maybe<Scalars['String']['output']>;\n valueDate: Scalars['DateTime']['output'];\n};\n\n/** ledger validation info */\nexport type LedgerValidation = {\n __typename?: 'LedgerValidation';\n differences: Array<LedgerRecord>;\n errors: Array<Scalars['String']['output']>;\n isValid: Scalars['Boolean']['output'];\n matches: Array<Scalars['UUID']['output']>;\n};\n\n/** represent charge's metadata ledger validation status */\nexport const LedgerValidationStatus = {\n Diff: 'DIFF',\n Invalid: 'INVALID',\n Valid: 'VALID'\n} as const;\n\nexport type LedgerValidationStatus = typeof LedgerValidationStatus[keyof typeof LedgerValidationStatus];\n/** represent a link to an external file */\nexport type Linkable = {\n description?: Maybe<Scalars['String']['output']>;\n file?: Maybe<Scalars['URL']['output']>;\n remarks?: Maybe<Scalars['String']['output']>;\n};\n\n/** Financial entity, identifier by ID, can be a company or individual */\nexport type LtdFinancialEntity = Business & FinancialEntity & {\n __typename?: 'LtdFinancialEntity';\n accounts: Array<FinancialAccount>;\n address?: Maybe<Scalars['String']['output']>;\n adminInfo?: Maybe<AdminBusiness>;\n charges: PaginatedCharges;\n city?: Maybe<Scalars['String']['output']>;\n clientInfo?: Maybe<Client>;\n country: Country;\n createdAt: Scalars['DateTime']['output'];\n email?: Maybe<Scalars['String']['output']>;\n exemptDealer?: Maybe<Scalars['Boolean']['output']>;\n governmentId?: Maybe<Scalars['String']['output']>;\n hebrewName?: Maybe<Scalars['String']['output']>;\n id: Scalars['UUID']['output'];\n irsCode?: Maybe<Scalars['Int']['output']>;\n isActive: Scalars['Boolean']['output'];\n isDocumentsOptional?: Maybe<Scalars['Boolean']['output']>;\n isReceiptEnough?: Maybe<Scalars['Boolean']['output']>;\n name: Scalars['String']['output'];\n optionalVAT?: Maybe<Scalars['Boolean']['output']>;\n pcn874RecordType?: Maybe<Pcn874RecordType>;\n phoneNumber?: Maybe<Scalars['String']['output']>;\n sortCode?: Maybe<SortCode>;\n suggestions?: Maybe<Suggestions>;\n taxCategory?: Maybe<TaxCategory>;\n updatedAt: Scalars['DateTime']['output'];\n website?: Maybe<Scalars['String']['output']>;\n zipCode?: Maybe<Scalars['String']['output']>;\n};\n\n\n/** Financial entity, identifier by ID, can be a company or individual */\nexport type LtdFinancialEntityChargesArgs = {\n filter?: InputMaybe<ChargeFilter>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n page?: InputMaybe<Scalars['Int']['input']>;\n};\n\n/** result type for mergeCharge */\nexport type MergeChargeResult = CommonError | MergeChargeSuccessfulResult;\n\n/** successful result type for mergeCharge */\nexport type MergeChargeSuccessfulResult = {\n __typename?: 'MergeChargeSuccessfulResult';\n charge: Charge;\n};\n\n/** result type for mergeChargesByTransactionReference */\nexport type MergeChargesByTransactionReferenceResult = {\n __typename?: 'MergeChargesByTransactionReferenceResult';\n charges?: Maybe<Array<Charge>>;\n errors?: Maybe<Array<Scalars['String']['output']>>;\n success: Scalars['Boolean']['output'];\n};\n\n/** A charge that was successfully merged during auto-match */\nexport type MergedCharge = {\n __typename?: 'MergedCharge';\n /** UUID of the deleted/merged-away charge */\n chargeId: Scalars['UUID']['output'];\n /** Confidence score that triggered the merge */\n confidenceScore: Scalars['Float']['output'];\n};\n\n/** a misc expense */\nexport type MiscExpense = {\n __typename?: 'MiscExpense';\n amount: FinancialAmount;\n charge: Charge;\n chargeId: Scalars['UUID']['output'];\n creditor: FinancialEntity;\n debtor: FinancialEntity;\n description?: Maybe<Scalars['String']['output']>;\n id: Scalars['UUID']['output'];\n invoiceDate: Scalars['TimelessDate']['output'];\n valueDate: Scalars['DateTime']['output'];\n};\n\n/** represent a missing info attributes for a charge */\nexport const MissingChargeInfo = {\n Counterparty: 'COUNTERPARTY',\n Description: 'DESCRIPTION',\n Documents: 'DOCUMENTS',\n Tags: 'TAGS',\n TaxCategory: 'TAX_CATEGORY',\n Transactions: 'TRANSACTIONS',\n Vat: 'VAT'\n} as const;\n\nexport type MissingChargeInfo = typeof MissingChargeInfo[keyof typeof MissingChargeInfo];\n/** charge of monthly VAT payment */\nexport type MonthlyVatCharge = Charge & {\n __typename?: 'MonthlyVatCharge';\n accountantApproval: AccountantStatus;\n additionalDocuments: Array<Document>;\n counterparty?: Maybe<FinancialEntity>;\n decreasedVAT?: Maybe<Scalars['Boolean']['output']>;\n id: Scalars['UUID']['output'];\n isInvoicePaymentDifferentCurrency?: Maybe<Scalars['Boolean']['output']>;\n ledger: Ledger;\n metadata?: Maybe<ChargeMetadata>;\n minDebitDate?: Maybe<Scalars['DateTime']['output']>;\n minDocumentsDate?: Maybe<Scalars['DateTime']['output']>;\n minEventDate?: Maybe<Scalars['DateTime']['output']>;\n miscExpenses: Array<MiscExpense>;\n missingInfoSuggestions?: Maybe<ChargeSuggestions>;\n optionalDocuments?: Maybe<Scalars['Boolean']['output']>;\n optionalVAT?: Maybe<Scalars['Boolean']['output']>;\n owner: Business;\n property?: Maybe<Scalars['Boolean']['output']>;\n tags: Array<Tag>;\n taxCategory?: Maybe<TaxCategory>;\n totalAmount?: Maybe<FinancialAmount>;\n transactions: Array<Transaction>;\n userDescription?: Maybe<Scalars['String']['output']>;\n validationData?: Maybe<ValidationData>;\n vat?: Maybe<FinancialAmount>;\n withholdingTax?: Maybe<FinancialAmount>;\n yearsOfRelevance?: Maybe<Array<YearOfRelevance>>;\n};\n\n/** mutation root */\nexport type Mutation = {\n __typename?: 'Mutation';\n acceptInvitation: AcceptInvitationPayload;\n addBusinessTripAccommodationsExpense: Scalars['UUID']['output'];\n addBusinessTripCarRentalExpense: Scalars['UUID']['output'];\n addBusinessTripFlightsExpense: Scalars['UUID']['output'];\n addBusinessTripOtherExpense: Scalars['UUID']['output'];\n addBusinessTripTravelAndSubsistenceExpense: Scalars['UUID']['output'];\n addDeelContract: Scalars['Boolean']['output'];\n addSortCode: Scalars['Boolean']['output'];\n addTag: Scalars['Boolean']['output'];\n assignChargeToDeposit: BankDeposit;\n /** Automatically match all unmatched charges above the confidence threshold */\n autoMatchCharges: AutoMatchChargesResult;\n batchGenerateBusinessesOutOfTransactions: Array<Business>;\n batchUpdateCharges: BatchUpdateChargesResult;\n batchUploadDocuments: Array<UploadDocumentResult>;\n batchUploadDocumentsFromGoogleDrive: Array<UploadDocumentResult>;\n calculateCreditcardTransactionsDebitDate: Scalars['Boolean']['output'];\n categorizeBusinessTripExpense: Scalars['UUID']['output'];\n categorizeIntoExistingBusinessTripExpense: Scalars['UUID']['output'];\n closeDocument: Scalars['Boolean']['output'];\n createAdminBusiness: AdminBusiness;\n createContract: Contract;\n createDeposit: BankDeposit;\n createFinancialAccount: FinancialAccount;\n createInvitation: InvitationPayload;\n creditShareholdersBusinessTripTravelAndSubsistence: Array<Scalars['UUID']['output']>;\n deleteAdminBusiness: Scalars['Boolean']['output'];\n deleteBusinessTripAttendee: Scalars['Boolean']['output'];\n deleteBusinessTripExpense: Scalars['Boolean']['output'];\n deleteCharge: Scalars['Boolean']['output'];\n deleteContract: Scalars['Boolean']['output'];\n deleteDepreciationCategory: Scalars['Boolean']['output'];\n deleteDepreciationRecord: Scalars['Boolean']['output'];\n deleteDocument: Scalars['Boolean']['output'];\n deleteDynamicReportTemplate: Scalars['String']['output'];\n deleteFinancialAccount: Scalars['Boolean']['output'];\n deleteMiscExpense: Scalars['Boolean']['output'];\n deleteTag: Scalars['Boolean']['output'];\n fetchDeelDocuments: Array<Charge>;\n flagForeignFeeTransactions: FlagForeignFeeTransactionsResult;\n generateApiKey: GenerateApiKeyPayload;\n generateBalanceCharge: FinancialCharge;\n generateBankDepositsRevaluationCharge: FinancialCharge;\n generateDepreciationCharge: FinancialCharge;\n generateFinancialCharges: FinancialChargesGenerationResult;\n generateRecoveryReserveCharge: FinancialCharge;\n generateRevaluationCharge: FinancialCharge;\n generateTaxExpensesCharge: FinancialCharge;\n generateVacationReserveCharge: FinancialCharge;\n insertBusinessTrip: Scalars['UUID']['output'];\n insertBusinessTripAttendee: Scalars['UUID']['output'];\n insertClient: UpdateClientResponse;\n insertDepreciationCategory: InsertDepreciationCategoryResult;\n insertDepreciationRecord: InsertDepreciationRecordResult;\n insertDocument: InsertDocumentResult;\n insertDynamicReportTemplate: DynamicReportInfo;\n insertEmailDocuments: Scalars['Boolean']['output'];\n insertMiscExpense: MiscExpense;\n insertMiscExpenses: Charge;\n insertNewBusiness: UpdateBusinessResponse;\n insertOrUpdateSalaryRecords: InsertSalaryRecordsResult;\n insertSalaryRecords: InsertSalaryRecordsResult;\n insertSalaryRecordsFromFile: Scalars['Boolean']['output'];\n insertTaxCategory: TaxCategory;\n issueGreenInvoiceDocument: Charge;\n issueGreenInvoiceDocuments: GenerateDocumentsResult;\n lockLedgerRecords: Scalars['Boolean']['output'];\n mergeBusinesses: Business;\n mergeCharges: MergeChargeResult;\n mergeChargesByTransactionReference: MergeChargesByTransactionReferenceResult;\n pong?: Maybe<Scalars['Boolean']['output']>;\n previewDocument: Scalars['FileScalar']['output'];\n regenerateLedgerRecords: GeneratedLedgerRecords;\n revokeApiKey: Scalars['Boolean']['output'];\n syncGreenInvoiceDocuments: Array<Document>;\n uncategorizePartialBusinessTripExpense: Scalars['Boolean']['output'];\n updateAdminBusiness: AdminBusiness;\n updateAdminContext: AdminContextInfo;\n updateBusiness: UpdateBusinessResponse;\n updateBusinessTrip: Scalars['UUID']['output'];\n updateBusinessTripAccommodationsExpense: Scalars['UUID']['output'];\n updateBusinessTripAccountantApproval: AccountantStatus;\n updateBusinessTripAttendee: Scalars['UUID']['output'];\n updateBusinessTripCarRentalExpense: Scalars['UUID']['output'];\n updateBusinessTripFlightsExpense: Scalars['UUID']['output'];\n updateBusinessTripOtherExpense: Scalars['UUID']['output'];\n updateBusinessTripTravelAndSubsistenceExpense: Scalars['UUID']['output'];\n updateCharge: UpdateChargeResult;\n updateChargeAccountantApproval: AccountantStatus;\n updateChargeBusinessTrip?: Maybe<Charge>;\n updateClient: UpdateClientResponse;\n updateContract: Contract;\n updateDepreciationCategory: UpdateDepreciationCategoryResult;\n updateDepreciationRecord: UpdateDepreciationRecordResult;\n updateDocument: UpdateDocumentResult;\n updateDynamicReportTemplate: DynamicReportInfo;\n updateDynamicReportTemplateName: DynamicReportInfo;\n updateFinancialAccount: FinancialAccount;\n updateMiscExpense: MiscExpense;\n updatePcn874: Scalars['Boolean']['output'];\n updateSalaryRecord: UpdateSalaryRecordResult;\n updateShaam6111: Scalars['Boolean']['output'];\n updateSortCode: Scalars['Boolean']['output'];\n updateTag: Scalars['Boolean']['output'];\n updateTagParent: Scalars['Boolean']['output'];\n updateTagPart: Scalars['Boolean']['output'];\n updateTaxCategory: UpdateTaxCategoryResponse;\n updateTransaction: UpdateTransactionResult;\n updateTransactions: UpdateTransactionsResult;\n uploadDocument: UploadDocumentResult;\n};\n\n\n/** mutation root */\nexport type MutationAcceptInvitationArgs = {\n token: Scalars['String']['input'];\n};\n\n\n/** mutation root */\nexport type MutationAddBusinessTripAccommodationsExpenseArgs = {\n fields: AddBusinessTripAccommodationsExpenseInput;\n};\n\n\n/** mutation root */\nexport type MutationAddBusinessTripCarRentalExpenseArgs = {\n fields: AddBusinessTripCarRentalExpenseInput;\n};\n\n\n/** mutation root */\nexport type MutationAddBusinessTripFlightsExpenseArgs = {\n fields: AddBusinessTripFlightsExpenseInput;\n};\n\n\n/** mutation root */\nexport type MutationAddBusinessTripOtherExpenseArgs = {\n fields: AddBusinessTripOtherExpenseInput;\n};\n\n\n/** mutation root */\nexport type MutationAddBusinessTripTravelAndSubsistenceExpenseArgs = {\n fields: AddBusinessTripTravelAndSubsistenceExpenseInput;\n};\n\n\n/** mutation root */\nexport type MutationAddDeelContractArgs = {\n businessId: Scalars['UUID']['input'];\n contractId: Scalars['ID']['input'];\n contractStartDate: Scalars['TimelessDate']['input'];\n contractorId: Scalars['UUID']['input'];\n contractorName: Scalars['String']['input'];\n};\n\n\n/** mutation root */\nexport type MutationAddSortCodeArgs = {\n defaultIrsCode?: InputMaybe<Scalars['Int']['input']>;\n key: Scalars['Int']['input'];\n name: Scalars['String']['input'];\n};\n\n\n/** mutation root */\nexport type MutationAddTagArgs = {\n name: Scalars['String']['input'];\n parentId?: InputMaybe<Scalars['UUID']['input']>;\n};\n\n\n/** mutation root */\nexport type MutationAssignChargeToDepositArgs = {\n chargeId: Scalars['UUID']['input'];\n depositId: Scalars['String']['input'];\n};\n\n\n/** mutation root */\nexport type MutationBatchUpdateChargesArgs = {\n chargeIds: Array<Scalars['UUID']['input']>;\n fields: UpdateChargeInput;\n};\n\n\n/** mutation root */\nexport type MutationBatchUploadDocumentsArgs = {\n chargeId?: InputMaybe<Scalars['UUID']['input']>;\n documents: Array<Scalars['FileScalar']['input']>;\n isSensitive?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n\n/** mutation root */\nexport type MutationBatchUploadDocumentsFromGoogleDriveArgs = {\n chargeId?: InputMaybe<Scalars['UUID']['input']>;\n isSensitive?: InputMaybe<Scalars['Boolean']['input']>;\n sharedFolderUrl: Scalars['String']['input'];\n};\n\n\n/** mutation root */\nexport type MutationCategorizeBusinessTripExpenseArgs = {\n fields: CategorizeBusinessTripExpenseInput;\n};\n\n\n/** mutation root */\nexport type MutationCategorizeIntoExistingBusinessTripExpenseArgs = {\n fields: CategorizeIntoExistingBusinessTripExpenseInput;\n};\n\n\n/** mutation root */\nexport type MutationCloseDocumentArgs = {\n id: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationCreateAdminBusinessArgs = {\n input: CreateAdminBusinessInput;\n};\n\n\n/** mutation root */\nexport type MutationCreateContractArgs = {\n input: CreateContractInput;\n};\n\n\n/** mutation root */\nexport type MutationCreateDepositArgs = {\n currency: Currency;\n};\n\n\n/** mutation root */\nexport type MutationCreateFinancialAccountArgs = {\n input: CreateFinancialAccountInput;\n};\n\n\n/** mutation root */\nexport type MutationCreateInvitationArgs = {\n email: Scalars['String']['input'];\n roleId: Scalars['String']['input'];\n};\n\n\n/** mutation root */\nexport type MutationCreditShareholdersBusinessTripTravelAndSubsistenceArgs = {\n businessTripId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationDeleteAdminBusinessArgs = {\n businessId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationDeleteBusinessTripAttendeeArgs = {\n fields: DeleteBusinessTripAttendeeInput;\n};\n\n\n/** mutation root */\nexport type MutationDeleteBusinessTripExpenseArgs = {\n businessTripExpenseId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationDeleteChargeArgs = {\n chargeId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationDeleteContractArgs = {\n id: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationDeleteDepreciationCategoryArgs = {\n depreciationCategoryId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationDeleteDepreciationRecordArgs = {\n depreciationRecordId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationDeleteDocumentArgs = {\n documentId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationDeleteDynamicReportTemplateArgs = {\n name: Scalars['String']['input'];\n};\n\n\n/** mutation root */\nexport type MutationDeleteFinancialAccountArgs = {\n id: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationDeleteMiscExpenseArgs = {\n id: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationDeleteTagArgs = {\n id: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationGenerateApiKeyArgs = {\n name: Scalars['String']['input'];\n roleId: Scalars['String']['input'];\n};\n\n\n/** mutation root */\nexport type MutationGenerateBalanceChargeArgs = {\n balanceRecords: Array<InsertMiscExpenseInput>;\n description: Scalars['String']['input'];\n};\n\n\n/** mutation root */\nexport type MutationGenerateBankDepositsRevaluationChargeArgs = {\n date: Scalars['TimelessDate']['input'];\n ownerId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationGenerateDepreciationChargeArgs = {\n ownerId: Scalars['UUID']['input'];\n year: Scalars['TimelessDate']['input'];\n};\n\n\n/** mutation root */\nexport type MutationGenerateFinancialChargesArgs = {\n date: Scalars['TimelessDate']['input'];\n ownerId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationGenerateRecoveryReserveChargeArgs = {\n ownerId: Scalars['UUID']['input'];\n year: Scalars['TimelessDate']['input'];\n};\n\n\n/** mutation root */\nexport type MutationGenerateRevaluationChargeArgs = {\n date: Scalars['TimelessDate']['input'];\n ownerId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationGenerateTaxExpensesChargeArgs = {\n ownerId: Scalars['UUID']['input'];\n year: Scalars['TimelessDate']['input'];\n};\n\n\n/** mutation root */\nexport type MutationGenerateVacationReserveChargeArgs = {\n ownerId: Scalars['UUID']['input'];\n year: Scalars['TimelessDate']['input'];\n};\n\n\n/** mutation root */\nexport type MutationInsertBusinessTripArgs = {\n fields: InsertBusinessTripInput;\n};\n\n\n/** mutation root */\nexport type MutationInsertBusinessTripAttendeeArgs = {\n fields: InsertBusinessTripAttendeeInput;\n};\n\n\n/** mutation root */\nexport type MutationInsertClientArgs = {\n fields: ClientInsertInput;\n};\n\n\n/** mutation root */\nexport type MutationInsertDepreciationCategoryArgs = {\n input: InsertDepreciationCategoryInput;\n};\n\n\n/** mutation root */\nexport type MutationInsertDepreciationRecordArgs = {\n input: InsertDepreciationRecordInput;\n};\n\n\n/** mutation root */\nexport type MutationInsertDocumentArgs = {\n record: InsertDocumentInput;\n};\n\n\n/** mutation root */\nexport type MutationInsertDynamicReportTemplateArgs = {\n name: Scalars['String']['input'];\n template: Scalars['String']['input'];\n};\n\n\n/** mutation root */\nexport type MutationInsertEmailDocumentsArgs = {\n businessId?: InputMaybe<Scalars['UUID']['input']>;\n documents: Array<Scalars['FileScalar']['input']>;\n messageId?: InputMaybe<Scalars['String']['input']>;\n userDescription: Scalars['String']['input'];\n};\n\n\n/** mutation root */\nexport type MutationInsertMiscExpenseArgs = {\n chargeId: Scalars['UUID']['input'];\n fields: InsertMiscExpenseInput;\n};\n\n\n/** mutation root */\nexport type MutationInsertMiscExpensesArgs = {\n chargeId: Scalars['UUID']['input'];\n expenses: Array<InsertMiscExpenseInput>;\n};\n\n\n/** mutation root */\nexport type MutationInsertNewBusinessArgs = {\n fields: InsertNewBusinessInput;\n};\n\n\n/** mutation root */\nexport type MutationInsertOrUpdateSalaryRecordsArgs = {\n salaryRecords: Array<SalaryRecordInput>;\n};\n\n\n/** mutation root */\nexport type MutationInsertSalaryRecordsArgs = {\n salaryRecords: Array<SalaryRecordInput>;\n};\n\n\n/** mutation root */\nexport type MutationInsertSalaryRecordsFromFileArgs = {\n chargeId: Scalars['UUID']['input'];\n file: Scalars['FileScalar']['input'];\n};\n\n\n/** mutation root */\nexport type MutationInsertTaxCategoryArgs = {\n fields: InsertTaxCategoryInput;\n};\n\n\n/** mutation root */\nexport type MutationIssueGreenInvoiceDocumentArgs = {\n attachment?: InputMaybe<Scalars['Boolean']['input']>;\n chargeId?: InputMaybe<Scalars['UUID']['input']>;\n emailContent?: InputMaybe<Scalars['String']['input']>;\n input: DocumentIssueInput;\n sendEmail?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n\n/** mutation root */\nexport type MutationIssueGreenInvoiceDocumentsArgs = {\n generateDocumentsInfo: Array<DocumentIssueInput>;\n};\n\n\n/** mutation root */\nexport type MutationLockLedgerRecordsArgs = {\n date: Scalars['TimelessDate']['input'];\n};\n\n\n/** mutation root */\nexport type MutationMergeBusinessesArgs = {\n businessIdsToMerge: Array<Scalars['UUID']['input']>;\n targetBusinessId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationMergeChargesArgs = {\n baseChargeID: Scalars['UUID']['input'];\n chargeIdsToMerge: Array<Scalars['UUID']['input']>;\n fields?: InputMaybe<UpdateChargeInput>;\n};\n\n\n/** mutation root */\nexport type MutationPreviewDocumentArgs = {\n input: DocumentIssueInput;\n};\n\n\n/** mutation root */\nexport type MutationRegenerateLedgerRecordsArgs = {\n chargeId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationRevokeApiKeyArgs = {\n id: Scalars['ID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationSyncGreenInvoiceDocumentsArgs = {\n ownerId: Scalars['UUID']['input'];\n singlePageLimit?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n\n/** mutation root */\nexport type MutationUncategorizePartialBusinessTripExpenseArgs = {\n businessTripExpenseId: Scalars['UUID']['input'];\n transactionId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationUpdateAdminBusinessArgs = {\n businessId: Scalars['UUID']['input'];\n fields: UpdateAdminBusinessInput;\n};\n\n\n/** mutation root */\nexport type MutationUpdateAdminContextArgs = {\n context: AdminContextInput;\n};\n\n\n/** mutation root */\nexport type MutationUpdateBusinessArgs = {\n businessId: Scalars['UUID']['input'];\n fields: UpdateBusinessInput;\n ownerId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationUpdateBusinessTripArgs = {\n fields: UpdateBusinessTripInput;\n};\n\n\n/** mutation root */\nexport type MutationUpdateBusinessTripAccommodationsExpenseArgs = {\n fields: UpdateBusinessTripAccommodationsExpenseInput;\n};\n\n\n/** mutation root */\nexport type MutationUpdateBusinessTripAccountantApprovalArgs = {\n approvalStatus: AccountantStatus;\n businessTripId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationUpdateBusinessTripAttendeeArgs = {\n fields: BusinessTripAttendeeUpdateInput;\n};\n\n\n/** mutation root */\nexport type MutationUpdateBusinessTripCarRentalExpenseArgs = {\n fields: UpdateBusinessTripCarRentalExpenseInput;\n};\n\n\n/** mutation root */\nexport type MutationUpdateBusinessTripFlightsExpenseArgs = {\n fields: UpdateBusinessTripFlightsExpenseInput;\n};\n\n\n/** mutation root */\nexport type MutationUpdateBusinessTripOtherExpenseArgs = {\n fields: UpdateBusinessTripOtherExpenseInput;\n};\n\n\n/** mutation root */\nexport type MutationUpdateBusinessTripTravelAndSubsistenceExpenseArgs = {\n fields: UpdateBusinessTripTravelAndSubsistenceExpenseInput;\n};\n\n\n/** mutation root */\nexport type MutationUpdateChargeArgs = {\n chargeId: Scalars['UUID']['input'];\n fields: UpdateChargeInput;\n};\n\n\n/** mutation root */\nexport type MutationUpdateChargeAccountantApprovalArgs = {\n approvalStatus: AccountantStatus;\n chargeId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationUpdateChargeBusinessTripArgs = {\n businessTripId?: InputMaybe<Scalars['UUID']['input']>;\n chargeId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationUpdateClientArgs = {\n businessId: Scalars['UUID']['input'];\n fields: ClientUpdateInput;\n};\n\n\n/** mutation root */\nexport type MutationUpdateContractArgs = {\n contractId: Scalars['UUID']['input'];\n input: UpdateContractInput;\n};\n\n\n/** mutation root */\nexport type MutationUpdateDepreciationCategoryArgs = {\n input: UpdateDepreciationCategoryInput;\n};\n\n\n/** mutation root */\nexport type MutationUpdateDepreciationRecordArgs = {\n input: UpdateDepreciationRecordInput;\n};\n\n\n/** mutation root */\nexport type MutationUpdateDocumentArgs = {\n documentId: Scalars['UUID']['input'];\n fields: UpdateDocumentFieldsInput;\n};\n\n\n/** mutation root */\nexport type MutationUpdateDynamicReportTemplateArgs = {\n name: Scalars['String']['input'];\n template: Scalars['String']['input'];\n};\n\n\n/** mutation root */\nexport type MutationUpdateDynamicReportTemplateNameArgs = {\n name: Scalars['String']['input'];\n newName: Scalars['String']['input'];\n};\n\n\n/** mutation root */\nexport type MutationUpdateFinancialAccountArgs = {\n fields: UpdateFinancialAccountInput;\n id: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationUpdateMiscExpenseArgs = {\n fields: UpdateMiscExpenseInput;\n id: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationUpdatePcn874Args = {\n businessId?: InputMaybe<Scalars['UUID']['input']>;\n content: Scalars['String']['input'];\n monthDate: Scalars['TimelessDate']['input'];\n};\n\n\n/** mutation root */\nexport type MutationUpdateSalaryRecordArgs = {\n salaryRecord: SalaryRecordEditInput;\n};\n\n\n/** mutation root */\nexport type MutationUpdateShaam6111Args = {\n businessId?: InputMaybe<Scalars['UUID']['input']>;\n content: Scalars['String']['input'];\n year: Scalars['Int']['input'];\n};\n\n\n/** mutation root */\nexport type MutationUpdateSortCodeArgs = {\n fields: UpdateSortCodeFieldsInput;\n key: Scalars['Int']['input'];\n};\n\n\n/** mutation root */\nexport type MutationUpdateTagArgs = {\n fields: UpdateTagFieldsInput;\n id: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationUpdateTagParentArgs = {\n id: Scalars['UUID']['input'];\n parentId?: InputMaybe<Scalars['UUID']['input']>;\n};\n\n\n/** mutation root */\nexport type MutationUpdateTagPartArgs = {\n chargeId: Scalars['UUID']['input'];\n part: Scalars['Float']['input'];\n tagId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationUpdateTaxCategoryArgs = {\n fields: UpdateTaxCategoryInput;\n taxCategoryId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationUpdateTransactionArgs = {\n fields: UpdateTransactionInput;\n transactionId: Scalars['UUID']['input'];\n};\n\n\n/** mutation root */\nexport type MutationUpdateTransactionsArgs = {\n fields: UpdateTransactionInput;\n transactionIds: Array<Scalars['UUID']['input']>;\n};\n\n\n/** mutation root */\nexport type MutationUploadDocumentArgs = {\n chargeId?: InputMaybe<Scalars['UUID']['input']>;\n file: Scalars['FileScalar']['input'];\n};\n\n/** processed non-financial document */\nexport type OtherDocument = Document & Linkable & {\n __typename?: 'OtherDocument';\n charge?: Maybe<Charge>;\n description?: Maybe<Scalars['String']['output']>;\n documentType?: Maybe<DocumentType>;\n file?: Maybe<Scalars['URL']['output']>;\n id: Scalars['UUID']['output'];\n image?: Maybe<Scalars['URL']['output']>;\n isReviewed?: Maybe<Scalars['Boolean']['output']>;\n remarks?: Maybe<Scalars['String']['output']>;\n};\n\n/** result type for pcnFile */\nexport type PcnFileResult = {\n __typename?: 'PCNFileResult';\n fileName: Scalars['String']['output'];\n reportContent: Scalars['String']['output'];\n};\n\n/** config options for generatePCN */\nexport type PcnOptionsInput = {\n strict?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** meta info for page pagination */\nexport type PageInfo = {\n __typename?: 'PageInfo';\n currentPage?: Maybe<Scalars['Int']['output']>;\n pageSize?: Maybe<Scalars['Int']['output']>;\n totalPages: Scalars['Int']['output'];\n totalRecords: Scalars['Int']['output'];\n};\n\n/** response for paginated Financial Entities */\nexport type PaginatedBusinesses = {\n __typename?: 'PaginatedBusinesses';\n nodes: Array<Business>;\n pageInfo: PageInfo;\n};\n\n/** response for paginated charges */\nexport type PaginatedCharges = {\n __typename?: 'PaginatedCharges';\n nodes: Array<Charge>;\n pageInfo: PageInfo;\n};\n\n/** response for paginated Financial Entities */\nexport type PaginatedFinancialEntities = {\n __typename?: 'PaginatedFinancialEntities';\n nodes: Array<FinancialEntity>;\n pageInfo: PageInfo;\n};\n\n/** payment type enum */\nexport const PaymentType = {\n Cash: 'CASH',\n Cheque: 'CHEQUE',\n CreditCard: 'CREDIT_CARD',\n Other: 'OTHER',\n OtherDeduction: 'OTHER_DEDUCTION',\n PaymentApp: 'PAYMENT_APP',\n Paypal: 'PAYPAL',\n TaxDeduction: 'TAX_DEDUCTION',\n WireTransfer: 'WIRE_TRANSFER'\n} as const;\n\nexport type PaymentType = typeof PaymentType[keyof typeof PaymentType];\n/** record type of PCN874 report */\nexport const Pcn874RecordType = {\n C: 'C',\n H: 'H',\n I: 'I',\n K: 'K',\n L1: 'L1',\n L2: 'L2',\n M: 'M',\n P: 'P',\n R: 'R',\n S1: 'S1',\n S2: 'S2',\n T: 'T',\n Y: 'Y'\n} as const;\n\nexport type Pcn874RecordType = typeof Pcn874RecordType[keyof typeof Pcn874RecordType];\n/** record of PCN874 report */\nexport type Pcn874Records = {\n __typename?: 'Pcn874Records';\n business: Business;\n content: Scalars['String']['output'];\n date: Scalars['TimelessDate']['output'];\n diffContent?: Maybe<Scalars['String']['output']>;\n id: Scalars['ID']['output'];\n};\n\n/** represent pension fund */\nexport type PensionFund = Fund & {\n __typename?: 'PensionFund';\n id: Scalars['UUID']['output'];\n name: Scalars['String']['output'];\n};\n\n/** Financial entity, identifier by ID, represents an actual person */\nexport type PersonalFinancialEntity = Business & FinancialEntity & {\n __typename?: 'PersonalFinancialEntity';\n accounts: Array<FinancialAccount>;\n charges: PaginatedCharges;\n createdAt: Scalars['DateTime']['output'];\n email: Scalars['String']['output'];\n id: Scalars['UUID']['output'];\n irsCode?: Maybe<Scalars['Int']['output']>;\n isActive: Scalars['Boolean']['output'];\n name: Scalars['String']['output'];\n pcn874RecordType?: Maybe<Pcn874RecordType>;\n sortCode?: Maybe<SortCode>;\n updatedAt: Scalars['DateTime']['output'];\n};\n\n\n/** Financial entity, identifier by ID, represents an actual person */\nexport type PersonalFinancialEntityChargesArgs = {\n filter?: InputMaybe<ChargeFilter>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n page?: InputMaybe<Scalars['Int']['input']>;\n};\n\n/** private or business account type */\nexport const PrivateOrBusinessType = {\n Business: 'BUSINESS',\n Private: 'PRIVATE'\n} as const;\n\nexport type PrivateOrBusinessType = typeof PrivateOrBusinessType[keyof typeof PrivateOrBusinessType];\n/** contract products */\nexport const Product = {\n Hive: 'HIVE',\n Stellate: 'STELLATE'\n} as const;\n\nexport type Product = typeof Product[keyof typeof Product];\n/** result type for profitAndLossReport */\nexport type ProfitAndLossReport = {\n __typename?: 'ProfitAndLossReport';\n id: Scalars['ID']['output'];\n reference: Array<ProfitAndLossReportYear>;\n report: ProfitAndLossReportYear;\n};\n\n/** profit and loss data for a single year */\nexport type ProfitAndLossReportYear = {\n __typename?: 'ProfitAndLossReportYear';\n costOfSales: ReportCommentary;\n financialExpenses: ReportCommentary;\n grossProfit: FinancialAmount;\n id: Scalars['ID']['output'];\n managementAndGeneralExpenses: ReportCommentary;\n marketingExpenses: ReportCommentary;\n netProfit: FinancialAmount;\n operatingProfit: FinancialAmount;\n otherIncome: ReportCommentary;\n profitBeforeTax: FinancialAmount;\n researchAndDevelopmentExpenses: ReportCommentary;\n revenue: ReportCommentary;\n tax: FinancialAmount;\n year: Scalars['Int']['output'];\n};\n\n/** proforma document */\nexport type Proforma = Document & FinancialDocument & Linkable & {\n __typename?: 'Proforma';\n allocationNumber?: Maybe<Scalars['String']['output']>;\n amount?: Maybe<FinancialAmount>;\n charge?: Maybe<Charge>;\n creditor?: Maybe<FinancialEntity>;\n date?: Maybe<Scalars['TimelessDate']['output']>;\n debtor?: Maybe<FinancialEntity>;\n description?: Maybe<Scalars['String']['output']>;\n documentType?: Maybe<DocumentType>;\n exchangeRateOverride?: Maybe<Scalars['Float']['output']>;\n file?: Maybe<Scalars['URL']['output']>;\n id: Scalars['UUID']['output'];\n image?: Maybe<Scalars['URL']['output']>;\n isReviewed?: Maybe<Scalars['Boolean']['output']>;\n issuedDocumentInfo?: Maybe<IssuedDocumentInfo>;\n missingInfoSuggestions?: Maybe<DocumentSuggestions>;\n noVatAmount?: Maybe<Scalars['Float']['output']>;\n remarks?: Maybe<Scalars['String']['output']>;\n serialNumber?: Maybe<Scalars['String']['output']>;\n vat?: Maybe<FinancialAmount>;\n vatReportDateOverride?: Maybe<Scalars['TimelessDate']['output']>;\n};\n\n/** query root */\nexport type Query = {\n __typename?: 'Query';\n accountantApprovalStatus: AccountantApprovalStatus;\n adminBusiness: AdminBusiness;\n adminContext: AdminContextInfo;\n allAdminBusinesses: Array<AdminBusiness>;\n allBusinessTrips: Array<BusinessTrip>;\n allBusinesses?: Maybe<PaginatedBusinesses>;\n allCharges: PaginatedCharges;\n allClients: Array<Client>;\n allCountries: Array<Country>;\n allDeposits: Array<BankDeposit>;\n allDynamicReports: Array<DynamicReportInfo>;\n allFinancialAccounts: Array<FinancialAccount>;\n /** TODO: This is temporary, should be replaced after auth and financial entities hierarchy is implemented */\n allFinancialEntities?: Maybe<PaginatedFinancialEntities>;\n allOpenContracts: Array<Contract>;\n allPensionFunds: Array<PensionFund>;\n allSortCodes: Array<SortCode>;\n allTags: Array<Tag>;\n allTrainingFunds: Array<TrainingFund>;\n annualFinancialCharges: FinancialChargesGenerationResult;\n annualRevenueReport: AnnualRevenueReport;\n business: Business;\n businessEmailConfig?: Maybe<BusinessEmailConfig>;\n businessTransactionsFromLedgerRecords: BusinessTransactionsFromLedgerRecordsResult;\n businessTransactionsSumFromLedgerRecords: BusinessTransactionsSumFromLedgerRecordsResult;\n businessTrip?: Maybe<BusinessTrip>;\n businesses: Array<Business>;\n charge: Charge;\n chargesByIDs: Array<Charge>;\n chargesWithLedgerChanges: Array<ChargesWithLedgerChangesResult>;\n chargesWithMissingRequiredInfo: PaginatedCharges;\n client: Client;\n clientMonthlyChargeDraft: DocumentDraft;\n contractsByAdmin: Array<Contract>;\n contractsByClient: Array<Contract>;\n contractsById: Contract;\n corporateTaxByDate: CorporateTax;\n corporateTaxRulingComplianceReport: Array<CorporateTaxRulingComplianceReport>;\n deposit: BankDeposit;\n depositByCharge?: Maybe<BankDeposit>;\n depreciationCategories: Array<DepreciationCategory>;\n depreciationRecordsByCharge: Array<DepreciationRecord>;\n depreciationReport: DepreciationReportResult;\n documentById?: Maybe<Document>;\n documents: Array<Document>;\n documentsByFilters: Array<Document>;\n dynamicReport: DynamicReportInfo;\n employeesByEmployerId: Array<Employee>;\n /** get exchage rates by date */\n exchangeRates?: Maybe<ExchangeRates>;\n financialAccount: FinancialAccount;\n financialAccountsByOwner: Array<FinancialAccount>;\n financialEntity: FinancialEntity;\n /** Find potential matches for a single unmatched charge */\n findChargeMatches: ChargeMatchesResult;\n greenInvoiceClient: GreenInvoiceClient;\n incomeExpenseChart: IncomeExpenseChart;\n ledgerRecordsByDates: Array<LedgerRecord>;\n ledgerRecordsByFinancialEntity: Array<LedgerRecord>;\n listApiKeys: Array<ApiKey>;\n miscExpensesByCharge: Array<MiscExpense>;\n newDocumentDraftByCharge: DocumentDraft;\n newDocumentDraftByDocument: DocumentDraft;\n pcnByDate: Array<Pcn874Records>;\n pcnFile: PcnFileResult;\n periodicalDocumentDrafts: Array<DocumentDraft>;\n periodicalDocumentDraftsByContracts: Array<DocumentDraft>;\n ping?: Maybe<Scalars['Boolean']['output']>;\n profitAndLossReport: ProfitAndLossReport;\n recentDocumentsByBusiness: Array<Document>;\n recentDocumentsByClient: Array<Document>;\n recentIssuedDocumentsByType: Array<Document>;\n salaryRecordsByCharge: Array<Salary>;\n salaryRecordsByDates: Array<Salary>;\n shaam6111: Shaam6111Report;\n shaam6111ByYear: Array<Shaam6111Report>;\n /** get similar charges */\n similarCharges: Array<Charge>;\n similarChargesByBusiness: Array<Charge>;\n /** get similar transactions */\n similarTransactions: Array<Transaction>;\n sortCode?: Maybe<SortCode>;\n taxCategories: Array<TaxCategory>;\n taxCategory: TaxCategory;\n taxCategoryByBusinessId?: Maybe<TaxCategory>;\n taxReport: TaxReport;\n transactionsByFinancialEntity: Array<Transaction>;\n transactionsByIDs: Array<Transaction>;\n transactionsForBalanceReport: Array<BalanceTransactions>;\n uniformFormat?: Maybe<UniformFormat>;\n userContext?: Maybe<UserContext>;\n vatReport: VatReportResult;\n yearlyLedgerReport: YearlyLedgerReport;\n};\n\n\n/** query root */\nexport type QueryAccountantApprovalStatusArgs = {\n from: Scalars['TimelessDate']['input'];\n to: Scalars['TimelessDate']['input'];\n};\n\n\n/** query root */\nexport type QueryAdminBusinessArgs = {\n id: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryAdminContextArgs = {\n ownerId?: InputMaybe<Scalars['UUID']['input']>;\n};\n\n\n/** query root */\nexport type QueryAllBusinessesArgs = {\n limit?: InputMaybe<Scalars['Int']['input']>;\n name?: InputMaybe<Scalars['String']['input']>;\n page?: InputMaybe<Scalars['Int']['input']>;\n};\n\n\n/** query root */\nexport type QueryAllChargesArgs = {\n filters?: InputMaybe<ChargeFilter>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n page?: InputMaybe<Scalars['Int']['input']>;\n};\n\n\n/** query root */\nexport type QueryAllFinancialEntitiesArgs = {\n limit?: InputMaybe<Scalars['Int']['input']>;\n page?: InputMaybe<Scalars['Int']['input']>;\n};\n\n\n/** query root */\nexport type QueryAnnualFinancialChargesArgs = {\n ownerId?: InputMaybe<Scalars['UUID']['input']>;\n year: Scalars['TimelessDate']['input'];\n};\n\n\n/** query root */\nexport type QueryAnnualRevenueReportArgs = {\n filters: AnnualRevenueReportFilter;\n};\n\n\n/** query root */\nexport type QueryBusinessArgs = {\n id: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryBusinessEmailConfigArgs = {\n email: Scalars['String']['input'];\n};\n\n\n/** query root */\nexport type QueryBusinessTransactionsFromLedgerRecordsArgs = {\n filters?: InputMaybe<BusinessTransactionsFilter>;\n};\n\n\n/** query root */\nexport type QueryBusinessTransactionsSumFromLedgerRecordsArgs = {\n filters?: InputMaybe<BusinessTransactionsFilter>;\n};\n\n\n/** query root */\nexport type QueryBusinessTripArgs = {\n id: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryBusinessesArgs = {\n ids: Array<Scalars['UUID']['input']>;\n};\n\n\n/** query root */\nexport type QueryChargeArgs = {\n chargeId: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryChargesByIDsArgs = {\n chargeIDs: Array<Scalars['UUID']['input']>;\n};\n\n\n/** query root */\nexport type QueryChargesWithLedgerChangesArgs = {\n filters?: InputMaybe<ChargeFilter>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n};\n\n\n/** query root */\nexport type QueryChargesWithMissingRequiredInfoArgs = {\n limit?: InputMaybe<Scalars['Int']['input']>;\n page?: InputMaybe<Scalars['Int']['input']>;\n};\n\n\n/** query root */\nexport type QueryClientArgs = {\n businessId: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryClientMonthlyChargeDraftArgs = {\n clientId: Scalars['UUID']['input'];\n issueMonth: Scalars['TimelessDate']['input'];\n};\n\n\n/** query root */\nexport type QueryContractsByAdminArgs = {\n adminId: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryContractsByClientArgs = {\n clientId: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryContractsByIdArgs = {\n id: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryCorporateTaxByDateArgs = {\n date: Scalars['TimelessDate']['input'];\n};\n\n\n/** query root */\nexport type QueryCorporateTaxRulingComplianceReportArgs = {\n years: Array<Scalars['Int']['input']>;\n};\n\n\n/** query root */\nexport type QueryDepositArgs = {\n depositId: Scalars['String']['input'];\n};\n\n\n/** query root */\nexport type QueryDepositByChargeArgs = {\n chargeId: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryDepreciationRecordsByChargeArgs = {\n chargeId: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryDepreciationReportArgs = {\n filters?: InputMaybe<DepreciationReportFilter>;\n};\n\n\n/** query root */\nexport type QueryDocumentByIdArgs = {\n documentId: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryDocumentsByFiltersArgs = {\n filters: DocumentsFilters;\n};\n\n\n/** query root */\nexport type QueryDynamicReportArgs = {\n name: Scalars['String']['input'];\n};\n\n\n/** query root */\nexport type QueryEmployeesByEmployerIdArgs = {\n employerId: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryExchangeRatesArgs = {\n date?: InputMaybe<Scalars['TimelessDate']['input']>;\n};\n\n\n/** query root */\nexport type QueryFinancialAccountArgs = {\n id: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryFinancialAccountsByOwnerArgs = {\n ownerId: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryFinancialEntityArgs = {\n id: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryFindChargeMatchesArgs = {\n chargeId: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryGreenInvoiceClientArgs = {\n clientId: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryIncomeExpenseChartArgs = {\n filters: IncomeExpenseChartFilters;\n};\n\n\n/** query root */\nexport type QueryLedgerRecordsByDatesArgs = {\n fromDate: Scalars['TimelessDate']['input'];\n toDate: Scalars['TimelessDate']['input'];\n};\n\n\n/** query root */\nexport type QueryLedgerRecordsByFinancialEntityArgs = {\n financialEntityId: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryMiscExpensesByChargeArgs = {\n chargeId: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryNewDocumentDraftByChargeArgs = {\n chargeId: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryNewDocumentDraftByDocumentArgs = {\n documentId: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryPcnByDateArgs = {\n businessId?: InputMaybe<Scalars['UUID']['input']>;\n fromMonthDate: Scalars['TimelessDate']['input'];\n toMonthDate: Scalars['TimelessDate']['input'];\n};\n\n\n/** query root */\nexport type QueryPcnFileArgs = {\n financialEntityId: Scalars['UUID']['input'];\n monthDate: Scalars['TimelessDate']['input'];\n options?: InputMaybe<PcnOptionsInput>;\n};\n\n\n/** query root */\nexport type QueryPeriodicalDocumentDraftsArgs = {\n issueMonth: Scalars['TimelessDate']['input'];\n};\n\n\n/** query root */\nexport type QueryPeriodicalDocumentDraftsByContractsArgs = {\n contractIds: Array<Scalars['UUID']['input']>;\n issueMonth: Scalars['TimelessDate']['input'];\n};\n\n\n/** query root */\nexport type QueryProfitAndLossReportArgs = {\n referenceYears: Array<Scalars['Int']['input']>;\n reportYear: Scalars['Int']['input'];\n};\n\n\n/** query root */\nexport type QueryRecentDocumentsByBusinessArgs = {\n businessId: Scalars['UUID']['input'];\n limit?: InputMaybe<Scalars['Int']['input']>;\n};\n\n\n/** query root */\nexport type QueryRecentDocumentsByClientArgs = {\n clientId: Scalars['UUID']['input'];\n limit?: InputMaybe<Scalars['Int']['input']>;\n};\n\n\n/** query root */\nexport type QueryRecentIssuedDocumentsByTypeArgs = {\n documentType: DocumentType;\n limit?: InputMaybe<Scalars['Int']['input']>;\n};\n\n\n/** query root */\nexport type QuerySalaryRecordsByChargeArgs = {\n chargeId: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QuerySalaryRecordsByDatesArgs = {\n employeeIDs?: InputMaybe<Array<Scalars['UUID']['input']>>;\n fromDate: Scalars['TimelessDate']['input'];\n toDate: Scalars['TimelessDate']['input'];\n};\n\n\n/** query root */\nexport type QueryShaam6111Args = {\n businessId?: InputMaybe<Scalars['UUID']['input']>;\n year: Scalars['Int']['input'];\n};\n\n\n/** query root */\nexport type QueryShaam6111ByYearArgs = {\n businessId?: InputMaybe<Scalars['UUID']['input']>;\n fromYear: Scalars['Int']['input'];\n toYear: Scalars['Int']['input'];\n};\n\n\n/** query root */\nexport type QuerySimilarChargesArgs = {\n chargeId: Scalars['UUID']['input'];\n descriptionDifferentThan?: InputMaybe<Scalars['String']['input']>;\n tagsDifferentThan?: InputMaybe<Array<Scalars['String']['input']>>;\n withMissingDescription?: InputMaybe<Scalars['Boolean']['input']>;\n withMissingTags?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n\n/** query root */\nexport type QuerySimilarChargesByBusinessArgs = {\n businessId: Scalars['UUID']['input'];\n descriptionDifferentThan?: InputMaybe<Scalars['String']['input']>;\n ownerId?: InputMaybe<Scalars['UUID']['input']>;\n tagsDifferentThan?: InputMaybe<Array<Scalars['String']['input']>>;\n};\n\n\n/** query root */\nexport type QuerySimilarTransactionsArgs = {\n transactionId: Scalars['UUID']['input'];\n withMissingInfo?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n\n/** query root */\nexport type QuerySortCodeArgs = {\n key: Scalars['Int']['input'];\n};\n\n\n/** query root */\nexport type QueryTaxCategoryArgs = {\n id: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryTaxCategoryByBusinessIdArgs = {\n businessId: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryTaxReportArgs = {\n referenceYears: Array<Scalars['Int']['input']>;\n reportYear: Scalars['Int']['input'];\n};\n\n\n/** query root */\nexport type QueryTransactionsByFinancialEntityArgs = {\n financialEntityID: Scalars['UUID']['input'];\n};\n\n\n/** query root */\nexport type QueryTransactionsByIDsArgs = {\n transactionIDs: Array<Scalars['UUID']['input']>;\n};\n\n\n/** query root */\nexport type QueryTransactionsForBalanceReportArgs = {\n fromDate: Scalars['TimelessDate']['input'];\n ownerId?: InputMaybe<Scalars['UUID']['input']>;\n toDate: Scalars['TimelessDate']['input'];\n};\n\n\n/** query root */\nexport type QueryUniformFormatArgs = {\n fromDate: Scalars['TimelessDate']['input'];\n toDate: Scalars['TimelessDate']['input'];\n};\n\n\n/** query root */\nexport type QueryVatReportArgs = {\n filters?: InputMaybe<VatReportFilter>;\n};\n\n\n/** query root */\nexport type QueryYearlyLedgerReportArgs = {\n year: Scalars['Int']['input'];\n};\n\n/** receipt document */\nexport type Receipt = Document & FinancialDocument & Linkable & {\n __typename?: 'Receipt';\n allocationNumber?: Maybe<Scalars['String']['output']>;\n amount?: Maybe<FinancialAmount>;\n charge?: Maybe<Charge>;\n creditor?: Maybe<FinancialEntity>;\n date?: Maybe<Scalars['TimelessDate']['output']>;\n debtor?: Maybe<FinancialEntity>;\n description?: Maybe<Scalars['String']['output']>;\n documentType?: Maybe<DocumentType>;\n exchangeRateOverride?: Maybe<Scalars['Float']['output']>;\n file?: Maybe<Scalars['URL']['output']>;\n id: Scalars['UUID']['output'];\n image?: Maybe<Scalars['URL']['output']>;\n isReviewed?: Maybe<Scalars['Boolean']['output']>;\n issuedDocumentInfo?: Maybe<IssuedDocumentInfo>;\n missingInfoSuggestions?: Maybe<DocumentSuggestions>;\n noVatAmount?: Maybe<Scalars['Float']['output']>;\n remarks?: Maybe<Scalars['String']['output']>;\n serialNumber?: Maybe<Scalars['String']['output']>;\n vat?: Maybe<FinancialAmount>;\n vatReportDateOverride?: Maybe<Scalars['TimelessDate']['output']>;\n};\n\n/** Tax report commentary summary */\nexport type ReportCommentary = {\n __typename?: 'ReportCommentary';\n amount: FinancialAmount;\n records: Array<ReportCommentaryRecord>;\n};\n\n/** Report commentary record */\nexport type ReportCommentaryRecord = {\n __typename?: 'ReportCommentaryRecord';\n amount: FinancialAmount;\n records: Array<ReportCommentarySubRecord>;\n sortCode: SortCode;\n};\n\n/** Report commentary sub-record */\nexport type ReportCommentarySubRecord = {\n __typename?: 'ReportCommentarySubRecord';\n amount: FinancialAmount;\n financialEntity: FinancialEntity;\n};\n\n/** Reporting method enum (שיטת דיווח) */\nexport const ReportingMethod = {\n /** Accrual basis (מצטבר) */\n Accrual: 'ACCRUAL',\n /** Cash basis (מזומן) */\n Cash: 'CASH',\n /** According to dollar regulations (לפי תקנות דולריות) */\n DollarRegulations: 'DOLLAR_REGULATIONS'\n} as const;\n\nexport type ReportingMethod = typeof ReportingMethod[keyof typeof ReportingMethod];\n/** defines salary records for charge arrangement */\nexport type Salary = {\n __typename?: 'Salary';\n baseAmount?: Maybe<FinancialAmount>;\n bonus?: Maybe<FinancialAmount>;\n charge?: Maybe<SalaryCharge>;\n compensationsAmount?: Maybe<FinancialAmount>;\n compensationsPercentage?: Maybe<Scalars['Float']['output']>;\n directAmount: FinancialAmount;\n employee?: Maybe<LtdFinancialEntity>;\n employer?: Maybe<LtdFinancialEntity>;\n gift?: Maybe<FinancialAmount>;\n globalAdditionalHoursAmount?: Maybe<FinancialAmount>;\n healthInsuranceAmount?: Maybe<FinancialAmount>;\n incomeTaxAmount?: Maybe<FinancialAmount>;\n month: Scalars['String']['output'];\n notionalExpense?: Maybe<FinancialAmount>;\n pensionEmployeeAmount?: Maybe<FinancialAmount>;\n pensionEmployeePercentage?: Maybe<Scalars['Float']['output']>;\n pensionEmployerAmount?: Maybe<FinancialAmount>;\n pensionEmployerPercentage?: Maybe<Scalars['Float']['output']>;\n pensionFund?: Maybe<LtdFinancialEntity>;\n recovery?: Maybe<FinancialAmount>;\n sicknessDays?: Maybe<SicknessDays>;\n socialSecurityEmployeeAmount?: Maybe<FinancialAmount>;\n socialSecurityEmployerAmount?: Maybe<FinancialAmount>;\n trainingFund?: Maybe<LtdFinancialEntity>;\n trainingFundEmployeeAmount?: Maybe<FinancialAmount>;\n trainingFundEmployeePercentage?: Maybe<Scalars['Float']['output']>;\n trainingFundEmployerAmount?: Maybe<FinancialAmount>;\n trainingFundEmployerPercentage?: Maybe<Scalars['Float']['output']>;\n travelAndSubsistence?: Maybe<FinancialAmount>;\n vacationDays?: Maybe<VacationDays>;\n vacationTakeout?: Maybe<FinancialAmount>;\n workDays?: Maybe<Scalars['Float']['output']>;\n};\n\n/** charge with conversion transactions */\nexport type SalaryCharge = Charge & {\n __typename?: 'SalaryCharge';\n accountantApproval: AccountantStatus;\n additionalDocuments: Array<Document>;\n counterparty?: Maybe<FinancialEntity>;\n decreasedVAT?: Maybe<Scalars['Boolean']['output']>;\n employees: Array<LtdFinancialEntity>;\n id: Scalars['UUID']['output'];\n isInvoicePaymentDifferentCurrency?: Maybe<Scalars['Boolean']['output']>;\n ledger: Ledger;\n metadata?: Maybe<ChargeMetadata>;\n minDebitDate?: Maybe<Scalars['DateTime']['output']>;\n minDocumentsDate?: Maybe<Scalars['DateTime']['output']>;\n minEventDate?: Maybe<Scalars['DateTime']['output']>;\n miscExpenses: Array<MiscExpense>;\n missingInfoSuggestions?: Maybe<ChargeSuggestions>;\n optionalDocuments?: Maybe<Scalars['Boolean']['output']>;\n optionalVAT?: Maybe<Scalars['Boolean']['output']>;\n owner: Business;\n property?: Maybe<Scalars['Boolean']['output']>;\n salaryRecords: Array<Salary>;\n tags: Array<Tag>;\n taxCategory?: Maybe<TaxCategory>;\n totalAmount?: Maybe<FinancialAmount>;\n transactions: Array<Transaction>;\n userDescription?: Maybe<Scalars['String']['output']>;\n validationData?: Maybe<ValidationData>;\n vat?: Maybe<FinancialAmount>;\n withholdingTax?: Maybe<FinancialAmount>;\n yearsOfRelevance?: Maybe<Array<YearOfRelevance>>;\n};\n\n/** input variables for update salary records */\nexport type SalaryRecordEditInput = {\n addedVacationDays?: InputMaybe<Scalars['Float']['input']>;\n baseSalary?: InputMaybe<Scalars['Float']['input']>;\n bonus?: InputMaybe<Scalars['Float']['input']>;\n chargeId?: InputMaybe<Scalars['UUID']['input']>;\n compensationsEmployerAmount?: InputMaybe<Scalars['Float']['input']>;\n compensationsEmployerPercentage?: InputMaybe<Scalars['Float']['input']>;\n directPaymentAmount?: InputMaybe<Scalars['Float']['input']>;\n employeeId: Scalars['UUID']['input'];\n employer?: InputMaybe<Scalars['UUID']['input']>;\n gift?: InputMaybe<Scalars['Float']['input']>;\n globalAdditionalHours?: InputMaybe<Scalars['Float']['input']>;\n healthPaymentAmount?: InputMaybe<Scalars['Float']['input']>;\n hourlyRate?: InputMaybe<Scalars['Float']['input']>;\n hours?: InputMaybe<Scalars['Float']['input']>;\n month: Scalars['String']['input'];\n pensionEmployeeAmount?: InputMaybe<Scalars['Float']['input']>;\n pensionEmployeePercentage?: InputMaybe<Scalars['Float']['input']>;\n pensionEmployerAmount?: InputMaybe<Scalars['Float']['input']>;\n pensionEmployerPercentage?: InputMaybe<Scalars['Float']['input']>;\n pensionFundId?: InputMaybe<Scalars['UUID']['input']>;\n recovery?: InputMaybe<Scalars['Float']['input']>;\n sicknessDaysBalance?: InputMaybe<Scalars['Float']['input']>;\n socialSecurityAmountEmployee?: InputMaybe<Scalars['Float']['input']>;\n socialSecurityAmountEmployer?: InputMaybe<Scalars['Float']['input']>;\n taxAmount?: InputMaybe<Scalars['Float']['input']>;\n trainingFundEmployeeAmount?: InputMaybe<Scalars['Float']['input']>;\n trainingFundEmployeePercentage?: InputMaybe<Scalars['Float']['input']>;\n trainingFundEmployerAmount?: InputMaybe<Scalars['Float']['input']>;\n trainingFundEmployerPercentage?: InputMaybe<Scalars['Float']['input']>;\n trainingFundId?: InputMaybe<Scalars['UUID']['input']>;\n travelAndSubsistence?: InputMaybe<Scalars['Float']['input']>;\n vacationDaysBalance?: InputMaybe<Scalars['Float']['input']>;\n vacationTakeout?: InputMaybe<Scalars['Float']['input']>;\n workDays?: InputMaybe<Scalars['Float']['input']>;\n zkufot?: InputMaybe<Scalars['Int']['input']>;\n};\n\n/** input variables for insert salary records */\nexport type SalaryRecordInput = {\n addedVacationDays?: InputMaybe<Scalars['Float']['input']>;\n baseSalary?: InputMaybe<Scalars['Float']['input']>;\n bonus?: InputMaybe<Scalars['Float']['input']>;\n chargeId?: InputMaybe<Scalars['UUID']['input']>;\n compensationsEmployerAmount?: InputMaybe<Scalars['Float']['input']>;\n compensationsEmployerPercentage?: InputMaybe<Scalars['Float']['input']>;\n directPaymentAmount: Scalars['Float']['input'];\n employee?: InputMaybe<Scalars['String']['input']>;\n employeeId: Scalars['UUID']['input'];\n employer: Scalars['UUID']['input'];\n gift?: InputMaybe<Scalars['Float']['input']>;\n globalAdditionalHours?: InputMaybe<Scalars['Float']['input']>;\n healthPaymentAmount?: InputMaybe<Scalars['Float']['input']>;\n hourlyRate?: InputMaybe<Scalars['Float']['input']>;\n hours?: InputMaybe<Scalars['Float']['input']>;\n jobPercentage?: InputMaybe<Scalars['Float']['input']>;\n month: Scalars['String']['input'];\n pensionEmployeeAmount?: InputMaybe<Scalars['Float']['input']>;\n pensionEmployeePercentage?: InputMaybe<Scalars['Float']['input']>;\n pensionEmployerAmount?: InputMaybe<Scalars['Float']['input']>;\n pensionEmployerPercentage?: InputMaybe<Scalars['Float']['input']>;\n pensionFundId?: InputMaybe<Scalars['UUID']['input']>;\n recovery?: InputMaybe<Scalars['Float']['input']>;\n sicknessDaysBalance?: InputMaybe<Scalars['Float']['input']>;\n socialSecurityAmountEmployee?: InputMaybe<Scalars['Float']['input']>;\n socialSecurityAmountEmployer?: InputMaybe<Scalars['Float']['input']>;\n taxAmount?: InputMaybe<Scalars['Float']['input']>;\n trainingFundEmployeeAmount?: InputMaybe<Scalars['Float']['input']>;\n trainingFundEmployeePercentage?: InputMaybe<Scalars['Float']['input']>;\n trainingFundEmployerAmount?: InputMaybe<Scalars['Float']['input']>;\n trainingFundEmployerPercentage?: InputMaybe<Scalars['Float']['input']>;\n trainingFundId?: InputMaybe<Scalars['UUID']['input']>;\n travelAndSubsistence?: InputMaybe<Scalars['Float']['input']>;\n vacationDaysBalance?: InputMaybe<Scalars['Float']['input']>;\n vacationTakeout?: InputMaybe<Scalars['Float']['input']>;\n workDays?: InputMaybe<Scalars['Float']['input']>;\n zkufot?: InputMaybe<Scalars['Int']['input']>;\n};\n\n/** Shaam6111 report data */\nexport type Shaam6111Data = {\n __typename?: 'Shaam6111Data';\n balanceSheet?: Maybe<Array<Shaam6111ReportEntry>>;\n header: Shaam6111Header;\n id: Scalars['ID']['output'];\n individualOrCompany?: Maybe<IndividualOrCompany>;\n profitAndLoss: Array<Shaam6111ReportEntry>;\n taxAdjustment: Array<Shaam6111ReportEntry>;\n};\n\n/** Shaam6111 file content */\nexport type Shaam6111File = {\n __typename?: 'Shaam6111File';\n diffContent?: Maybe<Scalars['String']['output']>;\n fileName: Scalars['String']['output'];\n id: Scalars['ID']['output'];\n reportContent: Scalars['String']['output'];\n};\n\n/** Header Record containing metadata about the tax report (כותרת) */\nexport type Shaam6111Header = {\n __typename?: 'Shaam6111Header';\n /** Accounting method - mandatory field (שיטת חשבונאות) */\n accountingMethod: AccountingMethod;\n /** Business accounting system - mandatory field (הנח''ש של העסק) */\n accountingSystem: AccountingSystem;\n /** Are amounts in thousands (הסכום באלפי שקלים/דולרים) */\n amountsInThousands: Scalars['Boolean']['output'];\n /** Audit opinion type (חוות דעת) */\n auditOpinionType?: Maybe<AuditOpinionType>;\n /** Number of entries in balance sheet section (3 digits) - mandatory if entries exist (מספר נגררות פיסקת מאזן) */\n balanceSheetEntryCount?: Maybe<Scalars['Int']['output']>;\n /** Business description (50 characters max) - right-aligned Hebrew text (תאור העסק) */\n businessDescription?: Maybe<Scalars['String']['output']>;\n /** Business type - mandatory field (סוג עסק) */\n businessType: BusinessType;\n /** Currency reporting type (דיווח מטבע) */\n currencyType: CurrencyType;\n /** ID number or company registration number (9 digits) - mandatory field (מס' זהות/ח.פ) */\n idNumber: Scalars['String']['output'];\n /** Year when IFRS accounting standards were implemented (4 digits) (שנת מס - יישום תקני חשבונאות) Starting from 2006, or 9999 if not applicable */\n ifrsImplementationYear?: Maybe<Scalars['String']['output']>;\n /** IFRS reporting option (דווח בחלופה - יישום תקני חשבונאות) */\n ifrsReportingOption?: Maybe<IfrsReportingOption>;\n /** Balance sheet included - mandatory field (מצורף דוח מאזן) */\n includesBalanceSheet: Scalars['Boolean']['output'];\n /** Profit and Loss statement included - mandatory field (מצורף דוח רווח הפסד) */\n includesProfitLoss: Scalars['Boolean']['output'];\n /** Tax adjustment statement included - mandatory field (מצורף דוח התאמה) */\n includesTaxAdjustment: Scalars['Boolean']['output'];\n /** Industry code (4 digits) - mandatory field (מס' ענף) */\n industryCode: Scalars['String']['output'];\n /** Is this report for a partnership (דוח זה בגין שותפות) */\n isPartnership?: Maybe<Scalars['Boolean']['output']>;\n /** For partnership reports: number of partners (3 digits) - 999 if not applicable (דוח זה בגין שותפות: מספר השותפים) */\n partnershipCount?: Maybe<Scalars['Int']['output']>;\n /** For partnership reports: share in partnership profits (6 digits, 2 decimal places) - 999999 if not applicable (דוח זה בגין שותפות: חלקי ברווחי השותפות) */\n partnershipProfitShare?: Maybe<Scalars['Int']['output']>;\n /** Number of entries in profit and loss section (3 digits) - mandatory field (מספר נגררות פיסקת רווח הפסד) */\n profitLossEntryCount?: Maybe<Scalars['Int']['output']>;\n /** Reporting method - mandatory field (שיטת דיווח) */\n reportingMethod: ReportingMethod;\n /** Software registration certificate number (8 digits) - 99999999 if not applicable (מספר תעודת רישום - חייב ברישום תוכנה) */\n softwareRegistrationNumber?: Maybe<Scalars['String']['output']>;\n /** Number of entries in tax adjustment section (3 digits) - mandatory if entries exist (מספר נגררות פיסקת התאמה למס) */\n taxAdjustmentEntryCount?: Maybe<Scalars['Int']['output']>;\n /** Tax file number (9 digits) - mandatory field (מספר תיק) */\n taxFileNumber: Scalars['String']['output'];\n /** Tax year (4 digits) - mandatory field (שנת מס) */\n taxYear: Scalars['String']['output'];\n /** VAT file number (9 digits) - if exists (מס' תיק מע''מ) */\n vatFileNumber?: Maybe<Scalars['String']['output']>;\n /** Withholding tax file number (9 digits) - if exists (מס' תיק ניכויים) */\n withholdingTaxFileNumber?: Maybe<Scalars['String']['output']>;\n};\n\n/** record of Shaam6111 report */\nexport type Shaam6111Report = {\n __typename?: 'Shaam6111Report';\n business: Business;\n data: Shaam6111Data;\n file: Shaam6111File;\n id: Scalars['ID']['output'];\n year: Scalars['Int']['output'];\n};\n\n/** Report Entry interface representing a single financial data entry in any report section */\nexport type Shaam6111ReportEntry = {\n __typename?: 'Shaam6111ReportEntry';\n amount: Scalars['Int']['output'];\n code: Scalars['Int']['output'];\n label: Scalars['String']['output'];\n};\n\n/** defines sickness days for salary record */\nexport type SicknessDays = {\n __typename?: 'SicknessDays';\n balance?: Maybe<Scalars['Float']['output']>;\n};\n\n/** Ledger record with balance */\nexport type SingleSidedLedgerRecord = {\n __typename?: 'SingleSidedLedgerRecord';\n amount: FinancialAmount;\n balance: Scalars['Float']['output'];\n counterParty?: Maybe<FinancialEntity>;\n description?: Maybe<Scalars['String']['output']>;\n id: Scalars['ID']['output'];\n invoiceDate: Scalars['DateTime']['output'];\n reference?: Maybe<Scalars['String']['output']>;\n valueDate: Scalars['DateTime']['output'];\n};\n\n/** Sort Code */\nexport type SortCode = {\n __typename?: 'SortCode';\n defaultIrsCode?: Maybe<Scalars['Int']['output']>;\n id: Scalars['ID']['output'];\n key: Scalars['Int']['output'];\n name?: Maybe<Scalars['String']['output']>;\n};\n\n/** contract subscription plans */\nexport const SubscriptionPlan = {\n Enterprise: 'ENTERPRISE',\n Pro: 'PRO'\n} as const;\n\nexport type SubscriptionPlan = typeof SubscriptionPlan[keyof typeof SubscriptionPlan];\n/** input for business suggestions */\nexport type Suggestions = {\n __typename?: 'Suggestions';\n description?: Maybe<Scalars['String']['output']>;\n emailListener?: Maybe<SuggestionsEmailListenerConfig>;\n emails?: Maybe<Array<Scalars['String']['output']>>;\n phrases: Array<Scalars['String']['output']>;\n priority?: Maybe<Scalars['Int']['output']>;\n tags: Array<Tag>;\n};\n\n/** business suggestions email listener config */\nexport type SuggestionsEmailListenerConfig = {\n __typename?: 'SuggestionsEmailListenerConfig';\n attachments?: Maybe<Array<EmailAttachmentType>>;\n emailBody?: Maybe<Scalars['Boolean']['output']>;\n internalEmailLinks?: Maybe<Array<Scalars['String']['output']>>;\n};\n\n/** input for business suggestions email listener config */\nexport type SuggestionsEmailListenerConfigInput = {\n attachments?: InputMaybe<Array<EmailAttachmentType>>;\n emailBody?: InputMaybe<Scalars['Boolean']['input']>;\n internalEmailLinks?: InputMaybe<Array<Scalars['String']['input']>>;\n};\n\n/** input for business suggestions */\nexport type SuggestionsInput = {\n description?: InputMaybe<Scalars['String']['input']>;\n emailListener?: InputMaybe<SuggestionsEmailListenerConfigInput>;\n emails?: InputMaybe<Array<Scalars['String']['input']>>;\n phrases?: InputMaybe<Array<Scalars['String']['input']>>;\n priority?: InputMaybe<Scalars['Int']['input']>;\n tags?: InputMaybe<Array<TagInput>>;\n};\n\n/** defines a tag / category for charge arrangement */\nexport type Tag = {\n __typename?: 'Tag';\n fullPath?: Maybe<Array<Tag>>;\n id: Scalars['UUID']['output'];\n name: Scalars['String']['output'];\n namePath?: Maybe<Array<Scalars['String']['output']>>;\n parent?: Maybe<Tag>;\n};\n\n/** input variables for Tag */\nexport type TagInput = {\n id: Scalars['String']['input'];\n};\n\n/** Represents the tax advance rate for a specific date. */\nexport type TaxAdvancesRate = {\n __typename?: 'TaxAdvancesRate';\n date: Scalars['TimelessDate']['output'];\n rate: Scalars['Float']['output'];\n};\n\n/** Input type representing the tax advance rate for a specific date. */\nexport type TaxAdvancesRateInput = {\n date: Scalars['TimelessDate']['input'];\n rate: Scalars['Float']['input'];\n};\n\n/** Tax category entity used for ledger records */\nexport type TaxCategory = FinancialEntity & {\n __typename?: 'TaxCategory';\n createdAt: Scalars['DateTime']['output'];\n id: Scalars['UUID']['output'];\n irsCode?: Maybe<Scalars['Int']['output']>;\n isActive: Scalars['Boolean']['output'];\n name: Scalars['String']['output'];\n sortCode?: Maybe<SortCode>;\n updatedAt: Scalars['DateTime']['output'];\n};\n\n/** result type for taxReport */\nexport type TaxReport = {\n __typename?: 'TaxReport';\n id: Scalars['ID']['output'];\n reference: Array<TaxReportYear>;\n report: TaxReportYear;\n};\n\n/** tax data for a single year */\nexport type TaxReportYear = {\n __typename?: 'TaxReportYear';\n annualTaxExpense: FinancialAmount;\n businessTripsExcessExpensesAmount: FinancialAmount;\n fines: ReportCommentary;\n id: Scalars['ID']['output'];\n nontaxableLinkage: ReportCommentary;\n profitBeforeTax: ReportCommentary;\n researchAndDevelopmentExpensesByRecords: ReportCommentary;\n researchAndDevelopmentExpensesForTax: FinancialAmount;\n reserves: ReportCommentary;\n salaryExcessExpensesAmount: FinancialAmount;\n specialTaxRate: Scalars['Float']['output'];\n specialTaxableIncome: ReportCommentary;\n taxRate: Scalars['Float']['output'];\n taxableIncome: FinancialAmount;\n untaxableGifts: ReportCommentary;\n year: Scalars['Int']['output'];\n};\n\n/** represent training fund */\nexport type TrainingFund = Fund & {\n __typename?: 'TrainingFund';\n id: Scalars['UUID']['output'];\n name: Scalars['String']['output'];\n};\n\n/** Represent a general transaction object */\nexport type Transaction = {\n /** link to the account */\n account: FinancialAccount;\n /** the amount of the transaction */\n amount: FinancialAmount;\n /** effective bank / card balance, after the transaction */\n balance: FinancialAmount;\n /** containing charge ID */\n chargeId: Scalars['UUID']['output'];\n /** calculated counterparty details for the charge */\n counterparty?: Maybe<FinancialEntity>;\n /** when the initial transaction was created from the first event we found */\n createdAt: Scalars['DateTime']['output'];\n cryptoExchangeRate?: Maybe<ConversionRate>;\n debitExchangeRates?: Maybe<ExchangeRates>;\n /** either credit or debit */\n direction: TransactionDirection;\n /** debitDate */\n effectiveDate?: Maybe<Scalars['TimelessDate']['output']>;\n /** eventDate */\n eventDate: Scalars['TimelessDate']['output'];\n eventExchangeRates?: Maybe<ExchangeRates>;\n /** debitTimeStamp */\n exactEffectiveDate?: Maybe<Scalars['DateTime']['output']>;\n id: Scalars['UUID']['output'];\n /** is this transaction a fee? */\n isFee?: Maybe<Scalars['Boolean']['output']>;\n /** missing info suggestions data */\n missingInfoSuggestions?: Maybe<TransactionSuggestions>;\n /** external key / identifier in the bank or card (אסמכתא) */\n referenceKey?: Maybe<Scalars['String']['output']>;\n /** description of the transaction, as defined by the bank/card */\n sourceDescription: Scalars['String']['output'];\n /** debitDate without user overrides and completions */\n sourceEffectiveDate?: Maybe<Scalars['TimelessDate']['output']>;\n /** when the transaction was last updated */\n updatedAt: Scalars['DateTime']['output'];\n};\n\n/** The direction of the transaction */\nexport const TransactionDirection = {\n Credit: 'CREDIT',\n Debit: 'DEBIT'\n} as const;\n\nexport type TransactionDirection = typeof TransactionDirection[keyof typeof TransactionDirection];\n/** represent transaction suggestions for missing info */\nexport type TransactionSuggestions = {\n __typename?: 'TransactionSuggestions';\n business: FinancialEntity;\n};\n\n/** represent transaction not (fully) categorized under business trips */\nexport type UncategorizedTransaction = {\n __typename?: 'UncategorizedTransaction';\n categorizedAmount: FinancialAmount;\n errors: Array<Scalars['String']['output']>;\n transaction: Transaction;\n};\n\n/** result type for uniformFormat */\nexport type UniformFormat = {\n __typename?: 'UniformFormat';\n bkmvdata: Scalars['FileScalar']['output'];\n ini: Scalars['FileScalar']['output'];\n};\n\n/** document that haven't yet been processed */\nexport type Unprocessed = Document & Linkable & {\n __typename?: 'Unprocessed';\n charge?: Maybe<Charge>;\n description?: Maybe<Scalars['String']['output']>;\n documentType?: Maybe<DocumentType>;\n file?: Maybe<Scalars['URL']['output']>;\n id: Scalars['UUID']['output'];\n image?: Maybe<Scalars['URL']['output']>;\n isReviewed?: Maybe<Scalars['Boolean']['output']>;\n remarks?: Maybe<Scalars['String']['output']>;\n};\n\n/** Input type for updating admin business details. */\nexport type UpdateAdminBusinessInput = {\n governmentId?: InputMaybe<Scalars['String']['input']>;\n name?: InputMaybe<Scalars['String']['input']>;\n registrationDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n /** Social Security Info */\n socialSecurityEmployerIds?: InputMaybe<Array<AnnualIdInput>>;\n /** Tax Advances Info */\n taxAdvancesAnnualIds?: InputMaybe<Array<AnnualIdInput>>;\n taxAdvancesRates?: InputMaybe<Array<TaxAdvancesRateInput>>;\n withholdingTaxAnnualIds?: InputMaybe<Array<AnnualIdInput>>;\n /** Withholding Tax Info */\n withholdingTaxCompanyId?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** input for updateBusiness */\nexport type UpdateBusinessInput = {\n address?: InputMaybe<Scalars['String']['input']>;\n city?: InputMaybe<Scalars['String']['input']>;\n country?: InputMaybe<Scalars['CountryCode']['input']>;\n email?: InputMaybe<Scalars['String']['input']>;\n exemptDealer?: InputMaybe<Scalars['Boolean']['input']>;\n governmentId?: InputMaybe<Scalars['String']['input']>;\n hebrewName?: InputMaybe<Scalars['String']['input']>;\n irsCode?: InputMaybe<Scalars['Int']['input']>;\n isActive?: InputMaybe<Scalars['Boolean']['input']>;\n isDocumentsOptional?: InputMaybe<Scalars['Boolean']['input']>;\n isReceiptEnough?: InputMaybe<Scalars['Boolean']['input']>;\n name?: InputMaybe<Scalars['String']['input']>;\n optionalVAT?: InputMaybe<Scalars['Boolean']['input']>;\n pcn874RecordType?: InputMaybe<Pcn874RecordType>;\n phoneNumber?: InputMaybe<Scalars['String']['input']>;\n sortCode?: InputMaybe<Scalars['Int']['input']>;\n suggestions?: InputMaybe<SuggestionsInput>;\n taxCategory?: InputMaybe<Scalars['UUID']['input']>;\n website?: InputMaybe<Scalars['String']['input']>;\n zipCode?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** result type for updateBusiness */\nexport type UpdateBusinessResponse = CommonError | LtdFinancialEntity;\n\n/** the input for updating a business trip accommodation expense */\nexport type UpdateBusinessTripAccommodationsExpenseInput = {\n amount?: InputMaybe<Scalars['Float']['input']>;\n attendeesStay: Array<BusinessTripAttendeeStayInput>;\n businessTripId: Scalars['UUID']['input'];\n country?: InputMaybe<Scalars['CountryCode']['input']>;\n currency?: InputMaybe<Currency>;\n date?: InputMaybe<Scalars['TimelessDate']['input']>;\n employeeBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n id: Scalars['UUID']['input'];\n nightsCount?: InputMaybe<Scalars['Int']['input']>;\n valueDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n};\n\n/** the input for updating a business trip car rental expense */\nexport type UpdateBusinessTripCarRentalExpenseInput = {\n amount?: InputMaybe<Scalars['Float']['input']>;\n businessTripId: Scalars['UUID']['input'];\n currency?: InputMaybe<Currency>;\n date?: InputMaybe<Scalars['TimelessDate']['input']>;\n days?: InputMaybe<Scalars['Int']['input']>;\n employeeBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n id: Scalars['UUID']['input'];\n isFuelExpense?: InputMaybe<Scalars['Boolean']['input']>;\n valueDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n};\n\n/** the input for updating a business trip flights expense */\nexport type UpdateBusinessTripFlightsExpenseInput = {\n amount?: InputMaybe<Scalars['Float']['input']>;\n attendeeIds?: InputMaybe<Array<Scalars['UUID']['input']>>;\n businessTripId: Scalars['UUID']['input'];\n currency?: InputMaybe<Currency>;\n date?: InputMaybe<Scalars['TimelessDate']['input']>;\n employeeBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n flightClass?: InputMaybe<FlightClass>;\n id: Scalars['UUID']['input'];\n path?: InputMaybe<Array<Scalars['String']['input']>>;\n valueDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n};\n\n/** the input for updating a business trip */\nexport type UpdateBusinessTripInput = {\n destinationCode?: InputMaybe<Scalars['String']['input']>;\n name?: InputMaybe<Scalars['String']['input']>;\n tripPurpose?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** the input for updating a business trip other expense */\nexport type UpdateBusinessTripOtherExpenseInput = {\n amount?: InputMaybe<Scalars['Float']['input']>;\n businessTripId: Scalars['UUID']['input'];\n currency?: InputMaybe<Currency>;\n date?: InputMaybe<Scalars['TimelessDate']['input']>;\n deductibleExpense?: InputMaybe<Scalars['Boolean']['input']>;\n description?: InputMaybe<Scalars['String']['input']>;\n employeeBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n id: Scalars['UUID']['input'];\n valueDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n};\n\n/** the input for updating a business trip T&S expense */\nexport type UpdateBusinessTripTravelAndSubsistenceExpenseInput = {\n amount?: InputMaybe<Scalars['Float']['input']>;\n businessTripId: Scalars['UUID']['input'];\n currency?: InputMaybe<Currency>;\n date?: InputMaybe<Scalars['TimelessDate']['input']>;\n employeeBusinessId?: InputMaybe<Scalars['UUID']['input']>;\n expenseType?: InputMaybe<Scalars['String']['input']>;\n id: Scalars['UUID']['input'];\n valueDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n};\n\n/** input variables for updateCharge */\nexport type UpdateChargeInput = {\n accountantApproval?: InputMaybe<AccountantStatus>;\n businessTripID?: InputMaybe<Scalars['UUID']['input']>;\n counterpartyId?: InputMaybe<Scalars['UUID']['input']>;\n defaultTaxCategoryID?: InputMaybe<Scalars['UUID']['input']>;\n isDecreasedVAT?: InputMaybe<Scalars['Boolean']['input']>;\n isInvoicePaymentDifferentCurrency?: InputMaybe<Scalars['Boolean']['input']>;\n optionalDocuments?: InputMaybe<Scalars['Boolean']['input']>;\n optionalVAT?: InputMaybe<Scalars['Boolean']['input']>;\n tags?: InputMaybe<Array<TagInput>>;\n type?: InputMaybe<ChargeType>;\n /** user custom description */\n userDescription?: InputMaybe<Scalars['String']['input']>;\n yearsOfRelevance?: InputMaybe<Array<YearOfRelevanceInput>>;\n};\n\n/** result type for updateCharge */\nexport type UpdateChargeResult = CommonError | UpdateChargeSuccessfulResult;\n\n/** successful result type for updateCharge */\nexport type UpdateChargeSuccessfulResult = {\n __typename?: 'UpdateChargeSuccessfulResult';\n charge: Charge;\n};\n\n/** result type for updateClient */\nexport type UpdateClientResponse = Client | CommonError;\n\n/** input for updating a contract */\nexport type UpdateContractInput = {\n amount?: InputMaybe<FinancialAmountInput>;\n billingCycle?: InputMaybe<BillingCycle>;\n clientId?: InputMaybe<Scalars['UUID']['input']>;\n documentType?: InputMaybe<DocumentType>;\n endDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n isActive?: InputMaybe<Scalars['Boolean']['input']>;\n msCloud?: InputMaybe<Scalars['URL']['input']>;\n operationsLimit?: InputMaybe<Scalars['BigInt']['input']>;\n plan?: InputMaybe<SubscriptionPlan>;\n product?: InputMaybe<Product>;\n purchaseOrders?: InputMaybe<Array<Scalars['String']['input']>>;\n remarks?: InputMaybe<Scalars['String']['input']>;\n startDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n};\n\n/** input variables for updateDepreciationCategory */\nexport type UpdateDepreciationCategoryInput = {\n id: Scalars['UUID']['input'];\n name?: InputMaybe<Scalars['String']['input']>;\n percentage?: InputMaybe<Scalars['Float']['input']>;\n};\n\n/** result type for updateDepreciationCategory */\nexport type UpdateDepreciationCategoryResult = CommonError | DepreciationCategory;\n\n/** input variables for updateDepreciationRecord */\nexport type UpdateDepreciationRecordInput = {\n activationDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n amount?: InputMaybe<Scalars['Float']['input']>;\n categoryId?: InputMaybe<Scalars['UUID']['input']>;\n chargeId?: InputMaybe<Scalars['UUID']['input']>;\n currency?: InputMaybe<Currency>;\n id: Scalars['UUID']['input'];\n type?: InputMaybe<DepreciationType>;\n};\n\n/** result type for updateDepreciationRecord */\nexport type UpdateDepreciationRecordResult = CommonError | DepreciationRecord;\n\n/** input variables for updateDocument */\nexport type UpdateDocumentFieldsInput = {\n allocationNumber?: InputMaybe<Scalars['String']['input']>;\n amount?: InputMaybe<FinancialAmountInput>;\n chargeId?: InputMaybe<Scalars['UUID']['input']>;\n creditorId?: InputMaybe<Scalars['UUID']['input']>;\n date?: InputMaybe<Scalars['TimelessDate']['input']>;\n debtorId?: InputMaybe<Scalars['UUID']['input']>;\n description?: InputMaybe<Scalars['String']['input']>;\n documentType?: InputMaybe<DocumentType>;\n exchangeRateOverride?: InputMaybe<Scalars['Float']['input']>;\n file?: InputMaybe<Scalars['URL']['input']>;\n image?: InputMaybe<Scalars['URL']['input']>;\n noVatAmount?: InputMaybe<Scalars['Float']['input']>;\n remarks?: InputMaybe<Scalars['String']['input']>;\n serialNumber?: InputMaybe<Scalars['String']['input']>;\n vat?: InputMaybe<FinancialAmountInput>;\n vatReportDateOverride?: InputMaybe<Scalars['TimelessDate']['input']>;\n};\n\n/** result type for updateCharge */\nexport type UpdateDocumentResult = CommonError | UpdateDocumentSuccessfulResult;\n\n/** result type for updateDocument */\nexport type UpdateDocumentSuccessfulResult = {\n __typename?: 'UpdateDocumentSuccessfulResult';\n document?: Maybe<Document>;\n};\n\n/** input type for updating a financial account */\nexport type UpdateFinancialAccountInput = {\n bankAccountDetails?: InputMaybe<BankAccountUpdateInput>;\n currencies?: InputMaybe<Array<FinancialAccountCurrencyInput>>;\n name?: InputMaybe<Scalars['String']['input']>;\n number?: InputMaybe<Scalars['String']['input']>;\n ownerId?: InputMaybe<Scalars['UUID']['input']>;\n privateOrBusiness?: InputMaybe<PrivateOrBusinessType>;\n type?: InputMaybe<FinancialAccountType>;\n};\n\n/** input variables for updateMiscExpense */\nexport type UpdateMiscExpenseInput = {\n amount?: InputMaybe<Scalars['Float']['input']>;\n chargeId?: InputMaybe<Scalars['UUID']['input']>;\n creditorId?: InputMaybe<Scalars['UUID']['input']>;\n currency?: InputMaybe<Currency>;\n debtorId?: InputMaybe<Scalars['UUID']['input']>;\n description?: InputMaybe<Scalars['String']['input']>;\n invoiceDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n valueDate?: InputMaybe<Scalars['DateTime']['input']>;\n};\n\n/** result type for updateCharge */\nexport type UpdateSalaryRecordResult = CommonError | UpdateSalaryRecordSuccessfulResult;\n\n/** result type for updateSalaryRecord */\nexport type UpdateSalaryRecordSuccessfulResult = {\n __typename?: 'UpdateSalaryRecordSuccessfulResult';\n salaryRecord: Salary;\n};\n\n/** input variables for updateSortCode */\nexport type UpdateSortCodeFieldsInput = {\n defaultIrsCode?: InputMaybe<Scalars['Int']['input']>;\n name?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** input variables for updateTag */\nexport type UpdateTagFieldsInput = {\n name?: InputMaybe<Scalars['String']['input']>;\n parentId?: InputMaybe<Scalars['UUID']['input']>;\n};\n\n/** input for updateTaxCategory */\nexport type UpdateTaxCategoryInput = {\n hashavshevetName?: InputMaybe<Scalars['String']['input']>;\n irsCode?: InputMaybe<Scalars['Int']['input']>;\n isActive?: InputMaybe<Scalars['Boolean']['input']>;\n name?: InputMaybe<Scalars['String']['input']>;\n sortCode?: InputMaybe<Scalars['Int']['input']>;\n taxExcluded?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** result type for updateBusiness */\nexport type UpdateTaxCategoryResponse = CommonError | TaxCategory;\n\n/** input variables for updateTransaction */\nexport type UpdateTransactionInput = {\n chargeId?: InputMaybe<Scalars['UUID']['input']>;\n counterpartyId?: InputMaybe<Scalars['UUID']['input']>;\n effectiveDate?: InputMaybe<Scalars['TimelessDate']['input']>;\n isFee?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** result type for updateTransaction */\nexport type UpdateTransactionResult = CommonError | CommonTransaction | ConversionTransaction;\n\n/** result type for updateTransactions */\nexport type UpdateTransactionsResult = CommonError | UpdatedTransactionsSuccessfulResult;\n\n/** result type for successful updateTransactions mutation */\nexport type UpdatedTransaction = CommonTransaction | ConversionTransaction;\n\n/** result type for successful updateTransactions mutation */\nexport type UpdatedTransactionsSuccessfulResult = {\n __typename?: 'UpdatedTransactionsSuccessfulResult';\n transactions: Array<UpdatedTransaction>;\n};\n\n/** result type for uploadDocument */\nexport type UploadDocumentResult = CommonError | UploadDocumentSuccessfulResult;\n\n/** result type for uploadDocument */\nexport type UploadDocumentSuccessfulResult = {\n __typename?: 'UploadDocumentSuccessfulResult';\n document?: Maybe<Document>;\n};\n\n/** user context */\nexport type UserContext = {\n __typename?: 'UserContext';\n adminBusinessId: Scalars['UUID']['output'];\n defaultCryptoConversionFiatCurrency: Currency;\n defaultLocalCurrency: Currency;\n financialAccountsBusinessesIds: Array<Scalars['UUID']['output']>;\n ledgerLock?: Maybe<Scalars['TimelessDate']['output']>;\n locality: Scalars['String']['output'];\n};\n\n/** defines vacation days for salary record */\nexport type VacationDays = {\n __typename?: 'VacationDays';\n added?: Maybe<Scalars['Float']['output']>;\n balance?: Maybe<Scalars['Float']['output']>;\n taken?: Maybe<Scalars['Float']['output']>;\n};\n\n/** represent a validation data for missing info */\nexport type ValidationData = {\n __typename?: 'ValidationData';\n balance?: Maybe<FinancialAmount>;\n isValid: Scalars['Boolean']['output'];\n missingInfo: Array<MissingChargeInfo>;\n};\n\n/** input variables for vatReportRecords */\nexport type VatReportFilter = {\n chargesType?: InputMaybe<ChargeFilterType>;\n financialEntityId: Scalars['UUID']['input'];\n monthDate: Scalars['TimelessDate']['input'];\n};\n\n/** Vat report record */\nexport type VatReportRecord = {\n __typename?: 'VatReportRecord';\n allocationNumber?: Maybe<Scalars['String']['output']>;\n amount: FinancialAmount;\n business?: Maybe<FinancialEntity>;\n chargeAccountantStatus?: Maybe<AccountantStatus>;\n chargeDate?: Maybe<Scalars['TimelessDate']['output']>;\n chargeId: Scalars['UUID']['output'];\n documentDate?: Maybe<Scalars['TimelessDate']['output']>;\n documentId?: Maybe<Scalars['UUID']['output']>;\n documentSerial?: Maybe<Scalars['String']['output']>;\n foreignVat?: Maybe<FinancialAmount>;\n foreignVatAfterDeduction?: Maybe<FinancialAmount>;\n image?: Maybe<Scalars['String']['output']>;\n isProperty: Scalars['Boolean']['output'];\n localAmount?: Maybe<FinancialAmount>;\n localVat?: Maybe<FinancialAmount>;\n localVatAfterDeduction?: Maybe<FinancialAmount>;\n recordType: Pcn874RecordType;\n /** Int value */\n roundedLocalVatAfterDeduction?: Maybe<FinancialIntAmount>;\n taxReducedForeignAmount?: Maybe<FinancialIntAmount>;\n taxReducedLocalAmount?: Maybe<FinancialIntAmount>;\n vatNumber?: Maybe<Scalars['String']['output']>;\n};\n\n/** vat report result */\nexport type VatReportResult = {\n __typename?: 'VatReportResult';\n businessTrips: Array<Charge>;\n differentMonthDoc: Array<Charge>;\n expenses: Array<VatReportRecord>;\n income: Array<VatReportRecord>;\n missingInfo: Array<Charge>;\n};\n\n/** charge spread type */\nexport type YearOfRelevance = {\n __typename?: 'YearOfRelevance';\n amount?: Maybe<Scalars['Float']['output']>;\n year: Scalars['String']['output'];\n};\n\n/** input variables for charge spread */\nexport type YearOfRelevanceInput = {\n amount?: InputMaybe<Scalars['Float']['input']>;\n year: Scalars['TimelessDate']['input'];\n};\n\n/** yearly ledger report */\nexport type YearlyLedgerReport = {\n __typename?: 'YearlyLedgerReport';\n financialEntitiesInfo: Array<YearlyLedgerReportFinancialEntityInfo>;\n id: Scalars['ID']['output'];\n year: Scalars['Int']['output'];\n};\n\n/** Vat report record */\nexport type YearlyLedgerReportFinancialEntityInfo = {\n __typename?: 'YearlyLedgerReportFinancialEntityInfo';\n closingBalance: FinancialAmount;\n entity: FinancialEntity;\n openingBalance: FinancialAmount;\n records: Array<SingleSidedLedgerRecord>;\n totalCredit: FinancialAmount;\n totalDebit: FinancialAmount;\n};\n\ntype DepositTransactionFields_CommonTransaction_Fragment = { __typename?: 'CommonTransaction', id: string, eventDate: any, chargeId: string, amount: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency }, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null } & { ' $fragmentName'?: 'DepositTransactionFields_CommonTransaction_Fragment' };\n\ntype DepositTransactionFields_ConversionTransaction_Fragment = { __typename?: 'ConversionTransaction', id: string, eventDate: any, chargeId: string, amount: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency }, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null } & { ' $fragmentName'?: 'DepositTransactionFields_ConversionTransaction_Fragment' };\n\nexport type DepositTransactionFieldsFragment =\n | DepositTransactionFields_CommonTransaction_Fragment\n | DepositTransactionFields_ConversionTransaction_Fragment\n;\n\nexport type SharedDepositTransactionsQueryVariables = Exact<{\n depositId: Scalars['String']['input'];\n}>;\n\n\nexport type SharedDepositTransactionsQuery = { __typename?: 'Query', deposit: { __typename?: 'BankDeposit', id: string, currency: Currency, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'DepositTransactionFields_CommonTransaction_Fragment': DepositTransactionFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'DepositTransactionFields_ConversionTransaction_Fragment': DepositTransactionFields_ConversionTransaction_Fragment } }\n )\n > } };\n\nexport type BusinessLedgerInfoQueryVariables = Exact<{\n filters?: InputMaybe<BusinessTransactionsFilter>;\n}>;\n\n\nexport type BusinessLedgerInfoQuery = { __typename?: 'Query', businessTransactionsFromLedgerRecords:\n | { __typename?: 'BusinessTransactionsFromLedgerRecordsSuccessfulResult', businessTransactions: Array<{ __typename?: 'BusinessTransaction', invoiceDate: any, reference?: string | null, details?: string | null, chargeId: string, amount: { __typename?: 'FinancialAmount', formatted: string, raw: number }, business:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n , foreignAmount?: { __typename?: 'FinancialAmount', formatted: string, raw: number, currency: Currency } | null, counterAccount?:\n | { __typename: 'LtdFinancialEntity', id: string, name: string }\n | { __typename: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename: 'TaxCategory', id: string, name: string }\n | null }> }\n | { __typename: 'CommonError', message: string }\n };\n\nexport type BusinessLedgerRecordsSummeryQueryVariables = Exact<{\n filters?: InputMaybe<BusinessTransactionsFilter>;\n}>;\n\n\nexport type BusinessLedgerRecordsSummeryQuery = { __typename?: 'Query', businessTransactionsSumFromLedgerRecords:\n | { __typename?: 'BusinessTransactionsSumFromLedgerRecordsSuccessfulResult', businessTransactionsSum: Array<{ __typename?: 'BusinessTransactionSum', business:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n , credit: { __typename?: 'FinancialAmount', formatted: string }, debit: { __typename?: 'FinancialAmount', formatted: string }, total: { __typename?: 'FinancialAmount', formatted: string, raw: number }, foreignCurrenciesSum: Array<{ __typename?: 'ForeignCurrencySum', currency: Currency, credit: { __typename?: 'FinancialAmount', formatted: string }, debit: { __typename?: 'FinancialAmount', formatted: string }, total: { __typename?: 'FinancialAmount', formatted: string, raw: number } }> }> }\n | { __typename: 'CommonError', message: string }\n };\n\nexport type BusinessTripScreenQueryVariables = Exact<{\n businessTripId: Scalars['UUID']['input'];\n}>;\n\n\nexport type BusinessTripScreenQuery = { __typename?: 'Query', businessTrip?: { __typename?: 'BusinessTrip', id: string, name: string, dates?: { __typename?: 'DateRange', start: any } | null } | null };\n\nexport type BusinessTripsRowFieldsFragment = { __typename?: 'BusinessTrip', id: string, name: string, accountantApproval: AccountantStatus } & { ' $fragmentName'?: 'BusinessTripsRowFieldsFragment' };\n\nexport type BusinessTripsRowValidationQueryVariables = Exact<{\n id: Scalars['UUID']['input'];\n}>;\n\n\nexport type BusinessTripsRowValidationQuery = { __typename?: 'Query', businessTrip?: { __typename?: 'BusinessTrip', id: string, uncategorizedTransactions: Array<{ __typename?: 'UncategorizedTransaction', transaction:\n | { __typename?: 'CommonTransaction', id: string }\n | { __typename?: 'ConversionTransaction', id: string }\n } | null>, summary: { __typename?: 'BusinessTripSummary' } & ({ __typename?: 'BusinessTripSummary', errors?: Array<string> | null } | { __typename?: 'BusinessTripSummary', errors?: never }) } | null };\n\nexport type EditableBusinessTripQueryVariables = Exact<{\n businessTripId: Scalars['UUID']['input'];\n}>;\n\n\nexport type EditableBusinessTripQuery = { __typename?: 'Query', businessTrip?: (\n { __typename?: 'BusinessTrip', id: string, uncategorizedTransactions: Array<{ __typename?: 'UncategorizedTransaction', transaction:\n | { __typename?: 'CommonTransaction', id: string }\n | { __typename?: 'ConversionTransaction', id: string }\n } | null> }\n & { ' $fragmentRefs'?: { 'BusinessTripReportHeaderFieldsFragment': BusinessTripReportHeaderFieldsFragment;'BusinessTripReportAttendeesFieldsFragment': BusinessTripReportAttendeesFieldsFragment;'BusinessTripUncategorizedTransactionsFieldsFragment': BusinessTripUncategorizedTransactionsFieldsFragment;'BusinessTripReportFlightsFieldsFragment': BusinessTripReportFlightsFieldsFragment;'BusinessTripReportAccommodationsFieldsFragment': BusinessTripReportAccommodationsFieldsFragment;'BusinessTripReportTravelAndSubsistenceFieldsFragment': BusinessTripReportTravelAndSubsistenceFieldsFragment;'BusinessTripReportCarRentalFieldsFragment': BusinessTripReportCarRentalFieldsFragment;'BusinessTripReportOtherFieldsFragment': BusinessTripReportOtherFieldsFragment;'BusinessTripReportSummaryFieldsFragment': BusinessTripReportSummaryFieldsFragment } }\n ) | null };\n\nexport type BusinessTripsScreenQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type BusinessTripsScreenQuery = { __typename?: 'Query', allBusinessTrips: Array<(\n { __typename?: 'BusinessTrip', id: string, name: string, dates?: { __typename?: 'DateRange', start: any } | null }\n & { ' $fragmentRefs'?: { 'BusinessTripsRowFieldsFragment': BusinessTripsRowFieldsFragment } }\n )> };\n\ntype BusinessAdminSection_LtdFinancialEntity_Fragment = { __typename?: 'LtdFinancialEntity', id: string, adminInfo?: { __typename?: 'AdminBusiness', id: string, registrationDate: any, withholdingTaxCompanyId?: string | null, socialSecurityDeductionsId?: string | null, withholdingTaxAnnualIds: Array<{ __typename?: 'AnnualId', id: string, year: number }>, socialSecurityEmployerIds: Array<{ __typename?: 'AnnualId', id: string, year: number }>, taxAdvancesAnnualIds: Array<{ __typename?: 'AnnualId', id: string, year: number }>, taxAdvancesRates: Array<{ __typename?: 'TaxAdvancesRate', date: any, rate: number }> } | null } & { ' $fragmentName'?: 'BusinessAdminSection_LtdFinancialEntity_Fragment' };\n\ntype BusinessAdminSection_PersonalFinancialEntity_Fragment = { __typename?: 'PersonalFinancialEntity', id: string } & { ' $fragmentName'?: 'BusinessAdminSection_PersonalFinancialEntity_Fragment' };\n\nexport type BusinessAdminSectionFragment =\n | BusinessAdminSection_LtdFinancialEntity_Fragment\n | BusinessAdminSection_PersonalFinancialEntity_Fragment\n;\n\nexport type AdminFinancialAccountsSectionQueryVariables = Exact<{\n adminId: Scalars['UUID']['input'];\n}>;\n\n\nexport type AdminFinancialAccountsSectionQuery = { __typename?: 'Query', financialAccountsByOwner: Array<\n | { __typename: 'BankDepositFinancialAccount', id: string, name: string, number: string, type: FinancialAccountType, privateOrBusiness: PrivateOrBusinessType, accountTaxCategories: Array<{ __typename?: 'CurrencyTaxCategory', id: string, currency: Currency, taxCategory: { __typename?: 'TaxCategory', id: string, name: string } }> }\n | { __typename: 'BankFinancialAccount', bankNumber: number, branchNumber: number, iban?: string | null, swiftCode?: string | null, extendedBankNumber?: number | null, partyPreferredIndication?: number | null, partyAccountInvolvementCode?: number | null, accountDealDate?: number | null, accountUpdateDate?: number | null, metegDoarNet?: number | null, kodHarshaatPeilut?: number | null, accountClosingReasonCode?: number | null, accountAgreementOpeningDate?: number | null, serviceAuthorizationDesc?: string | null, branchTypeCode?: number | null, mymailEntitlementSwitch?: number | null, productLabel?: string | null, id: string, name: string, number: string, type: FinancialAccountType, privateOrBusiness: PrivateOrBusinessType, accountTaxCategories: Array<{ __typename?: 'CurrencyTaxCategory', id: string, currency: Currency, taxCategory: { __typename?: 'TaxCategory', id: string, name: string } }> }\n | { __typename: 'CardFinancialAccount', id: string, name: string, number: string, type: FinancialAccountType, privateOrBusiness: PrivateOrBusinessType, accountTaxCategories: Array<{ __typename?: 'CurrencyTaxCategory', id: string, currency: Currency, taxCategory: { __typename?: 'TaxCategory', id: string, name: string } }> }\n | { __typename: 'CryptoWalletFinancialAccount', id: string, name: string, number: string, type: FinancialAccountType, privateOrBusiness: PrivateOrBusinessType, accountTaxCategories: Array<{ __typename?: 'CurrencyTaxCategory', id: string, currency: Currency, taxCategory: { __typename?: 'TaxCategory', id: string, name: string } }> }\n | { __typename: 'ForeignSecuritiesFinancialAccount', id: string, name: string, number: string, type: FinancialAccountType, privateOrBusiness: PrivateOrBusinessType, accountTaxCategories: Array<{ __typename?: 'CurrencyTaxCategory', id: string, currency: Currency, taxCategory: { __typename?: 'TaxCategory', id: string, name: string } }> }\n > };\n\ntype BusinessHeader_LtdFinancialEntity_Fragment = { __typename: 'LtdFinancialEntity', governmentId?: string | null, id: string, name: string, createdAt: any, isActive: boolean, adminInfo?: { __typename?: 'AdminBusiness', id: string } | null, clientInfo?: { __typename?: 'Client', id: string } | null } & { ' $fragmentName'?: 'BusinessHeader_LtdFinancialEntity_Fragment' };\n\ntype BusinessHeader_PersonalFinancialEntity_Fragment = { __typename: 'PersonalFinancialEntity', id: string, name: string, createdAt: any, isActive: boolean } & { ' $fragmentName'?: 'BusinessHeader_PersonalFinancialEntity_Fragment' };\n\nexport type BusinessHeaderFragment =\n | BusinessHeader_LtdFinancialEntity_Fragment\n | BusinessHeader_PersonalFinancialEntity_Fragment\n;\n\nexport type BusinessChargesSectionQueryVariables = Exact<{\n page?: InputMaybe<Scalars['Int']['input']>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n filters?: InputMaybe<ChargeFilter>;\n}>;\n\n\nexport type BusinessChargesSectionQuery = { __typename?: 'Query', allCharges: { __typename?: 'PaginatedCharges', nodes: Array<\n | (\n { __typename?: 'BankDepositCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_BankDepositCharge_Fragment': ChargesTableFields_BankDepositCharge_Fragment } }\n )\n | (\n { __typename?: 'BusinessTripCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_BusinessTripCharge_Fragment': ChargesTableFields_BusinessTripCharge_Fragment } }\n )\n | (\n { __typename?: 'CommonCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_CommonCharge_Fragment': ChargesTableFields_CommonCharge_Fragment } }\n )\n | (\n { __typename?: 'ConversionCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_ConversionCharge_Fragment': ChargesTableFields_ConversionCharge_Fragment } }\n )\n | (\n { __typename?: 'CreditcardBankCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_CreditcardBankCharge_Fragment': ChargesTableFields_CreditcardBankCharge_Fragment } }\n )\n | (\n { __typename?: 'DividendCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_DividendCharge_Fragment': ChargesTableFields_DividendCharge_Fragment } }\n )\n | (\n { __typename?: 'FinancialCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_FinancialCharge_Fragment': ChargesTableFields_FinancialCharge_Fragment } }\n )\n | (\n { __typename?: 'ForeignSecuritiesCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_ForeignSecuritiesCharge_Fragment': ChargesTableFields_ForeignSecuritiesCharge_Fragment } }\n )\n | (\n { __typename?: 'InternalTransferCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_InternalTransferCharge_Fragment': ChargesTableFields_InternalTransferCharge_Fragment } }\n )\n | (\n { __typename?: 'MonthlyVatCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_MonthlyVatCharge_Fragment': ChargesTableFields_MonthlyVatCharge_Fragment } }\n )\n | (\n { __typename?: 'SalaryCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_SalaryCharge_Fragment': ChargesTableFields_SalaryCharge_Fragment } }\n )\n >, pageInfo: { __typename?: 'PageInfo', totalPages: number } } };\n\nexport type ClientContractsSectionQueryVariables = Exact<{\n clientId: Scalars['UUID']['input'];\n}>;\n\n\nexport type ClientContractsSectionQuery = { __typename?: 'Query', contractsByClient: Array<{ __typename?: 'Contract', id: string, purchaseOrders: Array<string>, startDate: any, endDate: any, billingCycle: BillingCycle, isActive: boolean, product?: Product | null, documentType: DocumentType, remarks?: string | null, plan?: SubscriptionPlan | null, msCloud?: any | null, operationsLimit: any, amount: { __typename?: 'FinancialAmount', raw: number, currency: Currency } }> };\n\nexport type ClientIntegrationsSectionFragment = { __typename?: 'LtdFinancialEntity', id: string, clientInfo?: { __typename?: 'Client', id: string, integrations: { __typename?: 'ClientIntegrations', id: string, hiveId?: string | null, linearId?: string | null, slackChannelKey?: string | null, notionId?: string | null, workflowyUrl?: string | null, greenInvoiceInfo?: { __typename?: 'GreenInvoiceClient', businessId: string, greenInvoiceId?: string | null } | null } } | null } & { ' $fragmentName'?: 'ClientIntegrationsSectionFragment' };\n\nexport type ClientIntegrationsSectionGreenInvoiceQueryVariables = Exact<{\n clientId: Scalars['UUID']['input'];\n}>;\n\n\nexport type ClientIntegrationsSectionGreenInvoiceQuery = { __typename?: 'Query', greenInvoiceClient: { __typename?: 'GreenInvoiceClient', businessId: string, greenInvoiceId?: string | null, emails?: Array<string> | null, name?: string | null, phone?: string | null, taxId?: string | null, address?: string | null, city?: string | null, zip?: string | null, fax?: string | null, mobile?: string | null, country?: { __typename?: 'Country', id: string, name: string } | null } };\n\nexport type ContractBasedDocumentDraftQueryVariables = Exact<{\n issueMonth: Scalars['TimelessDate']['input'];\n contractId: Scalars['UUID']['input'];\n}>;\n\n\nexport type ContractBasedDocumentDraftQuery = { __typename?: 'Query', periodicalDocumentDraftsByContracts: Array<(\n { __typename?: 'DocumentDraft' }\n & { ' $fragmentRefs'?: { 'NewDocumentDraftFragment': NewDocumentDraftFragment } }\n )> };\n\ntype BusinessConfigurationSection_LtdFinancialEntity_Fragment = { __typename: 'LtdFinancialEntity', optionalVAT?: boolean | null, exemptDealer?: boolean | null, isReceiptEnough?: boolean | null, isDocumentsOptional?: boolean | null, id: string, pcn874RecordType?: Pcn874RecordType | null, irsCode?: number | null, isActive: boolean, sortCode?: { __typename?: 'SortCode', id: string, key: number, defaultIrsCode?: number | null } | null, taxCategory?: { __typename?: 'TaxCategory', id: string } | null, suggestions?: { __typename?: 'Suggestions', phrases: Array<string>, emails?: Array<string> | null, description?: string | null, tags: Array<{ __typename?: 'Tag', id: string }>, emailListener?: { __typename?: 'SuggestionsEmailListenerConfig', internalEmailLinks?: Array<string> | null, emailBody?: boolean | null, attachments?: Array<EmailAttachmentType> | null } | null } | null, clientInfo?: { __typename?: 'Client', id: string } | null } & { ' $fragmentName'?: 'BusinessConfigurationSection_LtdFinancialEntity_Fragment' };\n\ntype BusinessConfigurationSection_PersonalFinancialEntity_Fragment = { __typename: 'PersonalFinancialEntity', id: string, pcn874RecordType?: Pcn874RecordType | null, irsCode?: number | null, isActive: boolean } & { ' $fragmentName'?: 'BusinessConfigurationSection_PersonalFinancialEntity_Fragment' };\n\nexport type BusinessConfigurationSectionFragment =\n | BusinessConfigurationSection_LtdFinancialEntity_Fragment\n | BusinessConfigurationSection_PersonalFinancialEntity_Fragment\n;\n\ntype BusinessContactSection_LtdFinancialEntity_Fragment = { __typename: 'LtdFinancialEntity', name: string, hebrewName?: string | null, governmentId?: string | null, address?: string | null, city?: string | null, zipCode?: string | null, email?: string | null, phoneNumber?: string | null, website?: string | null, id: string, country: { __typename?: 'Country', id: string, code: any }, clientInfo?: { __typename?: 'Client', id: string, emails: Array<string> } | null } & { ' $fragmentName'?: 'BusinessContactSection_LtdFinancialEntity_Fragment' };\n\ntype BusinessContactSection_PersonalFinancialEntity_Fragment = { __typename: 'PersonalFinancialEntity', id: string } & { ' $fragmentName'?: 'BusinessContactSection_PersonalFinancialEntity_Fragment' };\n\nexport type BusinessContactSectionFragment =\n | BusinessContactSection_LtdFinancialEntity_Fragment\n | BusinessContactSection_PersonalFinancialEntity_Fragment\n;\n\ntype BusinessPage_LtdFinancialEntity_Fragment = (\n { __typename?: 'LtdFinancialEntity', id: string, clientInfo?: { __typename?: 'Client', id: string } | null, adminInfo?: { __typename?: 'AdminBusiness', id: string } | null }\n & { ' $fragmentRefs'?: { 'ClientIntegrationsSectionFragment': ClientIntegrationsSectionFragment;'BusinessHeader_LtdFinancialEntity_Fragment': BusinessHeader_LtdFinancialEntity_Fragment;'BusinessContactSection_LtdFinancialEntity_Fragment': BusinessContactSection_LtdFinancialEntity_Fragment;'BusinessConfigurationSection_LtdFinancialEntity_Fragment': BusinessConfigurationSection_LtdFinancialEntity_Fragment;'BusinessAdminSection_LtdFinancialEntity_Fragment': BusinessAdminSection_LtdFinancialEntity_Fragment } }\n) & { ' $fragmentName'?: 'BusinessPage_LtdFinancialEntity_Fragment' };\n\ntype BusinessPage_PersonalFinancialEntity_Fragment = (\n { __typename?: 'PersonalFinancialEntity', id: string }\n & { ' $fragmentRefs'?: { 'BusinessHeader_PersonalFinancialEntity_Fragment': BusinessHeader_PersonalFinancialEntity_Fragment;'BusinessContactSection_PersonalFinancialEntity_Fragment': BusinessContactSection_PersonalFinancialEntity_Fragment;'BusinessConfigurationSection_PersonalFinancialEntity_Fragment': BusinessConfigurationSection_PersonalFinancialEntity_Fragment;'BusinessAdminSection_PersonalFinancialEntity_Fragment': BusinessAdminSection_PersonalFinancialEntity_Fragment } }\n) & { ' $fragmentName'?: 'BusinessPage_PersonalFinancialEntity_Fragment' };\n\nexport type BusinessPageFragment =\n | BusinessPage_LtdFinancialEntity_Fragment\n | BusinessPage_PersonalFinancialEntity_Fragment\n;\n\nexport type BusinessLedgerSectionQueryVariables = Exact<{\n businessId: Scalars['UUID']['input'];\n}>;\n\n\nexport type BusinessLedgerSectionQuery = { __typename?: 'Query', ledgerRecordsByFinancialEntity: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> };\n\nexport type BusinessTransactionsSectionQueryVariables = Exact<{\n businessId: Scalars['UUID']['input'];\n}>;\n\n\nexport type BusinessTransactionsSectionQuery = { __typename?: 'Query', transactionsByFinancialEntity: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment;'TransactionToDownloadForTransactionsTableFields_CommonTransaction_Fragment': TransactionToDownloadForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment;'TransactionToDownloadForTransactionsTableFields_ConversionTransaction_Fragment': TransactionToDownloadForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n > };\n\nexport type AllBusinessesForScreenQueryVariables = Exact<{\n page?: InputMaybe<Scalars['Int']['input']>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n name?: InputMaybe<Scalars['String']['input']>;\n}>;\n\n\nexport type AllBusinessesForScreenQuery = { __typename?: 'Query', allBusinesses?: { __typename?: 'PaginatedBusinesses', nodes: Array<\n | (\n { __typename: 'LtdFinancialEntity', id: string, name: string }\n & { ' $fragmentRefs'?: { 'BusinessHeader_LtdFinancialEntity_Fragment': BusinessHeader_LtdFinancialEntity_Fragment } }\n )\n | { __typename: 'PersonalFinancialEntity', id: string, name: string }\n >, pageInfo: { __typename?: 'PageInfo', totalPages: number, totalRecords: number } } | null };\n\nexport type ChargeMatchesTableFieldsFragment = { __typename?: 'ChargeMatch', confidenceScore: number, charge:\n | { __typename: 'BankDepositCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null }\n | { __typename: 'BusinessTripCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null }\n | { __typename: 'CommonCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null }\n | { __typename: 'ConversionCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null }\n | { __typename: 'CreditcardBankCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null }\n | { __typename: 'DividendCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null }\n | { __typename: 'FinancialCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null }\n | { __typename: 'ForeignSecuritiesCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null }\n | { __typename: 'InternalTransferCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null }\n | { __typename: 'MonthlyVatCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null }\n | { __typename: 'SalaryCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null }\n } & { ' $fragmentName'?: 'ChargeMatchesTableFieldsFragment' };\n\nexport type ChargeExtendedInfoForChargeMatchesQueryVariables = Exact<{\n chargeId: Scalars['UUID']['input'];\n}>;\n\n\nexport type ChargeExtendedInfoForChargeMatchesQuery = { __typename?: 'Query', charge:\n | { __typename?: 'BankDepositCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n >, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > }\n | { __typename?: 'BusinessTripCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n >, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > }\n | { __typename?: 'CommonCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n >, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > }\n | { __typename?: 'ConversionCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n >, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > }\n | { __typename?: 'CreditcardBankCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n >, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > }\n | { __typename?: 'DividendCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n >, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > }\n | { __typename?: 'FinancialCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n >, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > }\n | { __typename?: 'ForeignSecuritiesCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n >, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > }\n | { __typename?: 'InternalTransferCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n >, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > }\n | { __typename?: 'MonthlyVatCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n >, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > }\n | { __typename?: 'SalaryCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n >, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > }\n };\n\nexport type ChargesLedgerValidationQueryVariables = Exact<{\n limit?: InputMaybe<Scalars['Int']['input']>;\n filters?: InputMaybe<ChargeFilter>;\n}>;\n\n\nexport type ChargesLedgerValidationQuery = { __typename?: 'Query', chargesWithLedgerChanges: Array<{ __typename?: 'ChargesWithLedgerChangesResult', progress: number, charge?:\n | (\n { __typename?: 'BankDepositCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_BankDepositCharge_Fragment': ChargesTableFields_BankDepositCharge_Fragment } }\n )\n | (\n { __typename?: 'BusinessTripCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_BusinessTripCharge_Fragment': ChargesTableFields_BusinessTripCharge_Fragment } }\n )\n | (\n { __typename?: 'CommonCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_CommonCharge_Fragment': ChargesTableFields_CommonCharge_Fragment } }\n )\n | (\n { __typename?: 'ConversionCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_ConversionCharge_Fragment': ChargesTableFields_ConversionCharge_Fragment } }\n )\n | (\n { __typename?: 'CreditcardBankCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_CreditcardBankCharge_Fragment': ChargesTableFields_CreditcardBankCharge_Fragment } }\n )\n | (\n { __typename?: 'DividendCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_DividendCharge_Fragment': ChargesTableFields_DividendCharge_Fragment } }\n )\n | (\n { __typename?: 'FinancialCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_FinancialCharge_Fragment': ChargesTableFields_FinancialCharge_Fragment } }\n )\n | (\n { __typename?: 'ForeignSecuritiesCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_ForeignSecuritiesCharge_Fragment': ChargesTableFields_ForeignSecuritiesCharge_Fragment } }\n )\n | (\n { __typename?: 'InternalTransferCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_InternalTransferCharge_Fragment': ChargesTableFields_InternalTransferCharge_Fragment } }\n )\n | (\n { __typename?: 'MonthlyVatCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_MonthlyVatCharge_Fragment': ChargesTableFields_MonthlyVatCharge_Fragment } }\n )\n | (\n { __typename?: 'SalaryCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_SalaryCharge_Fragment': ChargesTableFields_SalaryCharge_Fragment } }\n )\n | null }> };\n\ntype ChargesTableAccountantApprovalFields_BankDepositCharge_Fragment = { __typename?: 'BankDepositCharge', id: string, accountantApproval: AccountantStatus } & { ' $fragmentName'?: 'ChargesTableAccountantApprovalFields_BankDepositCharge_Fragment' };\n\ntype ChargesTableAccountantApprovalFields_BusinessTripCharge_Fragment = { __typename?: 'BusinessTripCharge', id: string, accountantApproval: AccountantStatus } & { ' $fragmentName'?: 'ChargesTableAccountantApprovalFields_BusinessTripCharge_Fragment' };\n\ntype ChargesTableAccountantApprovalFields_CommonCharge_Fragment = { __typename?: 'CommonCharge', id: string, accountantApproval: AccountantStatus } & { ' $fragmentName'?: 'ChargesTableAccountantApprovalFields_CommonCharge_Fragment' };\n\ntype ChargesTableAccountantApprovalFields_ConversionCharge_Fragment = { __typename?: 'ConversionCharge', id: string, accountantApproval: AccountantStatus } & { ' $fragmentName'?: 'ChargesTableAccountantApprovalFields_ConversionCharge_Fragment' };\n\ntype ChargesTableAccountantApprovalFields_CreditcardBankCharge_Fragment = { __typename?: 'CreditcardBankCharge', id: string, accountantApproval: AccountantStatus } & { ' $fragmentName'?: 'ChargesTableAccountantApprovalFields_CreditcardBankCharge_Fragment' };\n\ntype ChargesTableAccountantApprovalFields_DividendCharge_Fragment = { __typename?: 'DividendCharge', id: string, accountantApproval: AccountantStatus } & { ' $fragmentName'?: 'ChargesTableAccountantApprovalFields_DividendCharge_Fragment' };\n\ntype ChargesTableAccountantApprovalFields_FinancialCharge_Fragment = { __typename?: 'FinancialCharge', id: string, accountantApproval: AccountantStatus } & { ' $fragmentName'?: 'ChargesTableAccountantApprovalFields_FinancialCharge_Fragment' };\n\ntype ChargesTableAccountantApprovalFields_ForeignSecuritiesCharge_Fragment = { __typename?: 'ForeignSecuritiesCharge', id: string, accountantApproval: AccountantStatus } & { ' $fragmentName'?: 'ChargesTableAccountantApprovalFields_ForeignSecuritiesCharge_Fragment' };\n\ntype ChargesTableAccountantApprovalFields_InternalTransferCharge_Fragment = { __typename?: 'InternalTransferCharge', id: string, accountantApproval: AccountantStatus } & { ' $fragmentName'?: 'ChargesTableAccountantApprovalFields_InternalTransferCharge_Fragment' };\n\ntype ChargesTableAccountantApprovalFields_MonthlyVatCharge_Fragment = { __typename?: 'MonthlyVatCharge', id: string, accountantApproval: AccountantStatus } & { ' $fragmentName'?: 'ChargesTableAccountantApprovalFields_MonthlyVatCharge_Fragment' };\n\ntype ChargesTableAccountantApprovalFields_SalaryCharge_Fragment = { __typename?: 'SalaryCharge', id: string, accountantApproval: AccountantStatus } & { ' $fragmentName'?: 'ChargesTableAccountantApprovalFields_SalaryCharge_Fragment' };\n\nexport type ChargesTableAccountantApprovalFieldsFragment =\n | ChargesTableAccountantApprovalFields_BankDepositCharge_Fragment\n | ChargesTableAccountantApprovalFields_BusinessTripCharge_Fragment\n | ChargesTableAccountantApprovalFields_CommonCharge_Fragment\n | ChargesTableAccountantApprovalFields_ConversionCharge_Fragment\n | ChargesTableAccountantApprovalFields_CreditcardBankCharge_Fragment\n | ChargesTableAccountantApprovalFields_DividendCharge_Fragment\n | ChargesTableAccountantApprovalFields_FinancialCharge_Fragment\n | ChargesTableAccountantApprovalFields_ForeignSecuritiesCharge_Fragment\n | ChargesTableAccountantApprovalFields_InternalTransferCharge_Fragment\n | ChargesTableAccountantApprovalFields_MonthlyVatCharge_Fragment\n | ChargesTableAccountantApprovalFields_SalaryCharge_Fragment\n;\n\ntype ChargesTableAmountFields_BankDepositCharge_Fragment = { __typename: 'BankDepositCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null } & { ' $fragmentName'?: 'ChargesTableAmountFields_BankDepositCharge_Fragment' };\n\ntype ChargesTableAmountFields_BusinessTripCharge_Fragment = { __typename: 'BusinessTripCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null } & { ' $fragmentName'?: 'ChargesTableAmountFields_BusinessTripCharge_Fragment' };\n\ntype ChargesTableAmountFields_CommonCharge_Fragment = { __typename: 'CommonCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null } & { ' $fragmentName'?: 'ChargesTableAmountFields_CommonCharge_Fragment' };\n\ntype ChargesTableAmountFields_ConversionCharge_Fragment = { __typename: 'ConversionCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null } & { ' $fragmentName'?: 'ChargesTableAmountFields_ConversionCharge_Fragment' };\n\ntype ChargesTableAmountFields_CreditcardBankCharge_Fragment = { __typename: 'CreditcardBankCharge', validCreditCardAmount: boolean, id: string, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null } & { ' $fragmentName'?: 'ChargesTableAmountFields_CreditcardBankCharge_Fragment' };\n\ntype ChargesTableAmountFields_DividendCharge_Fragment = { __typename: 'DividendCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null } & { ' $fragmentName'?: 'ChargesTableAmountFields_DividendCharge_Fragment' };\n\ntype ChargesTableAmountFields_FinancialCharge_Fragment = { __typename: 'FinancialCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null } & { ' $fragmentName'?: 'ChargesTableAmountFields_FinancialCharge_Fragment' };\n\ntype ChargesTableAmountFields_ForeignSecuritiesCharge_Fragment = { __typename: 'ForeignSecuritiesCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null } & { ' $fragmentName'?: 'ChargesTableAmountFields_ForeignSecuritiesCharge_Fragment' };\n\ntype ChargesTableAmountFields_InternalTransferCharge_Fragment = { __typename: 'InternalTransferCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null } & { ' $fragmentName'?: 'ChargesTableAmountFields_InternalTransferCharge_Fragment' };\n\ntype ChargesTableAmountFields_MonthlyVatCharge_Fragment = { __typename: 'MonthlyVatCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null } & { ' $fragmentName'?: 'ChargesTableAmountFields_MonthlyVatCharge_Fragment' };\n\ntype ChargesTableAmountFields_SalaryCharge_Fragment = { __typename: 'SalaryCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null } & { ' $fragmentName'?: 'ChargesTableAmountFields_SalaryCharge_Fragment' };\n\nexport type ChargesTableAmountFieldsFragment =\n | ChargesTableAmountFields_BankDepositCharge_Fragment\n | ChargesTableAmountFields_BusinessTripCharge_Fragment\n | ChargesTableAmountFields_CommonCharge_Fragment\n | ChargesTableAmountFields_ConversionCharge_Fragment\n | ChargesTableAmountFields_CreditcardBankCharge_Fragment\n | ChargesTableAmountFields_DividendCharge_Fragment\n | ChargesTableAmountFields_FinancialCharge_Fragment\n | ChargesTableAmountFields_ForeignSecuritiesCharge_Fragment\n | ChargesTableAmountFields_InternalTransferCharge_Fragment\n | ChargesTableAmountFields_MonthlyVatCharge_Fragment\n | ChargesTableAmountFields_SalaryCharge_Fragment\n;\n\ntype ChargesTableBusinessTripFields_BankDepositCharge_Fragment = { __typename?: 'BankDepositCharge', id: string } & { ' $fragmentName'?: 'ChargesTableBusinessTripFields_BankDepositCharge_Fragment' };\n\ntype ChargesTableBusinessTripFields_BusinessTripCharge_Fragment = { __typename?: 'BusinessTripCharge', id: string, businessTrip?: { __typename?: 'BusinessTrip', id: string, name: string } | null } & { ' $fragmentName'?: 'ChargesTableBusinessTripFields_BusinessTripCharge_Fragment' };\n\ntype ChargesTableBusinessTripFields_CommonCharge_Fragment = { __typename?: 'CommonCharge', id: string } & { ' $fragmentName'?: 'ChargesTableBusinessTripFields_CommonCharge_Fragment' };\n\ntype ChargesTableBusinessTripFields_ConversionCharge_Fragment = { __typename?: 'ConversionCharge', id: string } & { ' $fragmentName'?: 'ChargesTableBusinessTripFields_ConversionCharge_Fragment' };\n\ntype ChargesTableBusinessTripFields_CreditcardBankCharge_Fragment = { __typename?: 'CreditcardBankCharge', id: string } & { ' $fragmentName'?: 'ChargesTableBusinessTripFields_CreditcardBankCharge_Fragment' };\n\ntype ChargesTableBusinessTripFields_DividendCharge_Fragment = { __typename?: 'DividendCharge', id: string } & { ' $fragmentName'?: 'ChargesTableBusinessTripFields_DividendCharge_Fragment' };\n\ntype ChargesTableBusinessTripFields_FinancialCharge_Fragment = { __typename?: 'FinancialCharge', id: string } & { ' $fragmentName'?: 'ChargesTableBusinessTripFields_FinancialCharge_Fragment' };\n\ntype ChargesTableBusinessTripFields_ForeignSecuritiesCharge_Fragment = { __typename?: 'ForeignSecuritiesCharge', id: string } & { ' $fragmentName'?: 'ChargesTableBusinessTripFields_ForeignSecuritiesCharge_Fragment' };\n\ntype ChargesTableBusinessTripFields_InternalTransferCharge_Fragment = { __typename?: 'InternalTransferCharge', id: string } & { ' $fragmentName'?: 'ChargesTableBusinessTripFields_InternalTransferCharge_Fragment' };\n\ntype ChargesTableBusinessTripFields_MonthlyVatCharge_Fragment = { __typename?: 'MonthlyVatCharge', id: string } & { ' $fragmentName'?: 'ChargesTableBusinessTripFields_MonthlyVatCharge_Fragment' };\n\ntype ChargesTableBusinessTripFields_SalaryCharge_Fragment = { __typename?: 'SalaryCharge', id: string } & { ' $fragmentName'?: 'ChargesTableBusinessTripFields_SalaryCharge_Fragment' };\n\nexport type ChargesTableBusinessTripFieldsFragment =\n | ChargesTableBusinessTripFields_BankDepositCharge_Fragment\n | ChargesTableBusinessTripFields_BusinessTripCharge_Fragment\n | ChargesTableBusinessTripFields_CommonCharge_Fragment\n | ChargesTableBusinessTripFields_ConversionCharge_Fragment\n | ChargesTableBusinessTripFields_CreditcardBankCharge_Fragment\n | ChargesTableBusinessTripFields_DividendCharge_Fragment\n | ChargesTableBusinessTripFields_FinancialCharge_Fragment\n | ChargesTableBusinessTripFields_ForeignSecuritiesCharge_Fragment\n | ChargesTableBusinessTripFields_InternalTransferCharge_Fragment\n | ChargesTableBusinessTripFields_MonthlyVatCharge_Fragment\n | ChargesTableBusinessTripFields_SalaryCharge_Fragment\n;\n\ntype ChargesTableEntityFields_BankDepositCharge_Fragment = { __typename: 'BankDepositCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null } & { ' $fragmentName'?: 'ChargesTableEntityFields_BankDepositCharge_Fragment' };\n\ntype ChargesTableEntityFields_BusinessTripCharge_Fragment = { __typename: 'BusinessTripCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null } & { ' $fragmentName'?: 'ChargesTableEntityFields_BusinessTripCharge_Fragment' };\n\ntype ChargesTableEntityFields_CommonCharge_Fragment = { __typename: 'CommonCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null } & { ' $fragmentName'?: 'ChargesTableEntityFields_CommonCharge_Fragment' };\n\ntype ChargesTableEntityFields_ConversionCharge_Fragment = { __typename: 'ConversionCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null } & { ' $fragmentName'?: 'ChargesTableEntityFields_ConversionCharge_Fragment' };\n\ntype ChargesTableEntityFields_CreditcardBankCharge_Fragment = { __typename: 'CreditcardBankCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null } & { ' $fragmentName'?: 'ChargesTableEntityFields_CreditcardBankCharge_Fragment' };\n\ntype ChargesTableEntityFields_DividendCharge_Fragment = { __typename: 'DividendCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null } & { ' $fragmentName'?: 'ChargesTableEntityFields_DividendCharge_Fragment' };\n\ntype ChargesTableEntityFields_FinancialCharge_Fragment = { __typename: 'FinancialCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null } & { ' $fragmentName'?: 'ChargesTableEntityFields_FinancialCharge_Fragment' };\n\ntype ChargesTableEntityFields_ForeignSecuritiesCharge_Fragment = { __typename: 'ForeignSecuritiesCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null } & { ' $fragmentName'?: 'ChargesTableEntityFields_ForeignSecuritiesCharge_Fragment' };\n\ntype ChargesTableEntityFields_InternalTransferCharge_Fragment = { __typename: 'InternalTransferCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null } & { ' $fragmentName'?: 'ChargesTableEntityFields_InternalTransferCharge_Fragment' };\n\ntype ChargesTableEntityFields_MonthlyVatCharge_Fragment = { __typename: 'MonthlyVatCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null } & { ' $fragmentName'?: 'ChargesTableEntityFields_MonthlyVatCharge_Fragment' };\n\ntype ChargesTableEntityFields_SalaryCharge_Fragment = { __typename: 'SalaryCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null } & { ' $fragmentName'?: 'ChargesTableEntityFields_SalaryCharge_Fragment' };\n\nexport type ChargesTableEntityFieldsFragment =\n | ChargesTableEntityFields_BankDepositCharge_Fragment\n | ChargesTableEntityFields_BusinessTripCharge_Fragment\n | ChargesTableEntityFields_CommonCharge_Fragment\n | ChargesTableEntityFields_ConversionCharge_Fragment\n | ChargesTableEntityFields_CreditcardBankCharge_Fragment\n | ChargesTableEntityFields_DividendCharge_Fragment\n | ChargesTableEntityFields_FinancialCharge_Fragment\n | ChargesTableEntityFields_ForeignSecuritiesCharge_Fragment\n | ChargesTableEntityFields_InternalTransferCharge_Fragment\n | ChargesTableEntityFields_MonthlyVatCharge_Fragment\n | ChargesTableEntityFields_SalaryCharge_Fragment\n;\n\ntype ChargesTableDateFields_BankDepositCharge_Fragment = { __typename?: 'BankDepositCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null } & { ' $fragmentName'?: 'ChargesTableDateFields_BankDepositCharge_Fragment' };\n\ntype ChargesTableDateFields_BusinessTripCharge_Fragment = { __typename?: 'BusinessTripCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null } & { ' $fragmentName'?: 'ChargesTableDateFields_BusinessTripCharge_Fragment' };\n\ntype ChargesTableDateFields_CommonCharge_Fragment = { __typename?: 'CommonCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null } & { ' $fragmentName'?: 'ChargesTableDateFields_CommonCharge_Fragment' };\n\ntype ChargesTableDateFields_ConversionCharge_Fragment = { __typename?: 'ConversionCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null } & { ' $fragmentName'?: 'ChargesTableDateFields_ConversionCharge_Fragment' };\n\ntype ChargesTableDateFields_CreditcardBankCharge_Fragment = { __typename?: 'CreditcardBankCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null } & { ' $fragmentName'?: 'ChargesTableDateFields_CreditcardBankCharge_Fragment' };\n\ntype ChargesTableDateFields_DividendCharge_Fragment = { __typename?: 'DividendCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null } & { ' $fragmentName'?: 'ChargesTableDateFields_DividendCharge_Fragment' };\n\ntype ChargesTableDateFields_FinancialCharge_Fragment = { __typename?: 'FinancialCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null } & { ' $fragmentName'?: 'ChargesTableDateFields_FinancialCharge_Fragment' };\n\ntype ChargesTableDateFields_ForeignSecuritiesCharge_Fragment = { __typename?: 'ForeignSecuritiesCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null } & { ' $fragmentName'?: 'ChargesTableDateFields_ForeignSecuritiesCharge_Fragment' };\n\ntype ChargesTableDateFields_InternalTransferCharge_Fragment = { __typename?: 'InternalTransferCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null } & { ' $fragmentName'?: 'ChargesTableDateFields_InternalTransferCharge_Fragment' };\n\ntype ChargesTableDateFields_MonthlyVatCharge_Fragment = { __typename?: 'MonthlyVatCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null } & { ' $fragmentName'?: 'ChargesTableDateFields_MonthlyVatCharge_Fragment' };\n\ntype ChargesTableDateFields_SalaryCharge_Fragment = { __typename?: 'SalaryCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null } & { ' $fragmentName'?: 'ChargesTableDateFields_SalaryCharge_Fragment' };\n\nexport type ChargesTableDateFieldsFragment =\n | ChargesTableDateFields_BankDepositCharge_Fragment\n | ChargesTableDateFields_BusinessTripCharge_Fragment\n | ChargesTableDateFields_CommonCharge_Fragment\n | ChargesTableDateFields_ConversionCharge_Fragment\n | ChargesTableDateFields_CreditcardBankCharge_Fragment\n | ChargesTableDateFields_DividendCharge_Fragment\n | ChargesTableDateFields_FinancialCharge_Fragment\n | ChargesTableDateFields_ForeignSecuritiesCharge_Fragment\n | ChargesTableDateFields_InternalTransferCharge_Fragment\n | ChargesTableDateFields_MonthlyVatCharge_Fragment\n | ChargesTableDateFields_SalaryCharge_Fragment\n;\n\ntype ChargesTableDescriptionFields_BankDepositCharge_Fragment = { __typename?: 'BankDepositCharge', id: string, userDescription?: string | null, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', description?: string | null } | null } & { ' $fragmentName'?: 'ChargesTableDescriptionFields_BankDepositCharge_Fragment' };\n\ntype ChargesTableDescriptionFields_BusinessTripCharge_Fragment = { __typename?: 'BusinessTripCharge', id: string, userDescription?: string | null, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', description?: string | null } | null } & { ' $fragmentName'?: 'ChargesTableDescriptionFields_BusinessTripCharge_Fragment' };\n\ntype ChargesTableDescriptionFields_CommonCharge_Fragment = { __typename?: 'CommonCharge', id: string, userDescription?: string | null, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', description?: string | null } | null } & { ' $fragmentName'?: 'ChargesTableDescriptionFields_CommonCharge_Fragment' };\n\ntype ChargesTableDescriptionFields_ConversionCharge_Fragment = { __typename?: 'ConversionCharge', id: string, userDescription?: string | null, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', description?: string | null } | null } & { ' $fragmentName'?: 'ChargesTableDescriptionFields_ConversionCharge_Fragment' };\n\ntype ChargesTableDescriptionFields_CreditcardBankCharge_Fragment = { __typename?: 'CreditcardBankCharge', id: string, userDescription?: string | null, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', description?: string | null } | null } & { ' $fragmentName'?: 'ChargesTableDescriptionFields_CreditcardBankCharge_Fragment' };\n\ntype ChargesTableDescriptionFields_DividendCharge_Fragment = { __typename?: 'DividendCharge', id: string, userDescription?: string | null, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', description?: string | null } | null } & { ' $fragmentName'?: 'ChargesTableDescriptionFields_DividendCharge_Fragment' };\n\ntype ChargesTableDescriptionFields_FinancialCharge_Fragment = { __typename?: 'FinancialCharge', id: string, userDescription?: string | null, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', description?: string | null } | null } & { ' $fragmentName'?: 'ChargesTableDescriptionFields_FinancialCharge_Fragment' };\n\ntype ChargesTableDescriptionFields_ForeignSecuritiesCharge_Fragment = { __typename?: 'ForeignSecuritiesCharge', id: string, userDescription?: string | null, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', description?: string | null } | null } & { ' $fragmentName'?: 'ChargesTableDescriptionFields_ForeignSecuritiesCharge_Fragment' };\n\ntype ChargesTableDescriptionFields_InternalTransferCharge_Fragment = { __typename?: 'InternalTransferCharge', id: string, userDescription?: string | null, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', description?: string | null } | null } & { ' $fragmentName'?: 'ChargesTableDescriptionFields_InternalTransferCharge_Fragment' };\n\ntype ChargesTableDescriptionFields_MonthlyVatCharge_Fragment = { __typename?: 'MonthlyVatCharge', id: string, userDescription?: string | null, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', description?: string | null } | null } & { ' $fragmentName'?: 'ChargesTableDescriptionFields_MonthlyVatCharge_Fragment' };\n\ntype ChargesTableDescriptionFields_SalaryCharge_Fragment = { __typename?: 'SalaryCharge', id: string, userDescription?: string | null, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', description?: string | null } | null } & { ' $fragmentName'?: 'ChargesTableDescriptionFields_SalaryCharge_Fragment' };\n\nexport type ChargesTableDescriptionFieldsFragment =\n | ChargesTableDescriptionFields_BankDepositCharge_Fragment\n | ChargesTableDescriptionFields_BusinessTripCharge_Fragment\n | ChargesTableDescriptionFields_CommonCharge_Fragment\n | ChargesTableDescriptionFields_ConversionCharge_Fragment\n | ChargesTableDescriptionFields_CreditcardBankCharge_Fragment\n | ChargesTableDescriptionFields_DividendCharge_Fragment\n | ChargesTableDescriptionFields_FinancialCharge_Fragment\n | ChargesTableDescriptionFields_ForeignSecuritiesCharge_Fragment\n | ChargesTableDescriptionFields_InternalTransferCharge_Fragment\n | ChargesTableDescriptionFields_MonthlyVatCharge_Fragment\n | ChargesTableDescriptionFields_SalaryCharge_Fragment\n;\n\ntype ChargesTableMoreInfoFields_BankDepositCharge_Fragment = { __typename: 'BankDepositCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } & ({ __typename?: 'ChargeMetadata', invalidLedger: LedgerValidationStatus } | { __typename?: 'ChargeMetadata', invalidLedger?: never }) | null } & { ' $fragmentName'?: 'ChargesTableMoreInfoFields_BankDepositCharge_Fragment' };\n\ntype ChargesTableMoreInfoFields_BusinessTripCharge_Fragment = { __typename: 'BusinessTripCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } & ({ __typename?: 'ChargeMetadata', invalidLedger: LedgerValidationStatus } | { __typename?: 'ChargeMetadata', invalidLedger?: never }) | null } & { ' $fragmentName'?: 'ChargesTableMoreInfoFields_BusinessTripCharge_Fragment' };\n\ntype ChargesTableMoreInfoFields_CommonCharge_Fragment = { __typename: 'CommonCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } & ({ __typename?: 'ChargeMetadata', invalidLedger: LedgerValidationStatus } | { __typename?: 'ChargeMetadata', invalidLedger?: never }) | null } & { ' $fragmentName'?: 'ChargesTableMoreInfoFields_CommonCharge_Fragment' };\n\ntype ChargesTableMoreInfoFields_ConversionCharge_Fragment = { __typename: 'ConversionCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } & ({ __typename?: 'ChargeMetadata', invalidLedger: LedgerValidationStatus } | { __typename?: 'ChargeMetadata', invalidLedger?: never }) | null } & { ' $fragmentName'?: 'ChargesTableMoreInfoFields_ConversionCharge_Fragment' };\n\ntype ChargesTableMoreInfoFields_CreditcardBankCharge_Fragment = { __typename: 'CreditcardBankCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } & ({ __typename?: 'ChargeMetadata', invalidLedger: LedgerValidationStatus } | { __typename?: 'ChargeMetadata', invalidLedger?: never }) | null } & { ' $fragmentName'?: 'ChargesTableMoreInfoFields_CreditcardBankCharge_Fragment' };\n\ntype ChargesTableMoreInfoFields_DividendCharge_Fragment = { __typename: 'DividendCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } & ({ __typename?: 'ChargeMetadata', invalidLedger: LedgerValidationStatus } | { __typename?: 'ChargeMetadata', invalidLedger?: never }) | null } & { ' $fragmentName'?: 'ChargesTableMoreInfoFields_DividendCharge_Fragment' };\n\ntype ChargesTableMoreInfoFields_FinancialCharge_Fragment = { __typename: 'FinancialCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } & ({ __typename?: 'ChargeMetadata', invalidLedger: LedgerValidationStatus } | { __typename?: 'ChargeMetadata', invalidLedger?: never }) | null } & { ' $fragmentName'?: 'ChargesTableMoreInfoFields_FinancialCharge_Fragment' };\n\ntype ChargesTableMoreInfoFields_ForeignSecuritiesCharge_Fragment = { __typename: 'ForeignSecuritiesCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } & ({ __typename?: 'ChargeMetadata', invalidLedger: LedgerValidationStatus } | { __typename?: 'ChargeMetadata', invalidLedger?: never }) | null } & { ' $fragmentName'?: 'ChargesTableMoreInfoFields_ForeignSecuritiesCharge_Fragment' };\n\ntype ChargesTableMoreInfoFields_InternalTransferCharge_Fragment = { __typename: 'InternalTransferCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } & ({ __typename?: 'ChargeMetadata', invalidLedger: LedgerValidationStatus } | { __typename?: 'ChargeMetadata', invalidLedger?: never }) | null } & { ' $fragmentName'?: 'ChargesTableMoreInfoFields_InternalTransferCharge_Fragment' };\n\ntype ChargesTableMoreInfoFields_MonthlyVatCharge_Fragment = { __typename: 'MonthlyVatCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } & ({ __typename?: 'ChargeMetadata', invalidLedger: LedgerValidationStatus } | { __typename?: 'ChargeMetadata', invalidLedger?: never }) | null } & { ' $fragmentName'?: 'ChargesTableMoreInfoFields_MonthlyVatCharge_Fragment' };\n\ntype ChargesTableMoreInfoFields_SalaryCharge_Fragment = { __typename: 'SalaryCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } & ({ __typename?: 'ChargeMetadata', invalidLedger: LedgerValidationStatus } | { __typename?: 'ChargeMetadata', invalidLedger?: never }) | null } & { ' $fragmentName'?: 'ChargesTableMoreInfoFields_SalaryCharge_Fragment' };\n\nexport type ChargesTableMoreInfoFieldsFragment =\n | ChargesTableMoreInfoFields_BankDepositCharge_Fragment\n | ChargesTableMoreInfoFields_BusinessTripCharge_Fragment\n | ChargesTableMoreInfoFields_CommonCharge_Fragment\n | ChargesTableMoreInfoFields_ConversionCharge_Fragment\n | ChargesTableMoreInfoFields_CreditcardBankCharge_Fragment\n | ChargesTableMoreInfoFields_DividendCharge_Fragment\n | ChargesTableMoreInfoFields_FinancialCharge_Fragment\n | ChargesTableMoreInfoFields_ForeignSecuritiesCharge_Fragment\n | ChargesTableMoreInfoFields_InternalTransferCharge_Fragment\n | ChargesTableMoreInfoFields_MonthlyVatCharge_Fragment\n | ChargesTableMoreInfoFields_SalaryCharge_Fragment\n;\n\ntype ChargesTableTagsFields_BankDepositCharge_Fragment = { __typename?: 'BankDepositCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } & { ' $fragmentName'?: 'ChargesTableTagsFields_BankDepositCharge_Fragment' };\n\ntype ChargesTableTagsFields_BusinessTripCharge_Fragment = { __typename?: 'BusinessTripCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } & { ' $fragmentName'?: 'ChargesTableTagsFields_BusinessTripCharge_Fragment' };\n\ntype ChargesTableTagsFields_CommonCharge_Fragment = { __typename?: 'CommonCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } & { ' $fragmentName'?: 'ChargesTableTagsFields_CommonCharge_Fragment' };\n\ntype ChargesTableTagsFields_ConversionCharge_Fragment = { __typename?: 'ConversionCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } & { ' $fragmentName'?: 'ChargesTableTagsFields_ConversionCharge_Fragment' };\n\ntype ChargesTableTagsFields_CreditcardBankCharge_Fragment = { __typename?: 'CreditcardBankCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } & { ' $fragmentName'?: 'ChargesTableTagsFields_CreditcardBankCharge_Fragment' };\n\ntype ChargesTableTagsFields_DividendCharge_Fragment = { __typename?: 'DividendCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } & { ' $fragmentName'?: 'ChargesTableTagsFields_DividendCharge_Fragment' };\n\ntype ChargesTableTagsFields_FinancialCharge_Fragment = { __typename?: 'FinancialCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } & { ' $fragmentName'?: 'ChargesTableTagsFields_FinancialCharge_Fragment' };\n\ntype ChargesTableTagsFields_ForeignSecuritiesCharge_Fragment = { __typename?: 'ForeignSecuritiesCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } & { ' $fragmentName'?: 'ChargesTableTagsFields_ForeignSecuritiesCharge_Fragment' };\n\ntype ChargesTableTagsFields_InternalTransferCharge_Fragment = { __typename?: 'InternalTransferCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } & { ' $fragmentName'?: 'ChargesTableTagsFields_InternalTransferCharge_Fragment' };\n\ntype ChargesTableTagsFields_MonthlyVatCharge_Fragment = { __typename?: 'MonthlyVatCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } & { ' $fragmentName'?: 'ChargesTableTagsFields_MonthlyVatCharge_Fragment' };\n\ntype ChargesTableTagsFields_SalaryCharge_Fragment = { __typename?: 'SalaryCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> } & { ' $fragmentName'?: 'ChargesTableTagsFields_SalaryCharge_Fragment' };\n\nexport type ChargesTableTagsFieldsFragment =\n | ChargesTableTagsFields_BankDepositCharge_Fragment\n | ChargesTableTagsFields_BusinessTripCharge_Fragment\n | ChargesTableTagsFields_CommonCharge_Fragment\n | ChargesTableTagsFields_ConversionCharge_Fragment\n | ChargesTableTagsFields_CreditcardBankCharge_Fragment\n | ChargesTableTagsFields_DividendCharge_Fragment\n | ChargesTableTagsFields_FinancialCharge_Fragment\n | ChargesTableTagsFields_ForeignSecuritiesCharge_Fragment\n | ChargesTableTagsFields_InternalTransferCharge_Fragment\n | ChargesTableTagsFields_MonthlyVatCharge_Fragment\n | ChargesTableTagsFields_SalaryCharge_Fragment\n;\n\ntype ChargesTableTaxCategoryFields_BankDepositCharge_Fragment = { __typename: 'BankDepositCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null } & { ' $fragmentName'?: 'ChargesTableTaxCategoryFields_BankDepositCharge_Fragment' };\n\ntype ChargesTableTaxCategoryFields_BusinessTripCharge_Fragment = { __typename: 'BusinessTripCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null } & { ' $fragmentName'?: 'ChargesTableTaxCategoryFields_BusinessTripCharge_Fragment' };\n\ntype ChargesTableTaxCategoryFields_CommonCharge_Fragment = { __typename: 'CommonCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null } & { ' $fragmentName'?: 'ChargesTableTaxCategoryFields_CommonCharge_Fragment' };\n\ntype ChargesTableTaxCategoryFields_ConversionCharge_Fragment = { __typename: 'ConversionCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null } & { ' $fragmentName'?: 'ChargesTableTaxCategoryFields_ConversionCharge_Fragment' };\n\ntype ChargesTableTaxCategoryFields_CreditcardBankCharge_Fragment = { __typename: 'CreditcardBankCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null } & { ' $fragmentName'?: 'ChargesTableTaxCategoryFields_CreditcardBankCharge_Fragment' };\n\ntype ChargesTableTaxCategoryFields_DividendCharge_Fragment = { __typename: 'DividendCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null } & { ' $fragmentName'?: 'ChargesTableTaxCategoryFields_DividendCharge_Fragment' };\n\ntype ChargesTableTaxCategoryFields_FinancialCharge_Fragment = { __typename: 'FinancialCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null } & { ' $fragmentName'?: 'ChargesTableTaxCategoryFields_FinancialCharge_Fragment' };\n\ntype ChargesTableTaxCategoryFields_ForeignSecuritiesCharge_Fragment = { __typename: 'ForeignSecuritiesCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null } & { ' $fragmentName'?: 'ChargesTableTaxCategoryFields_ForeignSecuritiesCharge_Fragment' };\n\ntype ChargesTableTaxCategoryFields_InternalTransferCharge_Fragment = { __typename: 'InternalTransferCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null } & { ' $fragmentName'?: 'ChargesTableTaxCategoryFields_InternalTransferCharge_Fragment' };\n\ntype ChargesTableTaxCategoryFields_MonthlyVatCharge_Fragment = { __typename: 'MonthlyVatCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null } & { ' $fragmentName'?: 'ChargesTableTaxCategoryFields_MonthlyVatCharge_Fragment' };\n\ntype ChargesTableTaxCategoryFields_SalaryCharge_Fragment = { __typename: 'SalaryCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null } & { ' $fragmentName'?: 'ChargesTableTaxCategoryFields_SalaryCharge_Fragment' };\n\nexport type ChargesTableTaxCategoryFieldsFragment =\n | ChargesTableTaxCategoryFields_BankDepositCharge_Fragment\n | ChargesTableTaxCategoryFields_BusinessTripCharge_Fragment\n | ChargesTableTaxCategoryFields_CommonCharge_Fragment\n | ChargesTableTaxCategoryFields_ConversionCharge_Fragment\n | ChargesTableTaxCategoryFields_CreditcardBankCharge_Fragment\n | ChargesTableTaxCategoryFields_DividendCharge_Fragment\n | ChargesTableTaxCategoryFields_FinancialCharge_Fragment\n | ChargesTableTaxCategoryFields_ForeignSecuritiesCharge_Fragment\n | ChargesTableTaxCategoryFields_InternalTransferCharge_Fragment\n | ChargesTableTaxCategoryFields_MonthlyVatCharge_Fragment\n | ChargesTableTaxCategoryFields_SalaryCharge_Fragment\n;\n\ntype ChargesTableTypeFields_BankDepositCharge_Fragment = { __typename: 'BankDepositCharge', id: string } & { ' $fragmentName'?: 'ChargesTableTypeFields_BankDepositCharge_Fragment' };\n\ntype ChargesTableTypeFields_BusinessTripCharge_Fragment = { __typename: 'BusinessTripCharge', id: string } & { ' $fragmentName'?: 'ChargesTableTypeFields_BusinessTripCharge_Fragment' };\n\ntype ChargesTableTypeFields_CommonCharge_Fragment = { __typename: 'CommonCharge', id: string } & { ' $fragmentName'?: 'ChargesTableTypeFields_CommonCharge_Fragment' };\n\ntype ChargesTableTypeFields_ConversionCharge_Fragment = { __typename: 'ConversionCharge', id: string } & { ' $fragmentName'?: 'ChargesTableTypeFields_ConversionCharge_Fragment' };\n\ntype ChargesTableTypeFields_CreditcardBankCharge_Fragment = { __typename: 'CreditcardBankCharge', id: string } & { ' $fragmentName'?: 'ChargesTableTypeFields_CreditcardBankCharge_Fragment' };\n\ntype ChargesTableTypeFields_DividendCharge_Fragment = { __typename: 'DividendCharge', id: string } & { ' $fragmentName'?: 'ChargesTableTypeFields_DividendCharge_Fragment' };\n\ntype ChargesTableTypeFields_FinancialCharge_Fragment = { __typename: 'FinancialCharge', id: string } & { ' $fragmentName'?: 'ChargesTableTypeFields_FinancialCharge_Fragment' };\n\ntype ChargesTableTypeFields_ForeignSecuritiesCharge_Fragment = { __typename: 'ForeignSecuritiesCharge', id: string } & { ' $fragmentName'?: 'ChargesTableTypeFields_ForeignSecuritiesCharge_Fragment' };\n\ntype ChargesTableTypeFields_InternalTransferCharge_Fragment = { __typename: 'InternalTransferCharge', id: string } & { ' $fragmentName'?: 'ChargesTableTypeFields_InternalTransferCharge_Fragment' };\n\ntype ChargesTableTypeFields_MonthlyVatCharge_Fragment = { __typename: 'MonthlyVatCharge', id: string } & { ' $fragmentName'?: 'ChargesTableTypeFields_MonthlyVatCharge_Fragment' };\n\ntype ChargesTableTypeFields_SalaryCharge_Fragment = { __typename: 'SalaryCharge', id: string } & { ' $fragmentName'?: 'ChargesTableTypeFields_SalaryCharge_Fragment' };\n\nexport type ChargesTableTypeFieldsFragment =\n | ChargesTableTypeFields_BankDepositCharge_Fragment\n | ChargesTableTypeFields_BusinessTripCharge_Fragment\n | ChargesTableTypeFields_CommonCharge_Fragment\n | ChargesTableTypeFields_ConversionCharge_Fragment\n | ChargesTableTypeFields_CreditcardBankCharge_Fragment\n | ChargesTableTypeFields_DividendCharge_Fragment\n | ChargesTableTypeFields_FinancialCharge_Fragment\n | ChargesTableTypeFields_ForeignSecuritiesCharge_Fragment\n | ChargesTableTypeFields_InternalTransferCharge_Fragment\n | ChargesTableTypeFields_MonthlyVatCharge_Fragment\n | ChargesTableTypeFields_SalaryCharge_Fragment\n;\n\ntype ChargesTableVatFields_BankDepositCharge_Fragment = { __typename: 'BankDepositCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null } & { ' $fragmentName'?: 'ChargesTableVatFields_BankDepositCharge_Fragment' };\n\ntype ChargesTableVatFields_BusinessTripCharge_Fragment = { __typename: 'BusinessTripCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null } & { ' $fragmentName'?: 'ChargesTableVatFields_BusinessTripCharge_Fragment' };\n\ntype ChargesTableVatFields_CommonCharge_Fragment = { __typename: 'CommonCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null } & { ' $fragmentName'?: 'ChargesTableVatFields_CommonCharge_Fragment' };\n\ntype ChargesTableVatFields_ConversionCharge_Fragment = { __typename: 'ConversionCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null } & { ' $fragmentName'?: 'ChargesTableVatFields_ConversionCharge_Fragment' };\n\ntype ChargesTableVatFields_CreditcardBankCharge_Fragment = { __typename: 'CreditcardBankCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null } & { ' $fragmentName'?: 'ChargesTableVatFields_CreditcardBankCharge_Fragment' };\n\ntype ChargesTableVatFields_DividendCharge_Fragment = { __typename: 'DividendCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null } & { ' $fragmentName'?: 'ChargesTableVatFields_DividendCharge_Fragment' };\n\ntype ChargesTableVatFields_FinancialCharge_Fragment = { __typename: 'FinancialCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null } & { ' $fragmentName'?: 'ChargesTableVatFields_FinancialCharge_Fragment' };\n\ntype ChargesTableVatFields_ForeignSecuritiesCharge_Fragment = { __typename: 'ForeignSecuritiesCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null } & { ' $fragmentName'?: 'ChargesTableVatFields_ForeignSecuritiesCharge_Fragment' };\n\ntype ChargesTableVatFields_InternalTransferCharge_Fragment = { __typename: 'InternalTransferCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null } & { ' $fragmentName'?: 'ChargesTableVatFields_InternalTransferCharge_Fragment' };\n\ntype ChargesTableVatFields_MonthlyVatCharge_Fragment = { __typename: 'MonthlyVatCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null } & { ' $fragmentName'?: 'ChargesTableVatFields_MonthlyVatCharge_Fragment' };\n\ntype ChargesTableVatFields_SalaryCharge_Fragment = { __typename: 'SalaryCharge', id: string, validationData?: { __typename?: 'ValidationData', missingInfo: Array<MissingChargeInfo> } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null } & { ' $fragmentName'?: 'ChargesTableVatFields_SalaryCharge_Fragment' };\n\nexport type ChargesTableVatFieldsFragment =\n | ChargesTableVatFields_BankDepositCharge_Fragment\n | ChargesTableVatFields_BusinessTripCharge_Fragment\n | ChargesTableVatFields_CommonCharge_Fragment\n | ChargesTableVatFields_ConversionCharge_Fragment\n | ChargesTableVatFields_CreditcardBankCharge_Fragment\n | ChargesTableVatFields_DividendCharge_Fragment\n | ChargesTableVatFields_FinancialCharge_Fragment\n | ChargesTableVatFields_ForeignSecuritiesCharge_Fragment\n | ChargesTableVatFields_InternalTransferCharge_Fragment\n | ChargesTableVatFields_MonthlyVatCharge_Fragment\n | ChargesTableVatFields_SalaryCharge_Fragment\n;\n\ntype ChargesTableErrorsFields_BankDepositCharge_Fragment = { __typename?: 'BankDepositCharge', id: string, errorsLedger: { __typename?: 'Ledger' } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', errors: Array<string> } | { __typename?: 'LedgerValidation', errors?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargesTableErrorsFields_BankDepositCharge_Fragment' };\n\ntype ChargesTableErrorsFields_BusinessTripCharge_Fragment = { __typename?: 'BusinessTripCharge', id: string, errorsLedger: { __typename?: 'Ledger' } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', errors: Array<string> } | { __typename?: 'LedgerValidation', errors?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargesTableErrorsFields_BusinessTripCharge_Fragment' };\n\ntype ChargesTableErrorsFields_CommonCharge_Fragment = { __typename?: 'CommonCharge', id: string, errorsLedger: { __typename?: 'Ledger' } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', errors: Array<string> } | { __typename?: 'LedgerValidation', errors?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargesTableErrorsFields_CommonCharge_Fragment' };\n\ntype ChargesTableErrorsFields_ConversionCharge_Fragment = { __typename?: 'ConversionCharge', id: string, errorsLedger: { __typename?: 'Ledger' } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', errors: Array<string> } | { __typename?: 'LedgerValidation', errors?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargesTableErrorsFields_ConversionCharge_Fragment' };\n\ntype ChargesTableErrorsFields_CreditcardBankCharge_Fragment = { __typename?: 'CreditcardBankCharge', id: string, errorsLedger: { __typename?: 'Ledger' } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', errors: Array<string> } | { __typename?: 'LedgerValidation', errors?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargesTableErrorsFields_CreditcardBankCharge_Fragment' };\n\ntype ChargesTableErrorsFields_DividendCharge_Fragment = { __typename?: 'DividendCharge', id: string, errorsLedger: { __typename?: 'Ledger' } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', errors: Array<string> } | { __typename?: 'LedgerValidation', errors?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargesTableErrorsFields_DividendCharge_Fragment' };\n\ntype ChargesTableErrorsFields_FinancialCharge_Fragment = { __typename?: 'FinancialCharge', id: string, errorsLedger: { __typename?: 'Ledger' } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', errors: Array<string> } | { __typename?: 'LedgerValidation', errors?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargesTableErrorsFields_FinancialCharge_Fragment' };\n\ntype ChargesTableErrorsFields_ForeignSecuritiesCharge_Fragment = { __typename?: 'ForeignSecuritiesCharge', id: string, errorsLedger: { __typename?: 'Ledger' } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', errors: Array<string> } | { __typename?: 'LedgerValidation', errors?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargesTableErrorsFields_ForeignSecuritiesCharge_Fragment' };\n\ntype ChargesTableErrorsFields_InternalTransferCharge_Fragment = { __typename?: 'InternalTransferCharge', id: string, errorsLedger: { __typename?: 'Ledger' } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', errors: Array<string> } | { __typename?: 'LedgerValidation', errors?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargesTableErrorsFields_InternalTransferCharge_Fragment' };\n\ntype ChargesTableErrorsFields_MonthlyVatCharge_Fragment = { __typename?: 'MonthlyVatCharge', id: string, errorsLedger: { __typename?: 'Ledger' } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', errors: Array<string> } | { __typename?: 'LedgerValidation', errors?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargesTableErrorsFields_MonthlyVatCharge_Fragment' };\n\ntype ChargesTableErrorsFields_SalaryCharge_Fragment = { __typename?: 'SalaryCharge', id: string, errorsLedger: { __typename?: 'Ledger' } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', errors: Array<string> } | { __typename?: 'LedgerValidation', errors?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargesTableErrorsFields_SalaryCharge_Fragment' };\n\nexport type ChargesTableErrorsFieldsFragment =\n | ChargesTableErrorsFields_BankDepositCharge_Fragment\n | ChargesTableErrorsFields_BusinessTripCharge_Fragment\n | ChargesTableErrorsFields_CommonCharge_Fragment\n | ChargesTableErrorsFields_ConversionCharge_Fragment\n | ChargesTableErrorsFields_CreditcardBankCharge_Fragment\n | ChargesTableErrorsFields_DividendCharge_Fragment\n | ChargesTableErrorsFields_FinancialCharge_Fragment\n | ChargesTableErrorsFields_ForeignSecuritiesCharge_Fragment\n | ChargesTableErrorsFields_InternalTransferCharge_Fragment\n | ChargesTableErrorsFields_MonthlyVatCharge_Fragment\n | ChargesTableErrorsFields_SalaryCharge_Fragment\n;\n\nexport type FetchChargeQueryVariables = Exact<{\n chargeId: Scalars['UUID']['input'];\n}>;\n\n\nexport type FetchChargeQuery = { __typename?: 'Query', charge:\n | { __typename: 'BankDepositCharge', id: string, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, receiptsCount: number, invoicesCount: number, ledgerCount: number, isLedgerLocked: boolean, openDocuments: boolean } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null, miscExpenses: Array<{ __typename?: 'MiscExpense', id: string }> } & (\n { __typename?: 'BankDepositCharge' }\n & { ' $fragmentRefs'?: { 'DocumentsGalleryFields_BankDepositCharge_Fragment': Incremental<DocumentsGalleryFields_BankDepositCharge_Fragment> } }\n ) & (\n { __typename?: 'BankDepositCharge' }\n & { ' $fragmentRefs'?: { 'TableDocumentsFields_BankDepositCharge_Fragment': Incremental<TableDocumentsFields_BankDepositCharge_Fragment> } }\n ) & (\n { __typename?: 'BankDepositCharge' }\n & { ' $fragmentRefs'?: { 'ChargeLedgerRecordsTableFields_BankDepositCharge_Fragment': Incremental<ChargeLedgerRecordsTableFields_BankDepositCharge_Fragment> } }\n ) & (\n { __typename?: 'BankDepositCharge' }\n & { ' $fragmentRefs'?: { 'ChargeTableTransactionsFields_BankDepositCharge_Fragment': Incremental<ChargeTableTransactionsFields_BankDepositCharge_Fragment> } }\n ) & (\n { __typename?: 'BankDepositCharge' }\n & { ' $fragmentRefs'?: { 'ConversionChargeInfo_BankDepositCharge_Fragment': Incremental<ConversionChargeInfo_BankDepositCharge_Fragment> } }\n ) & (\n { __typename?: 'BankDepositCharge' }\n & { ' $fragmentRefs'?: { 'CreditcardBankChargeInfo_BankDepositCharge_Fragment': Incremental<CreditcardBankChargeInfo_BankDepositCharge_Fragment> } }\n ) & (\n { __typename?: 'BankDepositCharge' }\n & { ' $fragmentRefs'?: { 'TableSalariesFields_BankDepositCharge_Fragment': Incremental<TableSalariesFields_BankDepositCharge_Fragment> } }\n ) & (\n { __typename?: 'BankDepositCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableErrorsFields_BankDepositCharge_Fragment': Incremental<ChargesTableErrorsFields_BankDepositCharge_Fragment> } }\n ) & (\n { __typename?: 'BankDepositCharge' }\n & { ' $fragmentRefs'?: { 'TableMiscExpensesFields_BankDepositCharge_Fragment': Incremental<TableMiscExpensesFields_BankDepositCharge_Fragment> } }\n ) & (\n { __typename?: 'BankDepositCharge' }\n & { ' $fragmentRefs'?: { 'ExchangeRatesInfo_BankDepositCharge_Fragment': Incremental<ExchangeRatesInfo_BankDepositCharge_Fragment> } }\n )\n | { __typename: 'BusinessTripCharge', id: string, businessTrip?: (\n { __typename?: 'BusinessTrip', id: string }\n & { ' $fragmentRefs'?: { 'BusinessTripReportFieldsFragment': BusinessTripReportFieldsFragment } }\n ) | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, receiptsCount: number, invoicesCount: number, ledgerCount: number, isLedgerLocked: boolean, openDocuments: boolean } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null, miscExpenses: Array<{ __typename?: 'MiscExpense', id: string }> } & (\n { __typename?: 'BusinessTripCharge' }\n & { ' $fragmentRefs'?: { 'DocumentsGalleryFields_BusinessTripCharge_Fragment': Incremental<DocumentsGalleryFields_BusinessTripCharge_Fragment> } }\n ) & (\n { __typename?: 'BusinessTripCharge' }\n & { ' $fragmentRefs'?: { 'TableDocumentsFields_BusinessTripCharge_Fragment': Incremental<TableDocumentsFields_BusinessTripCharge_Fragment> } }\n ) & (\n { __typename?: 'BusinessTripCharge' }\n & { ' $fragmentRefs'?: { 'ChargeLedgerRecordsTableFields_BusinessTripCharge_Fragment': Incremental<ChargeLedgerRecordsTableFields_BusinessTripCharge_Fragment> } }\n ) & (\n { __typename?: 'BusinessTripCharge' }\n & { ' $fragmentRefs'?: { 'ChargeTableTransactionsFields_BusinessTripCharge_Fragment': Incremental<ChargeTableTransactionsFields_BusinessTripCharge_Fragment> } }\n ) & (\n { __typename?: 'BusinessTripCharge' }\n & { ' $fragmentRefs'?: { 'ConversionChargeInfo_BusinessTripCharge_Fragment': Incremental<ConversionChargeInfo_BusinessTripCharge_Fragment> } }\n ) & (\n { __typename?: 'BusinessTripCharge' }\n & { ' $fragmentRefs'?: { 'CreditcardBankChargeInfo_BusinessTripCharge_Fragment': Incremental<CreditcardBankChargeInfo_BusinessTripCharge_Fragment> } }\n ) & (\n { __typename?: 'BusinessTripCharge' }\n & { ' $fragmentRefs'?: { 'TableSalariesFields_BusinessTripCharge_Fragment': Incremental<TableSalariesFields_BusinessTripCharge_Fragment> } }\n ) & (\n { __typename?: 'BusinessTripCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableErrorsFields_BusinessTripCharge_Fragment': Incremental<ChargesTableErrorsFields_BusinessTripCharge_Fragment> } }\n ) & (\n { __typename?: 'BusinessTripCharge' }\n & { ' $fragmentRefs'?: { 'TableMiscExpensesFields_BusinessTripCharge_Fragment': Incremental<TableMiscExpensesFields_BusinessTripCharge_Fragment> } }\n ) & (\n { __typename?: 'BusinessTripCharge' }\n & { ' $fragmentRefs'?: { 'ExchangeRatesInfo_BusinessTripCharge_Fragment': Incremental<ExchangeRatesInfo_BusinessTripCharge_Fragment> } }\n )\n | { __typename: 'CommonCharge', id: string, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, receiptsCount: number, invoicesCount: number, ledgerCount: number, isLedgerLocked: boolean, openDocuments: boolean } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null, miscExpenses: Array<{ __typename?: 'MiscExpense', id: string }> } & (\n { __typename?: 'CommonCharge' }\n & { ' $fragmentRefs'?: { 'DocumentsGalleryFields_CommonCharge_Fragment': Incremental<DocumentsGalleryFields_CommonCharge_Fragment> } }\n ) & (\n { __typename?: 'CommonCharge' }\n & { ' $fragmentRefs'?: { 'TableDocumentsFields_CommonCharge_Fragment': Incremental<TableDocumentsFields_CommonCharge_Fragment> } }\n ) & (\n { __typename?: 'CommonCharge' }\n & { ' $fragmentRefs'?: { 'ChargeLedgerRecordsTableFields_CommonCharge_Fragment': Incremental<ChargeLedgerRecordsTableFields_CommonCharge_Fragment> } }\n ) & (\n { __typename?: 'CommonCharge' }\n & { ' $fragmentRefs'?: { 'ChargeTableTransactionsFields_CommonCharge_Fragment': Incremental<ChargeTableTransactionsFields_CommonCharge_Fragment> } }\n ) & (\n { __typename?: 'CommonCharge' }\n & { ' $fragmentRefs'?: { 'ConversionChargeInfo_CommonCharge_Fragment': Incremental<ConversionChargeInfo_CommonCharge_Fragment> } }\n ) & (\n { __typename?: 'CommonCharge' }\n & { ' $fragmentRefs'?: { 'CreditcardBankChargeInfo_CommonCharge_Fragment': Incremental<CreditcardBankChargeInfo_CommonCharge_Fragment> } }\n ) & (\n { __typename?: 'CommonCharge' }\n & { ' $fragmentRefs'?: { 'TableSalariesFields_CommonCharge_Fragment': Incremental<TableSalariesFields_CommonCharge_Fragment> } }\n ) & (\n { __typename?: 'CommonCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableErrorsFields_CommonCharge_Fragment': Incremental<ChargesTableErrorsFields_CommonCharge_Fragment> } }\n ) & (\n { __typename?: 'CommonCharge' }\n & { ' $fragmentRefs'?: { 'TableMiscExpensesFields_CommonCharge_Fragment': Incremental<TableMiscExpensesFields_CommonCharge_Fragment> } }\n ) & (\n { __typename?: 'CommonCharge' }\n & { ' $fragmentRefs'?: { 'ExchangeRatesInfo_CommonCharge_Fragment': Incremental<ExchangeRatesInfo_CommonCharge_Fragment> } }\n )\n | { __typename: 'ConversionCharge', id: string, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, receiptsCount: number, invoicesCount: number, ledgerCount: number, isLedgerLocked: boolean, openDocuments: boolean } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null, miscExpenses: Array<{ __typename?: 'MiscExpense', id: string }> } & (\n { __typename?: 'ConversionCharge' }\n & { ' $fragmentRefs'?: { 'DocumentsGalleryFields_ConversionCharge_Fragment': Incremental<DocumentsGalleryFields_ConversionCharge_Fragment> } }\n ) & (\n { __typename?: 'ConversionCharge' }\n & { ' $fragmentRefs'?: { 'TableDocumentsFields_ConversionCharge_Fragment': Incremental<TableDocumentsFields_ConversionCharge_Fragment> } }\n ) & (\n { __typename?: 'ConversionCharge' }\n & { ' $fragmentRefs'?: { 'ChargeLedgerRecordsTableFields_ConversionCharge_Fragment': Incremental<ChargeLedgerRecordsTableFields_ConversionCharge_Fragment> } }\n ) & (\n { __typename?: 'ConversionCharge' }\n & { ' $fragmentRefs'?: { 'ChargeTableTransactionsFields_ConversionCharge_Fragment': Incremental<ChargeTableTransactionsFields_ConversionCharge_Fragment> } }\n ) & (\n { __typename?: 'ConversionCharge' }\n & { ' $fragmentRefs'?: { 'ConversionChargeInfo_ConversionCharge_Fragment': Incremental<ConversionChargeInfo_ConversionCharge_Fragment> } }\n ) & (\n { __typename?: 'ConversionCharge' }\n & { ' $fragmentRefs'?: { 'CreditcardBankChargeInfo_ConversionCharge_Fragment': Incremental<CreditcardBankChargeInfo_ConversionCharge_Fragment> } }\n ) & (\n { __typename?: 'ConversionCharge' }\n & { ' $fragmentRefs'?: { 'TableSalariesFields_ConversionCharge_Fragment': Incremental<TableSalariesFields_ConversionCharge_Fragment> } }\n ) & (\n { __typename?: 'ConversionCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableErrorsFields_ConversionCharge_Fragment': Incremental<ChargesTableErrorsFields_ConversionCharge_Fragment> } }\n ) & (\n { __typename?: 'ConversionCharge' }\n & { ' $fragmentRefs'?: { 'TableMiscExpensesFields_ConversionCharge_Fragment': Incremental<TableMiscExpensesFields_ConversionCharge_Fragment> } }\n ) & (\n { __typename?: 'ConversionCharge' }\n & { ' $fragmentRefs'?: { 'ExchangeRatesInfo_ConversionCharge_Fragment': Incremental<ExchangeRatesInfo_ConversionCharge_Fragment> } }\n )\n | { __typename: 'CreditcardBankCharge', id: string, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, receiptsCount: number, invoicesCount: number, ledgerCount: number, isLedgerLocked: boolean, openDocuments: boolean } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null, miscExpenses: Array<{ __typename?: 'MiscExpense', id: string }> } & (\n { __typename?: 'CreditcardBankCharge' }\n & { ' $fragmentRefs'?: { 'DocumentsGalleryFields_CreditcardBankCharge_Fragment': Incremental<DocumentsGalleryFields_CreditcardBankCharge_Fragment> } }\n ) & (\n { __typename?: 'CreditcardBankCharge' }\n & { ' $fragmentRefs'?: { 'TableDocumentsFields_CreditcardBankCharge_Fragment': Incremental<TableDocumentsFields_CreditcardBankCharge_Fragment> } }\n ) & (\n { __typename?: 'CreditcardBankCharge' }\n & { ' $fragmentRefs'?: { 'ChargeLedgerRecordsTableFields_CreditcardBankCharge_Fragment': Incremental<ChargeLedgerRecordsTableFields_CreditcardBankCharge_Fragment> } }\n ) & (\n { __typename?: 'CreditcardBankCharge' }\n & { ' $fragmentRefs'?: { 'ChargeTableTransactionsFields_CreditcardBankCharge_Fragment': Incremental<ChargeTableTransactionsFields_CreditcardBankCharge_Fragment> } }\n ) & (\n { __typename?: 'CreditcardBankCharge' }\n & { ' $fragmentRefs'?: { 'ConversionChargeInfo_CreditcardBankCharge_Fragment': Incremental<ConversionChargeInfo_CreditcardBankCharge_Fragment> } }\n ) & (\n { __typename?: 'CreditcardBankCharge' }\n & { ' $fragmentRefs'?: { 'CreditcardBankChargeInfo_CreditcardBankCharge_Fragment': Incremental<CreditcardBankChargeInfo_CreditcardBankCharge_Fragment> } }\n ) & (\n { __typename?: 'CreditcardBankCharge' }\n & { ' $fragmentRefs'?: { 'TableSalariesFields_CreditcardBankCharge_Fragment': Incremental<TableSalariesFields_CreditcardBankCharge_Fragment> } }\n ) & (\n { __typename?: 'CreditcardBankCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableErrorsFields_CreditcardBankCharge_Fragment': Incremental<ChargesTableErrorsFields_CreditcardBankCharge_Fragment> } }\n ) & (\n { __typename?: 'CreditcardBankCharge' }\n & { ' $fragmentRefs'?: { 'TableMiscExpensesFields_CreditcardBankCharge_Fragment': Incremental<TableMiscExpensesFields_CreditcardBankCharge_Fragment> } }\n ) & (\n { __typename?: 'CreditcardBankCharge' }\n & { ' $fragmentRefs'?: { 'ExchangeRatesInfo_CreditcardBankCharge_Fragment': Incremental<ExchangeRatesInfo_CreditcardBankCharge_Fragment> } }\n )\n | { __typename: 'DividendCharge', id: string, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, receiptsCount: number, invoicesCount: number, ledgerCount: number, isLedgerLocked: boolean, openDocuments: boolean } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null, miscExpenses: Array<{ __typename?: 'MiscExpense', id: string }> } & (\n { __typename?: 'DividendCharge' }\n & { ' $fragmentRefs'?: { 'DocumentsGalleryFields_DividendCharge_Fragment': Incremental<DocumentsGalleryFields_DividendCharge_Fragment> } }\n ) & (\n { __typename?: 'DividendCharge' }\n & { ' $fragmentRefs'?: { 'TableDocumentsFields_DividendCharge_Fragment': Incremental<TableDocumentsFields_DividendCharge_Fragment> } }\n ) & (\n { __typename?: 'DividendCharge' }\n & { ' $fragmentRefs'?: { 'ChargeLedgerRecordsTableFields_DividendCharge_Fragment': Incremental<ChargeLedgerRecordsTableFields_DividendCharge_Fragment> } }\n ) & (\n { __typename?: 'DividendCharge' }\n & { ' $fragmentRefs'?: { 'ChargeTableTransactionsFields_DividendCharge_Fragment': Incremental<ChargeTableTransactionsFields_DividendCharge_Fragment> } }\n ) & (\n { __typename?: 'DividendCharge' }\n & { ' $fragmentRefs'?: { 'ConversionChargeInfo_DividendCharge_Fragment': Incremental<ConversionChargeInfo_DividendCharge_Fragment> } }\n ) & (\n { __typename?: 'DividendCharge' }\n & { ' $fragmentRefs'?: { 'CreditcardBankChargeInfo_DividendCharge_Fragment': Incremental<CreditcardBankChargeInfo_DividendCharge_Fragment> } }\n ) & (\n { __typename?: 'DividendCharge' }\n & { ' $fragmentRefs'?: { 'TableSalariesFields_DividendCharge_Fragment': Incremental<TableSalariesFields_DividendCharge_Fragment> } }\n ) & (\n { __typename?: 'DividendCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableErrorsFields_DividendCharge_Fragment': Incremental<ChargesTableErrorsFields_DividendCharge_Fragment> } }\n ) & (\n { __typename?: 'DividendCharge' }\n & { ' $fragmentRefs'?: { 'TableMiscExpensesFields_DividendCharge_Fragment': Incremental<TableMiscExpensesFields_DividendCharge_Fragment> } }\n ) & (\n { __typename?: 'DividendCharge' }\n & { ' $fragmentRefs'?: { 'ExchangeRatesInfo_DividendCharge_Fragment': Incremental<ExchangeRatesInfo_DividendCharge_Fragment> } }\n )\n | { __typename: 'FinancialCharge', id: string, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, receiptsCount: number, invoicesCount: number, ledgerCount: number, isLedgerLocked: boolean, openDocuments: boolean } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null, miscExpenses: Array<{ __typename?: 'MiscExpense', id: string }> } & (\n { __typename?: 'FinancialCharge' }\n & { ' $fragmentRefs'?: { 'DocumentsGalleryFields_FinancialCharge_Fragment': Incremental<DocumentsGalleryFields_FinancialCharge_Fragment> } }\n ) & (\n { __typename?: 'FinancialCharge' }\n & { ' $fragmentRefs'?: { 'TableDocumentsFields_FinancialCharge_Fragment': Incremental<TableDocumentsFields_FinancialCharge_Fragment> } }\n ) & (\n { __typename?: 'FinancialCharge' }\n & { ' $fragmentRefs'?: { 'ChargeLedgerRecordsTableFields_FinancialCharge_Fragment': Incremental<ChargeLedgerRecordsTableFields_FinancialCharge_Fragment> } }\n ) & (\n { __typename?: 'FinancialCharge' }\n & { ' $fragmentRefs'?: { 'ChargeTableTransactionsFields_FinancialCharge_Fragment': Incremental<ChargeTableTransactionsFields_FinancialCharge_Fragment> } }\n ) & (\n { __typename?: 'FinancialCharge' }\n & { ' $fragmentRefs'?: { 'ConversionChargeInfo_FinancialCharge_Fragment': Incremental<ConversionChargeInfo_FinancialCharge_Fragment> } }\n ) & (\n { __typename?: 'FinancialCharge' }\n & { ' $fragmentRefs'?: { 'CreditcardBankChargeInfo_FinancialCharge_Fragment': Incremental<CreditcardBankChargeInfo_FinancialCharge_Fragment> } }\n ) & (\n { __typename?: 'FinancialCharge' }\n & { ' $fragmentRefs'?: { 'TableSalariesFields_FinancialCharge_Fragment': Incremental<TableSalariesFields_FinancialCharge_Fragment> } }\n ) & (\n { __typename?: 'FinancialCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableErrorsFields_FinancialCharge_Fragment': Incremental<ChargesTableErrorsFields_FinancialCharge_Fragment> } }\n ) & (\n { __typename?: 'FinancialCharge' }\n & { ' $fragmentRefs'?: { 'TableMiscExpensesFields_FinancialCharge_Fragment': Incremental<TableMiscExpensesFields_FinancialCharge_Fragment> } }\n ) & (\n { __typename?: 'FinancialCharge' }\n & { ' $fragmentRefs'?: { 'ExchangeRatesInfo_FinancialCharge_Fragment': Incremental<ExchangeRatesInfo_FinancialCharge_Fragment> } }\n )\n | { __typename: 'ForeignSecuritiesCharge', id: string, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, receiptsCount: number, invoicesCount: number, ledgerCount: number, isLedgerLocked: boolean, openDocuments: boolean } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null, miscExpenses: Array<{ __typename?: 'MiscExpense', id: string }> } & (\n { __typename?: 'ForeignSecuritiesCharge' }\n & { ' $fragmentRefs'?: { 'DocumentsGalleryFields_ForeignSecuritiesCharge_Fragment': Incremental<DocumentsGalleryFields_ForeignSecuritiesCharge_Fragment> } }\n ) & (\n { __typename?: 'ForeignSecuritiesCharge' }\n & { ' $fragmentRefs'?: { 'TableDocumentsFields_ForeignSecuritiesCharge_Fragment': Incremental<TableDocumentsFields_ForeignSecuritiesCharge_Fragment> } }\n ) & (\n { __typename?: 'ForeignSecuritiesCharge' }\n & { ' $fragmentRefs'?: { 'ChargeLedgerRecordsTableFields_ForeignSecuritiesCharge_Fragment': Incremental<ChargeLedgerRecordsTableFields_ForeignSecuritiesCharge_Fragment> } }\n ) & (\n { __typename?: 'ForeignSecuritiesCharge' }\n & { ' $fragmentRefs'?: { 'ChargeTableTransactionsFields_ForeignSecuritiesCharge_Fragment': Incremental<ChargeTableTransactionsFields_ForeignSecuritiesCharge_Fragment> } }\n ) & (\n { __typename?: 'ForeignSecuritiesCharge' }\n & { ' $fragmentRefs'?: { 'ConversionChargeInfo_ForeignSecuritiesCharge_Fragment': Incremental<ConversionChargeInfo_ForeignSecuritiesCharge_Fragment> } }\n ) & (\n { __typename?: 'ForeignSecuritiesCharge' }\n & { ' $fragmentRefs'?: { 'CreditcardBankChargeInfo_ForeignSecuritiesCharge_Fragment': Incremental<CreditcardBankChargeInfo_ForeignSecuritiesCharge_Fragment> } }\n ) & (\n { __typename?: 'ForeignSecuritiesCharge' }\n & { ' $fragmentRefs'?: { 'TableSalariesFields_ForeignSecuritiesCharge_Fragment': Incremental<TableSalariesFields_ForeignSecuritiesCharge_Fragment> } }\n ) & (\n { __typename?: 'ForeignSecuritiesCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableErrorsFields_ForeignSecuritiesCharge_Fragment': Incremental<ChargesTableErrorsFields_ForeignSecuritiesCharge_Fragment> } }\n ) & (\n { __typename?: 'ForeignSecuritiesCharge' }\n & { ' $fragmentRefs'?: { 'TableMiscExpensesFields_ForeignSecuritiesCharge_Fragment': Incremental<TableMiscExpensesFields_ForeignSecuritiesCharge_Fragment> } }\n ) & (\n { __typename?: 'ForeignSecuritiesCharge' }\n & { ' $fragmentRefs'?: { 'ExchangeRatesInfo_ForeignSecuritiesCharge_Fragment': Incremental<ExchangeRatesInfo_ForeignSecuritiesCharge_Fragment> } }\n )\n | { __typename: 'InternalTransferCharge', id: string, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, receiptsCount: number, invoicesCount: number, ledgerCount: number, isLedgerLocked: boolean, openDocuments: boolean } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null, miscExpenses: Array<{ __typename?: 'MiscExpense', id: string }> } & (\n { __typename?: 'InternalTransferCharge' }\n & { ' $fragmentRefs'?: { 'DocumentsGalleryFields_InternalTransferCharge_Fragment': Incremental<DocumentsGalleryFields_InternalTransferCharge_Fragment> } }\n ) & (\n { __typename?: 'InternalTransferCharge' }\n & { ' $fragmentRefs'?: { 'TableDocumentsFields_InternalTransferCharge_Fragment': Incremental<TableDocumentsFields_InternalTransferCharge_Fragment> } }\n ) & (\n { __typename?: 'InternalTransferCharge' }\n & { ' $fragmentRefs'?: { 'ChargeLedgerRecordsTableFields_InternalTransferCharge_Fragment': Incremental<ChargeLedgerRecordsTableFields_InternalTransferCharge_Fragment> } }\n ) & (\n { __typename?: 'InternalTransferCharge' }\n & { ' $fragmentRefs'?: { 'ChargeTableTransactionsFields_InternalTransferCharge_Fragment': Incremental<ChargeTableTransactionsFields_InternalTransferCharge_Fragment> } }\n ) & (\n { __typename?: 'InternalTransferCharge' }\n & { ' $fragmentRefs'?: { 'ConversionChargeInfo_InternalTransferCharge_Fragment': Incremental<ConversionChargeInfo_InternalTransferCharge_Fragment> } }\n ) & (\n { __typename?: 'InternalTransferCharge' }\n & { ' $fragmentRefs'?: { 'CreditcardBankChargeInfo_InternalTransferCharge_Fragment': Incremental<CreditcardBankChargeInfo_InternalTransferCharge_Fragment> } }\n ) & (\n { __typename?: 'InternalTransferCharge' }\n & { ' $fragmentRefs'?: { 'TableSalariesFields_InternalTransferCharge_Fragment': Incremental<TableSalariesFields_InternalTransferCharge_Fragment> } }\n ) & (\n { __typename?: 'InternalTransferCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableErrorsFields_InternalTransferCharge_Fragment': Incremental<ChargesTableErrorsFields_InternalTransferCharge_Fragment> } }\n ) & (\n { __typename?: 'InternalTransferCharge' }\n & { ' $fragmentRefs'?: { 'TableMiscExpensesFields_InternalTransferCharge_Fragment': Incremental<TableMiscExpensesFields_InternalTransferCharge_Fragment> } }\n ) & (\n { __typename?: 'InternalTransferCharge' }\n & { ' $fragmentRefs'?: { 'ExchangeRatesInfo_InternalTransferCharge_Fragment': Incremental<ExchangeRatesInfo_InternalTransferCharge_Fragment> } }\n )\n | { __typename: 'MonthlyVatCharge', id: string, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, receiptsCount: number, invoicesCount: number, ledgerCount: number, isLedgerLocked: boolean, openDocuments: boolean } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null, miscExpenses: Array<{ __typename?: 'MiscExpense', id: string }> } & (\n { __typename?: 'MonthlyVatCharge' }\n & { ' $fragmentRefs'?: { 'DocumentsGalleryFields_MonthlyVatCharge_Fragment': Incremental<DocumentsGalleryFields_MonthlyVatCharge_Fragment> } }\n ) & (\n { __typename?: 'MonthlyVatCharge' }\n & { ' $fragmentRefs'?: { 'TableDocumentsFields_MonthlyVatCharge_Fragment': Incremental<TableDocumentsFields_MonthlyVatCharge_Fragment> } }\n ) & (\n { __typename?: 'MonthlyVatCharge' }\n & { ' $fragmentRefs'?: { 'ChargeLedgerRecordsTableFields_MonthlyVatCharge_Fragment': Incremental<ChargeLedgerRecordsTableFields_MonthlyVatCharge_Fragment> } }\n ) & (\n { __typename?: 'MonthlyVatCharge' }\n & { ' $fragmentRefs'?: { 'ChargeTableTransactionsFields_MonthlyVatCharge_Fragment': Incremental<ChargeTableTransactionsFields_MonthlyVatCharge_Fragment> } }\n ) & (\n { __typename?: 'MonthlyVatCharge' }\n & { ' $fragmentRefs'?: { 'ConversionChargeInfo_MonthlyVatCharge_Fragment': Incremental<ConversionChargeInfo_MonthlyVatCharge_Fragment> } }\n ) & (\n { __typename?: 'MonthlyVatCharge' }\n & { ' $fragmentRefs'?: { 'CreditcardBankChargeInfo_MonthlyVatCharge_Fragment': Incremental<CreditcardBankChargeInfo_MonthlyVatCharge_Fragment> } }\n ) & (\n { __typename?: 'MonthlyVatCharge' }\n & { ' $fragmentRefs'?: { 'TableSalariesFields_MonthlyVatCharge_Fragment': Incremental<TableSalariesFields_MonthlyVatCharge_Fragment> } }\n ) & (\n { __typename?: 'MonthlyVatCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableErrorsFields_MonthlyVatCharge_Fragment': Incremental<ChargesTableErrorsFields_MonthlyVatCharge_Fragment> } }\n ) & (\n { __typename?: 'MonthlyVatCharge' }\n & { ' $fragmentRefs'?: { 'TableMiscExpensesFields_MonthlyVatCharge_Fragment': Incremental<TableMiscExpensesFields_MonthlyVatCharge_Fragment> } }\n ) & (\n { __typename?: 'MonthlyVatCharge' }\n & { ' $fragmentRefs'?: { 'ExchangeRatesInfo_MonthlyVatCharge_Fragment': Incremental<ExchangeRatesInfo_MonthlyVatCharge_Fragment> } }\n )\n | { __typename: 'SalaryCharge', id: string, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, receiptsCount: number, invoicesCount: number, ledgerCount: number, isLedgerLocked: boolean, openDocuments: boolean } | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null, miscExpenses: Array<{ __typename?: 'MiscExpense', id: string }> } & (\n { __typename?: 'SalaryCharge' }\n & { ' $fragmentRefs'?: { 'DocumentsGalleryFields_SalaryCharge_Fragment': Incremental<DocumentsGalleryFields_SalaryCharge_Fragment> } }\n ) & (\n { __typename?: 'SalaryCharge' }\n & { ' $fragmentRefs'?: { 'TableDocumentsFields_SalaryCharge_Fragment': Incremental<TableDocumentsFields_SalaryCharge_Fragment> } }\n ) & (\n { __typename?: 'SalaryCharge' }\n & { ' $fragmentRefs'?: { 'ChargeLedgerRecordsTableFields_SalaryCharge_Fragment': Incremental<ChargeLedgerRecordsTableFields_SalaryCharge_Fragment> } }\n ) & (\n { __typename?: 'SalaryCharge' }\n & { ' $fragmentRefs'?: { 'ChargeTableTransactionsFields_SalaryCharge_Fragment': Incremental<ChargeTableTransactionsFields_SalaryCharge_Fragment> } }\n ) & (\n { __typename?: 'SalaryCharge' }\n & { ' $fragmentRefs'?: { 'ConversionChargeInfo_SalaryCharge_Fragment': Incremental<ConversionChargeInfo_SalaryCharge_Fragment> } }\n ) & (\n { __typename?: 'SalaryCharge' }\n & { ' $fragmentRefs'?: { 'CreditcardBankChargeInfo_SalaryCharge_Fragment': Incremental<CreditcardBankChargeInfo_SalaryCharge_Fragment> } }\n ) & (\n { __typename?: 'SalaryCharge' }\n & { ' $fragmentRefs'?: { 'TableSalariesFields_SalaryCharge_Fragment': Incremental<TableSalariesFields_SalaryCharge_Fragment> } }\n ) & (\n { __typename?: 'SalaryCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableErrorsFields_SalaryCharge_Fragment': Incremental<ChargesTableErrorsFields_SalaryCharge_Fragment> } }\n ) & (\n { __typename?: 'SalaryCharge' }\n & { ' $fragmentRefs'?: { 'TableMiscExpensesFields_SalaryCharge_Fragment': Incremental<TableMiscExpensesFields_SalaryCharge_Fragment> } }\n ) & (\n { __typename?: 'SalaryCharge' }\n & { ' $fragmentRefs'?: { 'ExchangeRatesInfo_SalaryCharge_Fragment': Incremental<ExchangeRatesInfo_SalaryCharge_Fragment> } }\n )\n };\n\ntype TableDocumentsFields_BankDepositCharge_Fragment = { __typename?: 'BankDepositCharge', id: string, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > } & { ' $fragmentName'?: 'TableDocumentsFields_BankDepositCharge_Fragment' };\n\ntype TableDocumentsFields_BusinessTripCharge_Fragment = { __typename?: 'BusinessTripCharge', id: string, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > } & { ' $fragmentName'?: 'TableDocumentsFields_BusinessTripCharge_Fragment' };\n\ntype TableDocumentsFields_CommonCharge_Fragment = { __typename?: 'CommonCharge', id: string, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > } & { ' $fragmentName'?: 'TableDocumentsFields_CommonCharge_Fragment' };\n\ntype TableDocumentsFields_ConversionCharge_Fragment = { __typename?: 'ConversionCharge', id: string, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > } & { ' $fragmentName'?: 'TableDocumentsFields_ConversionCharge_Fragment' };\n\ntype TableDocumentsFields_CreditcardBankCharge_Fragment = { __typename?: 'CreditcardBankCharge', id: string, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > } & { ' $fragmentName'?: 'TableDocumentsFields_CreditcardBankCharge_Fragment' };\n\ntype TableDocumentsFields_DividendCharge_Fragment = { __typename?: 'DividendCharge', id: string, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > } & { ' $fragmentName'?: 'TableDocumentsFields_DividendCharge_Fragment' };\n\ntype TableDocumentsFields_FinancialCharge_Fragment = { __typename?: 'FinancialCharge', id: string, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > } & { ' $fragmentName'?: 'TableDocumentsFields_FinancialCharge_Fragment' };\n\ntype TableDocumentsFields_ForeignSecuritiesCharge_Fragment = { __typename?: 'ForeignSecuritiesCharge', id: string, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > } & { ' $fragmentName'?: 'TableDocumentsFields_ForeignSecuritiesCharge_Fragment' };\n\ntype TableDocumentsFields_InternalTransferCharge_Fragment = { __typename?: 'InternalTransferCharge', id: string, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > } & { ' $fragmentName'?: 'TableDocumentsFields_InternalTransferCharge_Fragment' };\n\ntype TableDocumentsFields_MonthlyVatCharge_Fragment = { __typename?: 'MonthlyVatCharge', id: string, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > } & { ' $fragmentName'?: 'TableDocumentsFields_MonthlyVatCharge_Fragment' };\n\ntype TableDocumentsFields_SalaryCharge_Fragment = { __typename?: 'SalaryCharge', id: string, additionalDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > } & { ' $fragmentName'?: 'TableDocumentsFields_SalaryCharge_Fragment' };\n\nexport type TableDocumentsFieldsFragment =\n | TableDocumentsFields_BankDepositCharge_Fragment\n | TableDocumentsFields_BusinessTripCharge_Fragment\n | TableDocumentsFields_CommonCharge_Fragment\n | TableDocumentsFields_ConversionCharge_Fragment\n | TableDocumentsFields_CreditcardBankCharge_Fragment\n | TableDocumentsFields_DividendCharge_Fragment\n | TableDocumentsFields_FinancialCharge_Fragment\n | TableDocumentsFields_ForeignSecuritiesCharge_Fragment\n | TableDocumentsFields_InternalTransferCharge_Fragment\n | TableDocumentsFields_MonthlyVatCharge_Fragment\n | TableDocumentsFields_SalaryCharge_Fragment\n;\n\ntype ChargeLedgerRecordsTableFields_BankDepositCharge_Fragment = { __typename?: 'BankDepositCharge', id: string, ledger: { __typename: 'Ledger', records: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', matches: Array<string> } | { __typename?: 'LedgerValidation', matches?: never }) & ({ __typename?: 'LedgerValidation', differences: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } | { __typename?: 'LedgerValidation', differences?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargeLedgerRecordsTableFields_BankDepositCharge_Fragment' };\n\ntype ChargeLedgerRecordsTableFields_BusinessTripCharge_Fragment = { __typename?: 'BusinessTripCharge', id: string, ledger: { __typename: 'Ledger', records: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', matches: Array<string> } | { __typename?: 'LedgerValidation', matches?: never }) & ({ __typename?: 'LedgerValidation', differences: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } | { __typename?: 'LedgerValidation', differences?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargeLedgerRecordsTableFields_BusinessTripCharge_Fragment' };\n\ntype ChargeLedgerRecordsTableFields_CommonCharge_Fragment = { __typename?: 'CommonCharge', id: string, ledger: { __typename: 'Ledger', records: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', matches: Array<string> } | { __typename?: 'LedgerValidation', matches?: never }) & ({ __typename?: 'LedgerValidation', differences: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } | { __typename?: 'LedgerValidation', differences?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargeLedgerRecordsTableFields_CommonCharge_Fragment' };\n\ntype ChargeLedgerRecordsTableFields_ConversionCharge_Fragment = { __typename?: 'ConversionCharge', id: string, ledger: { __typename: 'Ledger', records: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', matches: Array<string> } | { __typename?: 'LedgerValidation', matches?: never }) & ({ __typename?: 'LedgerValidation', differences: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } | { __typename?: 'LedgerValidation', differences?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargeLedgerRecordsTableFields_ConversionCharge_Fragment' };\n\ntype ChargeLedgerRecordsTableFields_CreditcardBankCharge_Fragment = { __typename?: 'CreditcardBankCharge', id: string, ledger: { __typename: 'Ledger', records: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', matches: Array<string> } | { __typename?: 'LedgerValidation', matches?: never }) & ({ __typename?: 'LedgerValidation', differences: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } | { __typename?: 'LedgerValidation', differences?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargeLedgerRecordsTableFields_CreditcardBankCharge_Fragment' };\n\ntype ChargeLedgerRecordsTableFields_DividendCharge_Fragment = { __typename?: 'DividendCharge', id: string, ledger: { __typename: 'Ledger', records: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', matches: Array<string> } | { __typename?: 'LedgerValidation', matches?: never }) & ({ __typename?: 'LedgerValidation', differences: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } | { __typename?: 'LedgerValidation', differences?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargeLedgerRecordsTableFields_DividendCharge_Fragment' };\n\ntype ChargeLedgerRecordsTableFields_FinancialCharge_Fragment = { __typename?: 'FinancialCharge', id: string, ledger: { __typename: 'Ledger', records: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', matches: Array<string> } | { __typename?: 'LedgerValidation', matches?: never }) & ({ __typename?: 'LedgerValidation', differences: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } | { __typename?: 'LedgerValidation', differences?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargeLedgerRecordsTableFields_FinancialCharge_Fragment' };\n\ntype ChargeLedgerRecordsTableFields_ForeignSecuritiesCharge_Fragment = { __typename?: 'ForeignSecuritiesCharge', id: string, ledger: { __typename: 'Ledger', records: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', matches: Array<string> } | { __typename?: 'LedgerValidation', matches?: never }) & ({ __typename?: 'LedgerValidation', differences: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } | { __typename?: 'LedgerValidation', differences?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargeLedgerRecordsTableFields_ForeignSecuritiesCharge_Fragment' };\n\ntype ChargeLedgerRecordsTableFields_InternalTransferCharge_Fragment = { __typename?: 'InternalTransferCharge', id: string, ledger: { __typename: 'Ledger', records: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', matches: Array<string> } | { __typename?: 'LedgerValidation', matches?: never }) & ({ __typename?: 'LedgerValidation', differences: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } | { __typename?: 'LedgerValidation', differences?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargeLedgerRecordsTableFields_InternalTransferCharge_Fragment' };\n\ntype ChargeLedgerRecordsTableFields_MonthlyVatCharge_Fragment = { __typename?: 'MonthlyVatCharge', id: string, ledger: { __typename: 'Ledger', records: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', matches: Array<string> } | { __typename?: 'LedgerValidation', matches?: never }) & ({ __typename?: 'LedgerValidation', differences: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } | { __typename?: 'LedgerValidation', differences?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargeLedgerRecordsTableFields_MonthlyVatCharge_Fragment' };\n\ntype ChargeLedgerRecordsTableFields_SalaryCharge_Fragment = { __typename?: 'SalaryCharge', id: string, ledger: { __typename: 'Ledger', records: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } & ({ __typename?: 'Ledger', validate: { __typename?: 'LedgerValidation' } & ({ __typename?: 'LedgerValidation', matches: Array<string> } | { __typename?: 'LedgerValidation', matches?: never }) & ({ __typename?: 'LedgerValidation', differences: Array<(\n { __typename?: 'LedgerRecord', id: string }\n & { ' $fragmentRefs'?: { 'LedgerRecordsTableFieldsFragment': LedgerRecordsTableFieldsFragment } }\n )> } | { __typename?: 'LedgerValidation', differences?: never }) } | { __typename?: 'Ledger', validate?: never }) } & { ' $fragmentName'?: 'ChargeLedgerRecordsTableFields_SalaryCharge_Fragment' };\n\nexport type ChargeLedgerRecordsTableFieldsFragment =\n | ChargeLedgerRecordsTableFields_BankDepositCharge_Fragment\n | ChargeLedgerRecordsTableFields_BusinessTripCharge_Fragment\n | ChargeLedgerRecordsTableFields_CommonCharge_Fragment\n | ChargeLedgerRecordsTableFields_ConversionCharge_Fragment\n | ChargeLedgerRecordsTableFields_CreditcardBankCharge_Fragment\n | ChargeLedgerRecordsTableFields_DividendCharge_Fragment\n | ChargeLedgerRecordsTableFields_FinancialCharge_Fragment\n | ChargeLedgerRecordsTableFields_ForeignSecuritiesCharge_Fragment\n | ChargeLedgerRecordsTableFields_InternalTransferCharge_Fragment\n | ChargeLedgerRecordsTableFields_MonthlyVatCharge_Fragment\n | ChargeLedgerRecordsTableFields_SalaryCharge_Fragment\n;\n\ntype ChargeTableTransactionsFields_BankDepositCharge_Fragment = { __typename?: 'BankDepositCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n > } & { ' $fragmentName'?: 'ChargeTableTransactionsFields_BankDepositCharge_Fragment' };\n\ntype ChargeTableTransactionsFields_BusinessTripCharge_Fragment = { __typename?: 'BusinessTripCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n > } & { ' $fragmentName'?: 'ChargeTableTransactionsFields_BusinessTripCharge_Fragment' };\n\ntype ChargeTableTransactionsFields_CommonCharge_Fragment = { __typename?: 'CommonCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n > } & { ' $fragmentName'?: 'ChargeTableTransactionsFields_CommonCharge_Fragment' };\n\ntype ChargeTableTransactionsFields_ConversionCharge_Fragment = { __typename?: 'ConversionCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n > } & { ' $fragmentName'?: 'ChargeTableTransactionsFields_ConversionCharge_Fragment' };\n\ntype ChargeTableTransactionsFields_CreditcardBankCharge_Fragment = { __typename?: 'CreditcardBankCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n > } & { ' $fragmentName'?: 'ChargeTableTransactionsFields_CreditcardBankCharge_Fragment' };\n\ntype ChargeTableTransactionsFields_DividendCharge_Fragment = { __typename?: 'DividendCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n > } & { ' $fragmentName'?: 'ChargeTableTransactionsFields_DividendCharge_Fragment' };\n\ntype ChargeTableTransactionsFields_FinancialCharge_Fragment = { __typename?: 'FinancialCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n > } & { ' $fragmentName'?: 'ChargeTableTransactionsFields_FinancialCharge_Fragment' };\n\ntype ChargeTableTransactionsFields_ForeignSecuritiesCharge_Fragment = { __typename?: 'ForeignSecuritiesCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n > } & { ' $fragmentName'?: 'ChargeTableTransactionsFields_ForeignSecuritiesCharge_Fragment' };\n\ntype ChargeTableTransactionsFields_InternalTransferCharge_Fragment = { __typename?: 'InternalTransferCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n > } & { ' $fragmentName'?: 'ChargeTableTransactionsFields_InternalTransferCharge_Fragment' };\n\ntype ChargeTableTransactionsFields_MonthlyVatCharge_Fragment = { __typename?: 'MonthlyVatCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n > } & { ' $fragmentName'?: 'ChargeTableTransactionsFields_MonthlyVatCharge_Fragment' };\n\ntype ChargeTableTransactionsFields_SalaryCharge_Fragment = { __typename?: 'SalaryCharge', id: string, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n > } & { ' $fragmentName'?: 'ChargeTableTransactionsFields_SalaryCharge_Fragment' };\n\nexport type ChargeTableTransactionsFieldsFragment =\n | ChargeTableTransactionsFields_BankDepositCharge_Fragment\n | ChargeTableTransactionsFields_BusinessTripCharge_Fragment\n | ChargeTableTransactionsFields_CommonCharge_Fragment\n | ChargeTableTransactionsFields_ConversionCharge_Fragment\n | ChargeTableTransactionsFields_CreditcardBankCharge_Fragment\n | ChargeTableTransactionsFields_DividendCharge_Fragment\n | ChargeTableTransactionsFields_FinancialCharge_Fragment\n | ChargeTableTransactionsFields_ForeignSecuritiesCharge_Fragment\n | ChargeTableTransactionsFields_InternalTransferCharge_Fragment\n | ChargeTableTransactionsFields_MonthlyVatCharge_Fragment\n | ChargeTableTransactionsFields_SalaryCharge_Fragment\n;\n\ntype ChargesTableRowFields_BankDepositCharge_Fragment = (\n { __typename: 'BankDepositCharge', id: string, metadata?: { __typename?: 'ChargeMetadata' } & ({ __typename?: 'ChargeMetadata', documentsCount: number } | { __typename?: 'ChargeMetadata', documentsCount?: never }) & ({ __typename?: 'ChargeMetadata', ledgerCount: number } | { __typename?: 'ChargeMetadata', ledgerCount?: never }) & ({ __typename?: 'ChargeMetadata', transactionsCount: number } | { __typename?: 'ChargeMetadata', transactionsCount?: never }) & ({ __typename?: 'ChargeMetadata', miscExpensesCount: number } | { __typename?: 'ChargeMetadata', miscExpensesCount?: never }) | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null }\n & { ' $fragmentRefs'?: { 'ChargesTableAccountantApprovalFields_BankDepositCharge_Fragment': ChargesTableAccountantApprovalFields_BankDepositCharge_Fragment;'ChargesTableAmountFields_BankDepositCharge_Fragment': ChargesTableAmountFields_BankDepositCharge_Fragment;'ChargesTableDateFields_BankDepositCharge_Fragment': ChargesTableDateFields_BankDepositCharge_Fragment;'ChargesTableDescriptionFields_BankDepositCharge_Fragment': ChargesTableDescriptionFields_BankDepositCharge_Fragment;'ChargesTableMoreInfoFields_BankDepositCharge_Fragment': ChargesTableMoreInfoFields_BankDepositCharge_Fragment;'ChargesTableTypeFields_BankDepositCharge_Fragment': ChargesTableTypeFields_BankDepositCharge_Fragment;'ChargesTableVatFields_BankDepositCharge_Fragment': ChargesTableVatFields_BankDepositCharge_Fragment } }\n) & (\n { __typename?: 'BankDepositCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableBusinessTripFields_BankDepositCharge_Fragment': Incremental<ChargesTableBusinessTripFields_BankDepositCharge_Fragment> } }\n) & (\n { __typename?: 'BankDepositCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableEntityFields_BankDepositCharge_Fragment': Incremental<ChargesTableEntityFields_BankDepositCharge_Fragment> } }\n) & (\n { __typename?: 'BankDepositCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTagsFields_BankDepositCharge_Fragment': Incremental<ChargesTableTagsFields_BankDepositCharge_Fragment> } }\n) & (\n { __typename?: 'BankDepositCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTaxCategoryFields_BankDepositCharge_Fragment': Incremental<ChargesTableTaxCategoryFields_BankDepositCharge_Fragment> } }\n) & { ' $fragmentName'?: 'ChargesTableRowFields_BankDepositCharge_Fragment' };\n\ntype ChargesTableRowFields_BusinessTripCharge_Fragment = (\n { __typename: 'BusinessTripCharge', id: string, metadata?: { __typename?: 'ChargeMetadata' } & ({ __typename?: 'ChargeMetadata', documentsCount: number } | { __typename?: 'ChargeMetadata', documentsCount?: never }) & ({ __typename?: 'ChargeMetadata', ledgerCount: number } | { __typename?: 'ChargeMetadata', ledgerCount?: never }) & ({ __typename?: 'ChargeMetadata', transactionsCount: number } | { __typename?: 'ChargeMetadata', transactionsCount?: never }) & ({ __typename?: 'ChargeMetadata', miscExpensesCount: number } | { __typename?: 'ChargeMetadata', miscExpensesCount?: never }) | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null }\n & { ' $fragmentRefs'?: { 'ChargesTableAccountantApprovalFields_BusinessTripCharge_Fragment': ChargesTableAccountantApprovalFields_BusinessTripCharge_Fragment;'ChargesTableAmountFields_BusinessTripCharge_Fragment': ChargesTableAmountFields_BusinessTripCharge_Fragment;'ChargesTableDateFields_BusinessTripCharge_Fragment': ChargesTableDateFields_BusinessTripCharge_Fragment;'ChargesTableDescriptionFields_BusinessTripCharge_Fragment': ChargesTableDescriptionFields_BusinessTripCharge_Fragment;'ChargesTableMoreInfoFields_BusinessTripCharge_Fragment': ChargesTableMoreInfoFields_BusinessTripCharge_Fragment;'ChargesTableTypeFields_BusinessTripCharge_Fragment': ChargesTableTypeFields_BusinessTripCharge_Fragment;'ChargesTableVatFields_BusinessTripCharge_Fragment': ChargesTableVatFields_BusinessTripCharge_Fragment } }\n) & (\n { __typename?: 'BusinessTripCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableBusinessTripFields_BusinessTripCharge_Fragment': Incremental<ChargesTableBusinessTripFields_BusinessTripCharge_Fragment> } }\n) & (\n { __typename?: 'BusinessTripCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableEntityFields_BusinessTripCharge_Fragment': Incremental<ChargesTableEntityFields_BusinessTripCharge_Fragment> } }\n) & (\n { __typename?: 'BusinessTripCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTagsFields_BusinessTripCharge_Fragment': Incremental<ChargesTableTagsFields_BusinessTripCharge_Fragment> } }\n) & (\n { __typename?: 'BusinessTripCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTaxCategoryFields_BusinessTripCharge_Fragment': Incremental<ChargesTableTaxCategoryFields_BusinessTripCharge_Fragment> } }\n) & { ' $fragmentName'?: 'ChargesTableRowFields_BusinessTripCharge_Fragment' };\n\ntype ChargesTableRowFields_CommonCharge_Fragment = (\n { __typename: 'CommonCharge', id: string, metadata?: { __typename?: 'ChargeMetadata' } & ({ __typename?: 'ChargeMetadata', documentsCount: number } | { __typename?: 'ChargeMetadata', documentsCount?: never }) & ({ __typename?: 'ChargeMetadata', ledgerCount: number } | { __typename?: 'ChargeMetadata', ledgerCount?: never }) & ({ __typename?: 'ChargeMetadata', transactionsCount: number } | { __typename?: 'ChargeMetadata', transactionsCount?: never }) & ({ __typename?: 'ChargeMetadata', miscExpensesCount: number } | { __typename?: 'ChargeMetadata', miscExpensesCount?: never }) | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null }\n & { ' $fragmentRefs'?: { 'ChargesTableAccountantApprovalFields_CommonCharge_Fragment': ChargesTableAccountantApprovalFields_CommonCharge_Fragment;'ChargesTableAmountFields_CommonCharge_Fragment': ChargesTableAmountFields_CommonCharge_Fragment;'ChargesTableDateFields_CommonCharge_Fragment': ChargesTableDateFields_CommonCharge_Fragment;'ChargesTableDescriptionFields_CommonCharge_Fragment': ChargesTableDescriptionFields_CommonCharge_Fragment;'ChargesTableMoreInfoFields_CommonCharge_Fragment': ChargesTableMoreInfoFields_CommonCharge_Fragment;'ChargesTableTypeFields_CommonCharge_Fragment': ChargesTableTypeFields_CommonCharge_Fragment;'ChargesTableVatFields_CommonCharge_Fragment': ChargesTableVatFields_CommonCharge_Fragment } }\n) & (\n { __typename?: 'CommonCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableBusinessTripFields_CommonCharge_Fragment': Incremental<ChargesTableBusinessTripFields_CommonCharge_Fragment> } }\n) & (\n { __typename?: 'CommonCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableEntityFields_CommonCharge_Fragment': Incremental<ChargesTableEntityFields_CommonCharge_Fragment> } }\n) & (\n { __typename?: 'CommonCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTagsFields_CommonCharge_Fragment': Incremental<ChargesTableTagsFields_CommonCharge_Fragment> } }\n) & (\n { __typename?: 'CommonCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTaxCategoryFields_CommonCharge_Fragment': Incremental<ChargesTableTaxCategoryFields_CommonCharge_Fragment> } }\n) & { ' $fragmentName'?: 'ChargesTableRowFields_CommonCharge_Fragment' };\n\ntype ChargesTableRowFields_ConversionCharge_Fragment = (\n { __typename: 'ConversionCharge', id: string, metadata?: { __typename?: 'ChargeMetadata' } & ({ __typename?: 'ChargeMetadata', documentsCount: number } | { __typename?: 'ChargeMetadata', documentsCount?: never }) & ({ __typename?: 'ChargeMetadata', ledgerCount: number } | { __typename?: 'ChargeMetadata', ledgerCount?: never }) & ({ __typename?: 'ChargeMetadata', transactionsCount: number } | { __typename?: 'ChargeMetadata', transactionsCount?: never }) & ({ __typename?: 'ChargeMetadata', miscExpensesCount: number } | { __typename?: 'ChargeMetadata', miscExpensesCount?: never }) | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null }\n & { ' $fragmentRefs'?: { 'ChargesTableAccountantApprovalFields_ConversionCharge_Fragment': ChargesTableAccountantApprovalFields_ConversionCharge_Fragment;'ChargesTableAmountFields_ConversionCharge_Fragment': ChargesTableAmountFields_ConversionCharge_Fragment;'ChargesTableDateFields_ConversionCharge_Fragment': ChargesTableDateFields_ConversionCharge_Fragment;'ChargesTableDescriptionFields_ConversionCharge_Fragment': ChargesTableDescriptionFields_ConversionCharge_Fragment;'ChargesTableMoreInfoFields_ConversionCharge_Fragment': ChargesTableMoreInfoFields_ConversionCharge_Fragment;'ChargesTableTypeFields_ConversionCharge_Fragment': ChargesTableTypeFields_ConversionCharge_Fragment;'ChargesTableVatFields_ConversionCharge_Fragment': ChargesTableVatFields_ConversionCharge_Fragment } }\n) & (\n { __typename?: 'ConversionCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableBusinessTripFields_ConversionCharge_Fragment': Incremental<ChargesTableBusinessTripFields_ConversionCharge_Fragment> } }\n) & (\n { __typename?: 'ConversionCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableEntityFields_ConversionCharge_Fragment': Incremental<ChargesTableEntityFields_ConversionCharge_Fragment> } }\n) & (\n { __typename?: 'ConversionCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTagsFields_ConversionCharge_Fragment': Incremental<ChargesTableTagsFields_ConversionCharge_Fragment> } }\n) & (\n { __typename?: 'ConversionCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTaxCategoryFields_ConversionCharge_Fragment': Incremental<ChargesTableTaxCategoryFields_ConversionCharge_Fragment> } }\n) & { ' $fragmentName'?: 'ChargesTableRowFields_ConversionCharge_Fragment' };\n\ntype ChargesTableRowFields_CreditcardBankCharge_Fragment = (\n { __typename: 'CreditcardBankCharge', id: string, metadata?: { __typename?: 'ChargeMetadata' } & ({ __typename?: 'ChargeMetadata', documentsCount: number } | { __typename?: 'ChargeMetadata', documentsCount?: never }) & ({ __typename?: 'ChargeMetadata', ledgerCount: number } | { __typename?: 'ChargeMetadata', ledgerCount?: never }) & ({ __typename?: 'ChargeMetadata', transactionsCount: number } | { __typename?: 'ChargeMetadata', transactionsCount?: never }) & ({ __typename?: 'ChargeMetadata', miscExpensesCount: number } | { __typename?: 'ChargeMetadata', miscExpensesCount?: never }) | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null }\n & { ' $fragmentRefs'?: { 'ChargesTableAccountantApprovalFields_CreditcardBankCharge_Fragment': ChargesTableAccountantApprovalFields_CreditcardBankCharge_Fragment;'ChargesTableAmountFields_CreditcardBankCharge_Fragment': ChargesTableAmountFields_CreditcardBankCharge_Fragment;'ChargesTableDateFields_CreditcardBankCharge_Fragment': ChargesTableDateFields_CreditcardBankCharge_Fragment;'ChargesTableDescriptionFields_CreditcardBankCharge_Fragment': ChargesTableDescriptionFields_CreditcardBankCharge_Fragment;'ChargesTableMoreInfoFields_CreditcardBankCharge_Fragment': ChargesTableMoreInfoFields_CreditcardBankCharge_Fragment;'ChargesTableTypeFields_CreditcardBankCharge_Fragment': ChargesTableTypeFields_CreditcardBankCharge_Fragment;'ChargesTableVatFields_CreditcardBankCharge_Fragment': ChargesTableVatFields_CreditcardBankCharge_Fragment } }\n) & (\n { __typename?: 'CreditcardBankCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableBusinessTripFields_CreditcardBankCharge_Fragment': Incremental<ChargesTableBusinessTripFields_CreditcardBankCharge_Fragment> } }\n) & (\n { __typename?: 'CreditcardBankCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableEntityFields_CreditcardBankCharge_Fragment': Incremental<ChargesTableEntityFields_CreditcardBankCharge_Fragment> } }\n) & (\n { __typename?: 'CreditcardBankCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTagsFields_CreditcardBankCharge_Fragment': Incremental<ChargesTableTagsFields_CreditcardBankCharge_Fragment> } }\n) & (\n { __typename?: 'CreditcardBankCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTaxCategoryFields_CreditcardBankCharge_Fragment': Incremental<ChargesTableTaxCategoryFields_CreditcardBankCharge_Fragment> } }\n) & { ' $fragmentName'?: 'ChargesTableRowFields_CreditcardBankCharge_Fragment' };\n\ntype ChargesTableRowFields_DividendCharge_Fragment = (\n { __typename: 'DividendCharge', id: string, metadata?: { __typename?: 'ChargeMetadata' } & ({ __typename?: 'ChargeMetadata', documentsCount: number } | { __typename?: 'ChargeMetadata', documentsCount?: never }) & ({ __typename?: 'ChargeMetadata', ledgerCount: number } | { __typename?: 'ChargeMetadata', ledgerCount?: never }) & ({ __typename?: 'ChargeMetadata', transactionsCount: number } | { __typename?: 'ChargeMetadata', transactionsCount?: never }) & ({ __typename?: 'ChargeMetadata', miscExpensesCount: number } | { __typename?: 'ChargeMetadata', miscExpensesCount?: never }) | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null }\n & { ' $fragmentRefs'?: { 'ChargesTableAccountantApprovalFields_DividendCharge_Fragment': ChargesTableAccountantApprovalFields_DividendCharge_Fragment;'ChargesTableAmountFields_DividendCharge_Fragment': ChargesTableAmountFields_DividendCharge_Fragment;'ChargesTableDateFields_DividendCharge_Fragment': ChargesTableDateFields_DividendCharge_Fragment;'ChargesTableDescriptionFields_DividendCharge_Fragment': ChargesTableDescriptionFields_DividendCharge_Fragment;'ChargesTableMoreInfoFields_DividendCharge_Fragment': ChargesTableMoreInfoFields_DividendCharge_Fragment;'ChargesTableTypeFields_DividendCharge_Fragment': ChargesTableTypeFields_DividendCharge_Fragment;'ChargesTableVatFields_DividendCharge_Fragment': ChargesTableVatFields_DividendCharge_Fragment } }\n) & (\n { __typename?: 'DividendCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableBusinessTripFields_DividendCharge_Fragment': Incremental<ChargesTableBusinessTripFields_DividendCharge_Fragment> } }\n) & (\n { __typename?: 'DividendCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableEntityFields_DividendCharge_Fragment': Incremental<ChargesTableEntityFields_DividendCharge_Fragment> } }\n) & (\n { __typename?: 'DividendCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTagsFields_DividendCharge_Fragment': Incremental<ChargesTableTagsFields_DividendCharge_Fragment> } }\n) & (\n { __typename?: 'DividendCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTaxCategoryFields_DividendCharge_Fragment': Incremental<ChargesTableTaxCategoryFields_DividendCharge_Fragment> } }\n) & { ' $fragmentName'?: 'ChargesTableRowFields_DividendCharge_Fragment' };\n\ntype ChargesTableRowFields_FinancialCharge_Fragment = (\n { __typename: 'FinancialCharge', id: string, metadata?: { __typename?: 'ChargeMetadata' } & ({ __typename?: 'ChargeMetadata', documentsCount: number } | { __typename?: 'ChargeMetadata', documentsCount?: never }) & ({ __typename?: 'ChargeMetadata', ledgerCount: number } | { __typename?: 'ChargeMetadata', ledgerCount?: never }) & ({ __typename?: 'ChargeMetadata', transactionsCount: number } | { __typename?: 'ChargeMetadata', transactionsCount?: never }) & ({ __typename?: 'ChargeMetadata', miscExpensesCount: number } | { __typename?: 'ChargeMetadata', miscExpensesCount?: never }) | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null }\n & { ' $fragmentRefs'?: { 'ChargesTableAccountantApprovalFields_FinancialCharge_Fragment': ChargesTableAccountantApprovalFields_FinancialCharge_Fragment;'ChargesTableAmountFields_FinancialCharge_Fragment': ChargesTableAmountFields_FinancialCharge_Fragment;'ChargesTableDateFields_FinancialCharge_Fragment': ChargesTableDateFields_FinancialCharge_Fragment;'ChargesTableDescriptionFields_FinancialCharge_Fragment': ChargesTableDescriptionFields_FinancialCharge_Fragment;'ChargesTableMoreInfoFields_FinancialCharge_Fragment': ChargesTableMoreInfoFields_FinancialCharge_Fragment;'ChargesTableTypeFields_FinancialCharge_Fragment': ChargesTableTypeFields_FinancialCharge_Fragment;'ChargesTableVatFields_FinancialCharge_Fragment': ChargesTableVatFields_FinancialCharge_Fragment } }\n) & (\n { __typename?: 'FinancialCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableBusinessTripFields_FinancialCharge_Fragment': Incremental<ChargesTableBusinessTripFields_FinancialCharge_Fragment> } }\n) & (\n { __typename?: 'FinancialCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableEntityFields_FinancialCharge_Fragment': Incremental<ChargesTableEntityFields_FinancialCharge_Fragment> } }\n) & (\n { __typename?: 'FinancialCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTagsFields_FinancialCharge_Fragment': Incremental<ChargesTableTagsFields_FinancialCharge_Fragment> } }\n) & (\n { __typename?: 'FinancialCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTaxCategoryFields_FinancialCharge_Fragment': Incremental<ChargesTableTaxCategoryFields_FinancialCharge_Fragment> } }\n) & { ' $fragmentName'?: 'ChargesTableRowFields_FinancialCharge_Fragment' };\n\ntype ChargesTableRowFields_ForeignSecuritiesCharge_Fragment = (\n { __typename: 'ForeignSecuritiesCharge', id: string, metadata?: { __typename?: 'ChargeMetadata' } & ({ __typename?: 'ChargeMetadata', documentsCount: number } | { __typename?: 'ChargeMetadata', documentsCount?: never }) & ({ __typename?: 'ChargeMetadata', ledgerCount: number } | { __typename?: 'ChargeMetadata', ledgerCount?: never }) & ({ __typename?: 'ChargeMetadata', transactionsCount: number } | { __typename?: 'ChargeMetadata', transactionsCount?: never }) & ({ __typename?: 'ChargeMetadata', miscExpensesCount: number } | { __typename?: 'ChargeMetadata', miscExpensesCount?: never }) | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null }\n & { ' $fragmentRefs'?: { 'ChargesTableAccountantApprovalFields_ForeignSecuritiesCharge_Fragment': ChargesTableAccountantApprovalFields_ForeignSecuritiesCharge_Fragment;'ChargesTableAmountFields_ForeignSecuritiesCharge_Fragment': ChargesTableAmountFields_ForeignSecuritiesCharge_Fragment;'ChargesTableDateFields_ForeignSecuritiesCharge_Fragment': ChargesTableDateFields_ForeignSecuritiesCharge_Fragment;'ChargesTableDescriptionFields_ForeignSecuritiesCharge_Fragment': ChargesTableDescriptionFields_ForeignSecuritiesCharge_Fragment;'ChargesTableMoreInfoFields_ForeignSecuritiesCharge_Fragment': ChargesTableMoreInfoFields_ForeignSecuritiesCharge_Fragment;'ChargesTableTypeFields_ForeignSecuritiesCharge_Fragment': ChargesTableTypeFields_ForeignSecuritiesCharge_Fragment;'ChargesTableVatFields_ForeignSecuritiesCharge_Fragment': ChargesTableVatFields_ForeignSecuritiesCharge_Fragment } }\n) & (\n { __typename?: 'ForeignSecuritiesCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableBusinessTripFields_ForeignSecuritiesCharge_Fragment': Incremental<ChargesTableBusinessTripFields_ForeignSecuritiesCharge_Fragment> } }\n) & (\n { __typename?: 'ForeignSecuritiesCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableEntityFields_ForeignSecuritiesCharge_Fragment': Incremental<ChargesTableEntityFields_ForeignSecuritiesCharge_Fragment> } }\n) & (\n { __typename?: 'ForeignSecuritiesCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTagsFields_ForeignSecuritiesCharge_Fragment': Incremental<ChargesTableTagsFields_ForeignSecuritiesCharge_Fragment> } }\n) & (\n { __typename?: 'ForeignSecuritiesCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTaxCategoryFields_ForeignSecuritiesCharge_Fragment': Incremental<ChargesTableTaxCategoryFields_ForeignSecuritiesCharge_Fragment> } }\n) & { ' $fragmentName'?: 'ChargesTableRowFields_ForeignSecuritiesCharge_Fragment' };\n\ntype ChargesTableRowFields_InternalTransferCharge_Fragment = (\n { __typename: 'InternalTransferCharge', id: string, metadata?: { __typename?: 'ChargeMetadata' } & ({ __typename?: 'ChargeMetadata', documentsCount: number } | { __typename?: 'ChargeMetadata', documentsCount?: never }) & ({ __typename?: 'ChargeMetadata', ledgerCount: number } | { __typename?: 'ChargeMetadata', ledgerCount?: never }) & ({ __typename?: 'ChargeMetadata', transactionsCount: number } | { __typename?: 'ChargeMetadata', transactionsCount?: never }) & ({ __typename?: 'ChargeMetadata', miscExpensesCount: number } | { __typename?: 'ChargeMetadata', miscExpensesCount?: never }) | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null }\n & { ' $fragmentRefs'?: { 'ChargesTableAccountantApprovalFields_InternalTransferCharge_Fragment': ChargesTableAccountantApprovalFields_InternalTransferCharge_Fragment;'ChargesTableAmountFields_InternalTransferCharge_Fragment': ChargesTableAmountFields_InternalTransferCharge_Fragment;'ChargesTableDateFields_InternalTransferCharge_Fragment': ChargesTableDateFields_InternalTransferCharge_Fragment;'ChargesTableDescriptionFields_InternalTransferCharge_Fragment': ChargesTableDescriptionFields_InternalTransferCharge_Fragment;'ChargesTableMoreInfoFields_InternalTransferCharge_Fragment': ChargesTableMoreInfoFields_InternalTransferCharge_Fragment;'ChargesTableTypeFields_InternalTransferCharge_Fragment': ChargesTableTypeFields_InternalTransferCharge_Fragment;'ChargesTableVatFields_InternalTransferCharge_Fragment': ChargesTableVatFields_InternalTransferCharge_Fragment } }\n) & (\n { __typename?: 'InternalTransferCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableBusinessTripFields_InternalTransferCharge_Fragment': Incremental<ChargesTableBusinessTripFields_InternalTransferCharge_Fragment> } }\n) & (\n { __typename?: 'InternalTransferCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableEntityFields_InternalTransferCharge_Fragment': Incremental<ChargesTableEntityFields_InternalTransferCharge_Fragment> } }\n) & (\n { __typename?: 'InternalTransferCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTagsFields_InternalTransferCharge_Fragment': Incremental<ChargesTableTagsFields_InternalTransferCharge_Fragment> } }\n) & (\n { __typename?: 'InternalTransferCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTaxCategoryFields_InternalTransferCharge_Fragment': Incremental<ChargesTableTaxCategoryFields_InternalTransferCharge_Fragment> } }\n) & { ' $fragmentName'?: 'ChargesTableRowFields_InternalTransferCharge_Fragment' };\n\ntype ChargesTableRowFields_MonthlyVatCharge_Fragment = (\n { __typename: 'MonthlyVatCharge', id: string, metadata?: { __typename?: 'ChargeMetadata' } & ({ __typename?: 'ChargeMetadata', documentsCount: number } | { __typename?: 'ChargeMetadata', documentsCount?: never }) & ({ __typename?: 'ChargeMetadata', ledgerCount: number } | { __typename?: 'ChargeMetadata', ledgerCount?: never }) & ({ __typename?: 'ChargeMetadata', transactionsCount: number } | { __typename?: 'ChargeMetadata', transactionsCount?: never }) & ({ __typename?: 'ChargeMetadata', miscExpensesCount: number } | { __typename?: 'ChargeMetadata', miscExpensesCount?: never }) | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null }\n & { ' $fragmentRefs'?: { 'ChargesTableAccountantApprovalFields_MonthlyVatCharge_Fragment': ChargesTableAccountantApprovalFields_MonthlyVatCharge_Fragment;'ChargesTableAmountFields_MonthlyVatCharge_Fragment': ChargesTableAmountFields_MonthlyVatCharge_Fragment;'ChargesTableDateFields_MonthlyVatCharge_Fragment': ChargesTableDateFields_MonthlyVatCharge_Fragment;'ChargesTableDescriptionFields_MonthlyVatCharge_Fragment': ChargesTableDescriptionFields_MonthlyVatCharge_Fragment;'ChargesTableMoreInfoFields_MonthlyVatCharge_Fragment': ChargesTableMoreInfoFields_MonthlyVatCharge_Fragment;'ChargesTableTypeFields_MonthlyVatCharge_Fragment': ChargesTableTypeFields_MonthlyVatCharge_Fragment;'ChargesTableVatFields_MonthlyVatCharge_Fragment': ChargesTableVatFields_MonthlyVatCharge_Fragment } }\n) & (\n { __typename?: 'MonthlyVatCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableBusinessTripFields_MonthlyVatCharge_Fragment': Incremental<ChargesTableBusinessTripFields_MonthlyVatCharge_Fragment> } }\n) & (\n { __typename?: 'MonthlyVatCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableEntityFields_MonthlyVatCharge_Fragment': Incremental<ChargesTableEntityFields_MonthlyVatCharge_Fragment> } }\n) & (\n { __typename?: 'MonthlyVatCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTagsFields_MonthlyVatCharge_Fragment': Incremental<ChargesTableTagsFields_MonthlyVatCharge_Fragment> } }\n) & (\n { __typename?: 'MonthlyVatCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTaxCategoryFields_MonthlyVatCharge_Fragment': Incremental<ChargesTableTaxCategoryFields_MonthlyVatCharge_Fragment> } }\n) & { ' $fragmentName'?: 'ChargesTableRowFields_MonthlyVatCharge_Fragment' };\n\ntype ChargesTableRowFields_SalaryCharge_Fragment = (\n { __typename: 'SalaryCharge', id: string, metadata?: { __typename?: 'ChargeMetadata' } & ({ __typename?: 'ChargeMetadata', documentsCount: number } | { __typename?: 'ChargeMetadata', documentsCount?: never }) & ({ __typename?: 'ChargeMetadata', ledgerCount: number } | { __typename?: 'ChargeMetadata', ledgerCount?: never }) & ({ __typename?: 'ChargeMetadata', transactionsCount: number } | { __typename?: 'ChargeMetadata', transactionsCount?: never }) & ({ __typename?: 'ChargeMetadata', miscExpensesCount: number } | { __typename?: 'ChargeMetadata', miscExpensesCount?: never }) | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number } | null }\n & { ' $fragmentRefs'?: { 'ChargesTableAccountantApprovalFields_SalaryCharge_Fragment': ChargesTableAccountantApprovalFields_SalaryCharge_Fragment;'ChargesTableAmountFields_SalaryCharge_Fragment': ChargesTableAmountFields_SalaryCharge_Fragment;'ChargesTableDateFields_SalaryCharge_Fragment': ChargesTableDateFields_SalaryCharge_Fragment;'ChargesTableDescriptionFields_SalaryCharge_Fragment': ChargesTableDescriptionFields_SalaryCharge_Fragment;'ChargesTableMoreInfoFields_SalaryCharge_Fragment': ChargesTableMoreInfoFields_SalaryCharge_Fragment;'ChargesTableTypeFields_SalaryCharge_Fragment': ChargesTableTypeFields_SalaryCharge_Fragment;'ChargesTableVatFields_SalaryCharge_Fragment': ChargesTableVatFields_SalaryCharge_Fragment } }\n) & (\n { __typename?: 'SalaryCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableBusinessTripFields_SalaryCharge_Fragment': Incremental<ChargesTableBusinessTripFields_SalaryCharge_Fragment> } }\n) & (\n { __typename?: 'SalaryCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableEntityFields_SalaryCharge_Fragment': Incremental<ChargesTableEntityFields_SalaryCharge_Fragment> } }\n) & (\n { __typename?: 'SalaryCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTagsFields_SalaryCharge_Fragment': Incremental<ChargesTableTagsFields_SalaryCharge_Fragment> } }\n) & (\n { __typename?: 'SalaryCharge' }\n & { ' $fragmentRefs'?: { 'ChargesTableTaxCategoryFields_SalaryCharge_Fragment': Incremental<ChargesTableTaxCategoryFields_SalaryCharge_Fragment> } }\n) & { ' $fragmentName'?: 'ChargesTableRowFields_SalaryCharge_Fragment' };\n\nexport type ChargesTableRowFieldsFragment =\n | ChargesTableRowFields_BankDepositCharge_Fragment\n | ChargesTableRowFields_BusinessTripCharge_Fragment\n | ChargesTableRowFields_CommonCharge_Fragment\n | ChargesTableRowFields_ConversionCharge_Fragment\n | ChargesTableRowFields_CreditcardBankCharge_Fragment\n | ChargesTableRowFields_DividendCharge_Fragment\n | ChargesTableRowFields_FinancialCharge_Fragment\n | ChargesTableRowFields_ForeignSecuritiesCharge_Fragment\n | ChargesTableRowFields_InternalTransferCharge_Fragment\n | ChargesTableRowFields_MonthlyVatCharge_Fragment\n | ChargesTableRowFields_SalaryCharge_Fragment\n;\n\nexport type ChargeForRowQueryVariables = Exact<{\n chargeId: Scalars['UUID']['input'];\n}>;\n\n\nexport type ChargeForRowQuery = { __typename?: 'Query', charge:\n | (\n { __typename?: 'BankDepositCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_BankDepositCharge_Fragment': ChargesTableRowFields_BankDepositCharge_Fragment } }\n )\n | (\n { __typename?: 'BusinessTripCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_BusinessTripCharge_Fragment': ChargesTableRowFields_BusinessTripCharge_Fragment } }\n )\n | (\n { __typename?: 'CommonCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_CommonCharge_Fragment': ChargesTableRowFields_CommonCharge_Fragment } }\n )\n | (\n { __typename?: 'ConversionCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_ConversionCharge_Fragment': ChargesTableRowFields_ConversionCharge_Fragment } }\n )\n | (\n { __typename?: 'CreditcardBankCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_CreditcardBankCharge_Fragment': ChargesTableRowFields_CreditcardBankCharge_Fragment } }\n )\n | (\n { __typename?: 'DividendCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_DividendCharge_Fragment': ChargesTableRowFields_DividendCharge_Fragment } }\n )\n | (\n { __typename?: 'FinancialCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_FinancialCharge_Fragment': ChargesTableRowFields_FinancialCharge_Fragment } }\n )\n | (\n { __typename?: 'ForeignSecuritiesCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_ForeignSecuritiesCharge_Fragment': ChargesTableRowFields_ForeignSecuritiesCharge_Fragment } }\n )\n | (\n { __typename?: 'InternalTransferCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_InternalTransferCharge_Fragment': ChargesTableRowFields_InternalTransferCharge_Fragment } }\n )\n | (\n { __typename?: 'MonthlyVatCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_MonthlyVatCharge_Fragment': ChargesTableRowFields_MonthlyVatCharge_Fragment } }\n )\n | (\n { __typename?: 'SalaryCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_SalaryCharge_Fragment': ChargesTableRowFields_SalaryCharge_Fragment } }\n )\n };\n\ntype ChargesTableFields_BankDepositCharge_Fragment = (\n { __typename?: 'BankDepositCharge', id: string, owner:\n | { __typename?: 'LtdFinancialEntity', id: string }\n | { __typename?: 'PersonalFinancialEntity', id: string }\n }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_BankDepositCharge_Fragment': ChargesTableRowFields_BankDepositCharge_Fragment } }\n) & { ' $fragmentName'?: 'ChargesTableFields_BankDepositCharge_Fragment' };\n\ntype ChargesTableFields_BusinessTripCharge_Fragment = (\n { __typename?: 'BusinessTripCharge', id: string, owner:\n | { __typename?: 'LtdFinancialEntity', id: string }\n | { __typename?: 'PersonalFinancialEntity', id: string }\n }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_BusinessTripCharge_Fragment': ChargesTableRowFields_BusinessTripCharge_Fragment } }\n) & { ' $fragmentName'?: 'ChargesTableFields_BusinessTripCharge_Fragment' };\n\ntype ChargesTableFields_CommonCharge_Fragment = (\n { __typename?: 'CommonCharge', id: string, owner:\n | { __typename?: 'LtdFinancialEntity', id: string }\n | { __typename?: 'PersonalFinancialEntity', id: string }\n }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_CommonCharge_Fragment': ChargesTableRowFields_CommonCharge_Fragment } }\n) & { ' $fragmentName'?: 'ChargesTableFields_CommonCharge_Fragment' };\n\ntype ChargesTableFields_ConversionCharge_Fragment = (\n { __typename?: 'ConversionCharge', id: string, owner:\n | { __typename?: 'LtdFinancialEntity', id: string }\n | { __typename?: 'PersonalFinancialEntity', id: string }\n }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_ConversionCharge_Fragment': ChargesTableRowFields_ConversionCharge_Fragment } }\n) & { ' $fragmentName'?: 'ChargesTableFields_ConversionCharge_Fragment' };\n\ntype ChargesTableFields_CreditcardBankCharge_Fragment = (\n { __typename?: 'CreditcardBankCharge', id: string, owner:\n | { __typename?: 'LtdFinancialEntity', id: string }\n | { __typename?: 'PersonalFinancialEntity', id: string }\n }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_CreditcardBankCharge_Fragment': ChargesTableRowFields_CreditcardBankCharge_Fragment } }\n) & { ' $fragmentName'?: 'ChargesTableFields_CreditcardBankCharge_Fragment' };\n\ntype ChargesTableFields_DividendCharge_Fragment = (\n { __typename?: 'DividendCharge', id: string, owner:\n | { __typename?: 'LtdFinancialEntity', id: string }\n | { __typename?: 'PersonalFinancialEntity', id: string }\n }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_DividendCharge_Fragment': ChargesTableRowFields_DividendCharge_Fragment } }\n) & { ' $fragmentName'?: 'ChargesTableFields_DividendCharge_Fragment' };\n\ntype ChargesTableFields_FinancialCharge_Fragment = (\n { __typename?: 'FinancialCharge', id: string, owner:\n | { __typename?: 'LtdFinancialEntity', id: string }\n | { __typename?: 'PersonalFinancialEntity', id: string }\n }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_FinancialCharge_Fragment': ChargesTableRowFields_FinancialCharge_Fragment } }\n) & { ' $fragmentName'?: 'ChargesTableFields_FinancialCharge_Fragment' };\n\ntype ChargesTableFields_ForeignSecuritiesCharge_Fragment = (\n { __typename?: 'ForeignSecuritiesCharge', id: string, owner:\n | { __typename?: 'LtdFinancialEntity', id: string }\n | { __typename?: 'PersonalFinancialEntity', id: string }\n }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_ForeignSecuritiesCharge_Fragment': ChargesTableRowFields_ForeignSecuritiesCharge_Fragment } }\n) & { ' $fragmentName'?: 'ChargesTableFields_ForeignSecuritiesCharge_Fragment' };\n\ntype ChargesTableFields_InternalTransferCharge_Fragment = (\n { __typename?: 'InternalTransferCharge', id: string, owner:\n | { __typename?: 'LtdFinancialEntity', id: string }\n | { __typename?: 'PersonalFinancialEntity', id: string }\n }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_InternalTransferCharge_Fragment': ChargesTableRowFields_InternalTransferCharge_Fragment } }\n) & { ' $fragmentName'?: 'ChargesTableFields_InternalTransferCharge_Fragment' };\n\ntype ChargesTableFields_MonthlyVatCharge_Fragment = (\n { __typename?: 'MonthlyVatCharge', id: string, owner:\n | { __typename?: 'LtdFinancialEntity', id: string }\n | { __typename?: 'PersonalFinancialEntity', id: string }\n }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_MonthlyVatCharge_Fragment': ChargesTableRowFields_MonthlyVatCharge_Fragment } }\n) & { ' $fragmentName'?: 'ChargesTableFields_MonthlyVatCharge_Fragment' };\n\ntype ChargesTableFields_SalaryCharge_Fragment = (\n { __typename?: 'SalaryCharge', id: string, owner:\n | { __typename?: 'LtdFinancialEntity', id: string }\n | { __typename?: 'PersonalFinancialEntity', id: string }\n }\n & { ' $fragmentRefs'?: { 'ChargesTableRowFields_SalaryCharge_Fragment': ChargesTableRowFields_SalaryCharge_Fragment } }\n) & { ' $fragmentName'?: 'ChargesTableFields_SalaryCharge_Fragment' };\n\nexport type ChargesTableFieldsFragment =\n | ChargesTableFields_BankDepositCharge_Fragment\n | ChargesTableFields_BusinessTripCharge_Fragment\n | ChargesTableFields_CommonCharge_Fragment\n | ChargesTableFields_ConversionCharge_Fragment\n | ChargesTableFields_CreditcardBankCharge_Fragment\n | ChargesTableFields_DividendCharge_Fragment\n | ChargesTableFields_FinancialCharge_Fragment\n | ChargesTableFields_ForeignSecuritiesCharge_Fragment\n | ChargesTableFields_InternalTransferCharge_Fragment\n | ChargesTableFields_MonthlyVatCharge_Fragment\n | ChargesTableFields_SalaryCharge_Fragment\n;\n\nexport type BankDepositInfoQueryVariables = Exact<{\n chargeId: Scalars['UUID']['input'];\n}>;\n\n\nexport type BankDepositInfoQuery = { __typename?: 'Query', depositByCharge?: { __typename?: 'BankDeposit', id: string, isOpen: boolean, currentBalance: { __typename?: 'FinancialAmount', formatted: string }, transactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string, chargeId: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string, chargeId: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n > } | null };\n\nexport type ChargeTransactionIdsQueryVariables = Exact<{\n chargeId: Scalars['UUID']['input'];\n}>;\n\n\nexport type ChargeTransactionIdsQuery = { __typename?: 'Query', charge:\n | { __typename?: 'BankDepositCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string }\n | { __typename?: 'ConversionTransaction', id: string }\n > }\n | { __typename?: 'BusinessTripCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string }\n | { __typename?: 'ConversionTransaction', id: string }\n > }\n | { __typename?: 'CommonCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string }\n | { __typename?: 'ConversionTransaction', id: string }\n > }\n | { __typename?: 'ConversionCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string }\n | { __typename?: 'ConversionTransaction', id: string }\n > }\n | { __typename?: 'CreditcardBankCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string }\n | { __typename?: 'ConversionTransaction', id: string }\n > }\n | { __typename?: 'DividendCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string }\n | { __typename?: 'ConversionTransaction', id: string }\n > }\n | { __typename?: 'FinancialCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string }\n | { __typename?: 'ConversionTransaction', id: string }\n > }\n | { __typename?: 'ForeignSecuritiesCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string }\n | { __typename?: 'ConversionTransaction', id: string }\n > }\n | { __typename?: 'InternalTransferCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string }\n | { __typename?: 'ConversionTransaction', id: string }\n > }\n | { __typename?: 'MonthlyVatCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string }\n | { __typename?: 'ConversionTransaction', id: string }\n > }\n | { __typename?: 'SalaryCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string }\n | { __typename?: 'ConversionTransaction', id: string }\n > }\n };\n\nexport type ChargeMatchesQueryVariables = Exact<{\n chargeId: Scalars['UUID']['input'];\n}>;\n\n\nexport type ChargeMatchesQuery = { __typename?: 'Query', findChargeMatches: { __typename?: 'ChargeMatchesResult', matches: Array<(\n { __typename?: 'ChargeMatch', chargeId: string }\n & { ' $fragmentRefs'?: { 'ChargeMatchesTableFieldsFragment': ChargeMatchesTableFieldsFragment } }\n )> } };\n\ntype ConversionChargeInfo_BankDepositCharge_Fragment = { __typename: 'BankDepositCharge', id: string } & { ' $fragmentName'?: 'ConversionChargeInfo_BankDepositCharge_Fragment' };\n\ntype ConversionChargeInfo_BusinessTripCharge_Fragment = { __typename: 'BusinessTripCharge', id: string } & { ' $fragmentName'?: 'ConversionChargeInfo_BusinessTripCharge_Fragment' };\n\ntype ConversionChargeInfo_CommonCharge_Fragment = { __typename: 'CommonCharge', id: string } & { ' $fragmentName'?: 'ConversionChargeInfo_CommonCharge_Fragment' };\n\ntype ConversionChargeInfo_ConversionCharge_Fragment = { __typename: 'ConversionCharge', id: string, eventRate?: { __typename?: 'ConversionRate', from: Currency, to: Currency, rate: number } | null, officialRate?: { __typename?: 'ConversionRate', from: Currency, to: Currency, rate: number } | null } & { ' $fragmentName'?: 'ConversionChargeInfo_ConversionCharge_Fragment' };\n\ntype ConversionChargeInfo_CreditcardBankCharge_Fragment = { __typename: 'CreditcardBankCharge', id: string } & { ' $fragmentName'?: 'ConversionChargeInfo_CreditcardBankCharge_Fragment' };\n\ntype ConversionChargeInfo_DividendCharge_Fragment = { __typename: 'DividendCharge', id: string } & { ' $fragmentName'?: 'ConversionChargeInfo_DividendCharge_Fragment' };\n\ntype ConversionChargeInfo_FinancialCharge_Fragment = { __typename: 'FinancialCharge', id: string } & { ' $fragmentName'?: 'ConversionChargeInfo_FinancialCharge_Fragment' };\n\ntype ConversionChargeInfo_ForeignSecuritiesCharge_Fragment = { __typename: 'ForeignSecuritiesCharge', id: string } & { ' $fragmentName'?: 'ConversionChargeInfo_ForeignSecuritiesCharge_Fragment' };\n\ntype ConversionChargeInfo_InternalTransferCharge_Fragment = { __typename: 'InternalTransferCharge', id: string } & { ' $fragmentName'?: 'ConversionChargeInfo_InternalTransferCharge_Fragment' };\n\ntype ConversionChargeInfo_MonthlyVatCharge_Fragment = { __typename: 'MonthlyVatCharge', id: string } & { ' $fragmentName'?: 'ConversionChargeInfo_MonthlyVatCharge_Fragment' };\n\ntype ConversionChargeInfo_SalaryCharge_Fragment = { __typename: 'SalaryCharge', id: string } & { ' $fragmentName'?: 'ConversionChargeInfo_SalaryCharge_Fragment' };\n\nexport type ConversionChargeInfoFragment =\n | ConversionChargeInfo_BankDepositCharge_Fragment\n | ConversionChargeInfo_BusinessTripCharge_Fragment\n | ConversionChargeInfo_CommonCharge_Fragment\n | ConversionChargeInfo_ConversionCharge_Fragment\n | ConversionChargeInfo_CreditcardBankCharge_Fragment\n | ConversionChargeInfo_DividendCharge_Fragment\n | ConversionChargeInfo_FinancialCharge_Fragment\n | ConversionChargeInfo_ForeignSecuritiesCharge_Fragment\n | ConversionChargeInfo_InternalTransferCharge_Fragment\n | ConversionChargeInfo_MonthlyVatCharge_Fragment\n | ConversionChargeInfo_SalaryCharge_Fragment\n;\n\ntype CreditcardBankChargeInfo_BankDepositCharge_Fragment = { __typename: 'BankDepositCharge', id: string } & { ' $fragmentName'?: 'CreditcardBankChargeInfo_BankDepositCharge_Fragment' };\n\ntype CreditcardBankChargeInfo_BusinessTripCharge_Fragment = { __typename: 'BusinessTripCharge', id: string } & { ' $fragmentName'?: 'CreditcardBankChargeInfo_BusinessTripCharge_Fragment' };\n\ntype CreditcardBankChargeInfo_CommonCharge_Fragment = { __typename: 'CommonCharge', id: string } & { ' $fragmentName'?: 'CreditcardBankChargeInfo_CommonCharge_Fragment' };\n\ntype CreditcardBankChargeInfo_ConversionCharge_Fragment = { __typename: 'ConversionCharge', id: string } & { ' $fragmentName'?: 'CreditcardBankChargeInfo_ConversionCharge_Fragment' };\n\ntype CreditcardBankChargeInfo_CreditcardBankCharge_Fragment = { __typename: 'CreditcardBankCharge', id: string, creditCardTransactions: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n > } & { ' $fragmentName'?: 'CreditcardBankChargeInfo_CreditcardBankCharge_Fragment' };\n\ntype CreditcardBankChargeInfo_DividendCharge_Fragment = { __typename: 'DividendCharge', id: string } & { ' $fragmentName'?: 'CreditcardBankChargeInfo_DividendCharge_Fragment' };\n\ntype CreditcardBankChargeInfo_FinancialCharge_Fragment = { __typename: 'FinancialCharge', id: string } & { ' $fragmentName'?: 'CreditcardBankChargeInfo_FinancialCharge_Fragment' };\n\ntype CreditcardBankChargeInfo_ForeignSecuritiesCharge_Fragment = { __typename: 'ForeignSecuritiesCharge', id: string } & { ' $fragmentName'?: 'CreditcardBankChargeInfo_ForeignSecuritiesCharge_Fragment' };\n\ntype CreditcardBankChargeInfo_InternalTransferCharge_Fragment = { __typename: 'InternalTransferCharge', id: string } & { ' $fragmentName'?: 'CreditcardBankChargeInfo_InternalTransferCharge_Fragment' };\n\ntype CreditcardBankChargeInfo_MonthlyVatCharge_Fragment = { __typename: 'MonthlyVatCharge', id: string } & { ' $fragmentName'?: 'CreditcardBankChargeInfo_MonthlyVatCharge_Fragment' };\n\ntype CreditcardBankChargeInfo_SalaryCharge_Fragment = { __typename: 'SalaryCharge', id: string } & { ' $fragmentName'?: 'CreditcardBankChargeInfo_SalaryCharge_Fragment' };\n\nexport type CreditcardBankChargeInfoFragment =\n | CreditcardBankChargeInfo_BankDepositCharge_Fragment\n | CreditcardBankChargeInfo_BusinessTripCharge_Fragment\n | CreditcardBankChargeInfo_CommonCharge_Fragment\n | CreditcardBankChargeInfo_ConversionCharge_Fragment\n | CreditcardBankChargeInfo_CreditcardBankCharge_Fragment\n | CreditcardBankChargeInfo_DividendCharge_Fragment\n | CreditcardBankChargeInfo_FinancialCharge_Fragment\n | CreditcardBankChargeInfo_ForeignSecuritiesCharge_Fragment\n | CreditcardBankChargeInfo_InternalTransferCharge_Fragment\n | CreditcardBankChargeInfo_MonthlyVatCharge_Fragment\n | CreditcardBankChargeInfo_SalaryCharge_Fragment\n;\n\ntype ExchangeRatesInfo_BankDepositCharge_Fragment = { __typename: 'BankDepositCharge', id: string } & { ' $fragmentName'?: 'ExchangeRatesInfo_BankDepositCharge_Fragment' };\n\ntype ExchangeRatesInfo_BusinessTripCharge_Fragment = { __typename: 'BusinessTripCharge', id: string } & { ' $fragmentName'?: 'ExchangeRatesInfo_BusinessTripCharge_Fragment' };\n\ntype ExchangeRatesInfo_CommonCharge_Fragment = { __typename: 'CommonCharge', id: string } & { ' $fragmentName'?: 'ExchangeRatesInfo_CommonCharge_Fragment' };\n\ntype ExchangeRatesInfo_ConversionCharge_Fragment = { __typename: 'ConversionCharge', id: string } & { ' $fragmentName'?: 'ExchangeRatesInfo_ConversionCharge_Fragment' };\n\ntype ExchangeRatesInfo_CreditcardBankCharge_Fragment = { __typename: 'CreditcardBankCharge', id: string } & { ' $fragmentName'?: 'ExchangeRatesInfo_CreditcardBankCharge_Fragment' };\n\ntype ExchangeRatesInfo_DividendCharge_Fragment = { __typename: 'DividendCharge', id: string } & { ' $fragmentName'?: 'ExchangeRatesInfo_DividendCharge_Fragment' };\n\ntype ExchangeRatesInfo_FinancialCharge_Fragment = { __typename: 'FinancialCharge', id: string, exchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, ils?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, eth?: number | null, grt?: number | null, usdc?: number | null } | null } & { ' $fragmentName'?: 'ExchangeRatesInfo_FinancialCharge_Fragment' };\n\ntype ExchangeRatesInfo_ForeignSecuritiesCharge_Fragment = { __typename: 'ForeignSecuritiesCharge', id: string } & { ' $fragmentName'?: 'ExchangeRatesInfo_ForeignSecuritiesCharge_Fragment' };\n\ntype ExchangeRatesInfo_InternalTransferCharge_Fragment = { __typename: 'InternalTransferCharge', id: string } & { ' $fragmentName'?: 'ExchangeRatesInfo_InternalTransferCharge_Fragment' };\n\ntype ExchangeRatesInfo_MonthlyVatCharge_Fragment = { __typename: 'MonthlyVatCharge', id: string } & { ' $fragmentName'?: 'ExchangeRatesInfo_MonthlyVatCharge_Fragment' };\n\ntype ExchangeRatesInfo_SalaryCharge_Fragment = { __typename: 'SalaryCharge', id: string } & { ' $fragmentName'?: 'ExchangeRatesInfo_SalaryCharge_Fragment' };\n\nexport type ExchangeRatesInfoFragment =\n | ExchangeRatesInfo_BankDepositCharge_Fragment\n | ExchangeRatesInfo_BusinessTripCharge_Fragment\n | ExchangeRatesInfo_CommonCharge_Fragment\n | ExchangeRatesInfo_ConversionCharge_Fragment\n | ExchangeRatesInfo_CreditcardBankCharge_Fragment\n | ExchangeRatesInfo_DividendCharge_Fragment\n | ExchangeRatesInfo_FinancialCharge_Fragment\n | ExchangeRatesInfo_ForeignSecuritiesCharge_Fragment\n | ExchangeRatesInfo_InternalTransferCharge_Fragment\n | ExchangeRatesInfo_MonthlyVatCharge_Fragment\n | ExchangeRatesInfo_SalaryCharge_Fragment\n;\n\ntype TableMiscExpensesFields_BankDepositCharge_Fragment = { __typename?: 'BankDepositCharge', id: string, miscExpenses: Array<(\n { __typename?: 'MiscExpense', id: string, description?: string | null, invoiceDate: any, valueDate: any, chargeId: string, amount: { __typename?: 'FinancialAmount', formatted: string }, creditor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n , debtor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n }\n & { ' $fragmentRefs'?: { 'EditMiscExpenseFieldsFragment': EditMiscExpenseFieldsFragment } }\n )> } & { ' $fragmentName'?: 'TableMiscExpensesFields_BankDepositCharge_Fragment' };\n\ntype TableMiscExpensesFields_BusinessTripCharge_Fragment = { __typename?: 'BusinessTripCharge', id: string, miscExpenses: Array<(\n { __typename?: 'MiscExpense', id: string, description?: string | null, invoiceDate: any, valueDate: any, chargeId: string, amount: { __typename?: 'FinancialAmount', formatted: string }, creditor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n , debtor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n }\n & { ' $fragmentRefs'?: { 'EditMiscExpenseFieldsFragment': EditMiscExpenseFieldsFragment } }\n )> } & { ' $fragmentName'?: 'TableMiscExpensesFields_BusinessTripCharge_Fragment' };\n\ntype TableMiscExpensesFields_CommonCharge_Fragment = { __typename?: 'CommonCharge', id: string, miscExpenses: Array<(\n { __typename?: 'MiscExpense', id: string, description?: string | null, invoiceDate: any, valueDate: any, chargeId: string, amount: { __typename?: 'FinancialAmount', formatted: string }, creditor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n , debtor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n }\n & { ' $fragmentRefs'?: { 'EditMiscExpenseFieldsFragment': EditMiscExpenseFieldsFragment } }\n )> } & { ' $fragmentName'?: 'TableMiscExpensesFields_CommonCharge_Fragment' };\n\ntype TableMiscExpensesFields_ConversionCharge_Fragment = { __typename?: 'ConversionCharge', id: string, miscExpenses: Array<(\n { __typename?: 'MiscExpense', id: string, description?: string | null, invoiceDate: any, valueDate: any, chargeId: string, amount: { __typename?: 'FinancialAmount', formatted: string }, creditor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n , debtor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n }\n & { ' $fragmentRefs'?: { 'EditMiscExpenseFieldsFragment': EditMiscExpenseFieldsFragment } }\n )> } & { ' $fragmentName'?: 'TableMiscExpensesFields_ConversionCharge_Fragment' };\n\ntype TableMiscExpensesFields_CreditcardBankCharge_Fragment = { __typename?: 'CreditcardBankCharge', id: string, miscExpenses: Array<(\n { __typename?: 'MiscExpense', id: string, description?: string | null, invoiceDate: any, valueDate: any, chargeId: string, amount: { __typename?: 'FinancialAmount', formatted: string }, creditor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n , debtor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n }\n & { ' $fragmentRefs'?: { 'EditMiscExpenseFieldsFragment': EditMiscExpenseFieldsFragment } }\n )> } & { ' $fragmentName'?: 'TableMiscExpensesFields_CreditcardBankCharge_Fragment' };\n\ntype TableMiscExpensesFields_DividendCharge_Fragment = { __typename?: 'DividendCharge', id: string, miscExpenses: Array<(\n { __typename?: 'MiscExpense', id: string, description?: string | null, invoiceDate: any, valueDate: any, chargeId: string, amount: { __typename?: 'FinancialAmount', formatted: string }, creditor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n , debtor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n }\n & { ' $fragmentRefs'?: { 'EditMiscExpenseFieldsFragment': EditMiscExpenseFieldsFragment } }\n )> } & { ' $fragmentName'?: 'TableMiscExpensesFields_DividendCharge_Fragment' };\n\ntype TableMiscExpensesFields_FinancialCharge_Fragment = { __typename?: 'FinancialCharge', id: string, miscExpenses: Array<(\n { __typename?: 'MiscExpense', id: string, description?: string | null, invoiceDate: any, valueDate: any, chargeId: string, amount: { __typename?: 'FinancialAmount', formatted: string }, creditor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n , debtor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n }\n & { ' $fragmentRefs'?: { 'EditMiscExpenseFieldsFragment': EditMiscExpenseFieldsFragment } }\n )> } & { ' $fragmentName'?: 'TableMiscExpensesFields_FinancialCharge_Fragment' };\n\ntype TableMiscExpensesFields_ForeignSecuritiesCharge_Fragment = { __typename?: 'ForeignSecuritiesCharge', id: string, miscExpenses: Array<(\n { __typename?: 'MiscExpense', id: string, description?: string | null, invoiceDate: any, valueDate: any, chargeId: string, amount: { __typename?: 'FinancialAmount', formatted: string }, creditor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n , debtor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n }\n & { ' $fragmentRefs'?: { 'EditMiscExpenseFieldsFragment': EditMiscExpenseFieldsFragment } }\n )> } & { ' $fragmentName'?: 'TableMiscExpensesFields_ForeignSecuritiesCharge_Fragment' };\n\ntype TableMiscExpensesFields_InternalTransferCharge_Fragment = { __typename?: 'InternalTransferCharge', id: string, miscExpenses: Array<(\n { __typename?: 'MiscExpense', id: string, description?: string | null, invoiceDate: any, valueDate: any, chargeId: string, amount: { __typename?: 'FinancialAmount', formatted: string }, creditor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n , debtor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n }\n & { ' $fragmentRefs'?: { 'EditMiscExpenseFieldsFragment': EditMiscExpenseFieldsFragment } }\n )> } & { ' $fragmentName'?: 'TableMiscExpensesFields_InternalTransferCharge_Fragment' };\n\ntype TableMiscExpensesFields_MonthlyVatCharge_Fragment = { __typename?: 'MonthlyVatCharge', id: string, miscExpenses: Array<(\n { __typename?: 'MiscExpense', id: string, description?: string | null, invoiceDate: any, valueDate: any, chargeId: string, amount: { __typename?: 'FinancialAmount', formatted: string }, creditor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n , debtor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n }\n & { ' $fragmentRefs'?: { 'EditMiscExpenseFieldsFragment': EditMiscExpenseFieldsFragment } }\n )> } & { ' $fragmentName'?: 'TableMiscExpensesFields_MonthlyVatCharge_Fragment' };\n\ntype TableMiscExpensesFields_SalaryCharge_Fragment = { __typename?: 'SalaryCharge', id: string, miscExpenses: Array<(\n { __typename?: 'MiscExpense', id: string, description?: string | null, invoiceDate: any, valueDate: any, chargeId: string, amount: { __typename?: 'FinancialAmount', formatted: string }, creditor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n , debtor:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n }\n & { ' $fragmentRefs'?: { 'EditMiscExpenseFieldsFragment': EditMiscExpenseFieldsFragment } }\n )> } & { ' $fragmentName'?: 'TableMiscExpensesFields_SalaryCharge_Fragment' };\n\nexport type TableMiscExpensesFieldsFragment =\n | TableMiscExpensesFields_BankDepositCharge_Fragment\n | TableMiscExpensesFields_BusinessTripCharge_Fragment\n | TableMiscExpensesFields_CommonCharge_Fragment\n | TableMiscExpensesFields_ConversionCharge_Fragment\n | TableMiscExpensesFields_CreditcardBankCharge_Fragment\n | TableMiscExpensesFields_DividendCharge_Fragment\n | TableMiscExpensesFields_FinancialCharge_Fragment\n | TableMiscExpensesFields_ForeignSecuritiesCharge_Fragment\n | TableMiscExpensesFields_InternalTransferCharge_Fragment\n | TableMiscExpensesFields_MonthlyVatCharge_Fragment\n | TableMiscExpensesFields_SalaryCharge_Fragment\n;\n\ntype TableSalariesFields_BankDepositCharge_Fragment = { __typename: 'BankDepositCharge', id: string } & { ' $fragmentName'?: 'TableSalariesFields_BankDepositCharge_Fragment' };\n\ntype TableSalariesFields_BusinessTripCharge_Fragment = { __typename: 'BusinessTripCharge', id: string } & { ' $fragmentName'?: 'TableSalariesFields_BusinessTripCharge_Fragment' };\n\ntype TableSalariesFields_CommonCharge_Fragment = { __typename: 'CommonCharge', id: string } & { ' $fragmentName'?: 'TableSalariesFields_CommonCharge_Fragment' };\n\ntype TableSalariesFields_ConversionCharge_Fragment = { __typename: 'ConversionCharge', id: string } & { ' $fragmentName'?: 'TableSalariesFields_ConversionCharge_Fragment' };\n\ntype TableSalariesFields_CreditcardBankCharge_Fragment = { __typename: 'CreditcardBankCharge', id: string } & { ' $fragmentName'?: 'TableSalariesFields_CreditcardBankCharge_Fragment' };\n\ntype TableSalariesFields_DividendCharge_Fragment = { __typename: 'DividendCharge', id: string } & { ' $fragmentName'?: 'TableSalariesFields_DividendCharge_Fragment' };\n\ntype TableSalariesFields_FinancialCharge_Fragment = { __typename: 'FinancialCharge', id: string } & { ' $fragmentName'?: 'TableSalariesFields_FinancialCharge_Fragment' };\n\ntype TableSalariesFields_ForeignSecuritiesCharge_Fragment = { __typename: 'ForeignSecuritiesCharge', id: string } & { ' $fragmentName'?: 'TableSalariesFields_ForeignSecuritiesCharge_Fragment' };\n\ntype TableSalariesFields_InternalTransferCharge_Fragment = { __typename: 'InternalTransferCharge', id: string } & { ' $fragmentName'?: 'TableSalariesFields_InternalTransferCharge_Fragment' };\n\ntype TableSalariesFields_MonthlyVatCharge_Fragment = { __typename: 'MonthlyVatCharge', id: string } & { ' $fragmentName'?: 'TableSalariesFields_MonthlyVatCharge_Fragment' };\n\ntype TableSalariesFields_SalaryCharge_Fragment = { __typename: 'SalaryCharge', id: string, salaryRecords: Array<{ __typename?: 'Salary', directAmount: { __typename?: 'FinancialAmount', formatted: string }, baseAmount?: { __typename?: 'FinancialAmount', formatted: string } | null, employee?: { __typename?: 'LtdFinancialEntity', id: string, name: string } | null, pensionFund?: { __typename?: 'LtdFinancialEntity', id: string, name: string } | null, pensionEmployeeAmount?: { __typename?: 'FinancialAmount', formatted: string } | null, pensionEmployerAmount?: { __typename?: 'FinancialAmount', formatted: string } | null, compensationsAmount?: { __typename?: 'FinancialAmount', formatted: string } | null, trainingFund?: { __typename?: 'LtdFinancialEntity', id: string, name: string } | null, trainingFundEmployeeAmount?: { __typename?: 'FinancialAmount', formatted: string } | null, trainingFundEmployerAmount?: { __typename?: 'FinancialAmount', formatted: string } | null, socialSecurityEmployeeAmount?: { __typename?: 'FinancialAmount', formatted: string } | null, socialSecurityEmployerAmount?: { __typename?: 'FinancialAmount', formatted: string } | null, incomeTaxAmount?: { __typename?: 'FinancialAmount', formatted: string } | null, healthInsuranceAmount?: { __typename?: 'FinancialAmount', formatted: string } | null }> } & { ' $fragmentName'?: 'TableSalariesFields_SalaryCharge_Fragment' };\n\nexport type TableSalariesFieldsFragment =\n | TableSalariesFields_BankDepositCharge_Fragment\n | TableSalariesFields_BusinessTripCharge_Fragment\n | TableSalariesFields_CommonCharge_Fragment\n | TableSalariesFields_ConversionCharge_Fragment\n | TableSalariesFields_CreditcardBankCharge_Fragment\n | TableSalariesFields_DividendCharge_Fragment\n | TableSalariesFields_FinancialCharge_Fragment\n | TableSalariesFields_ForeignSecuritiesCharge_Fragment\n | TableSalariesFields_InternalTransferCharge_Fragment\n | TableSalariesFields_MonthlyVatCharge_Fragment\n | TableSalariesFields_SalaryCharge_Fragment\n;\n\nexport type IncomeChargesChartQueryVariables = Exact<{\n filters?: InputMaybe<ChargeFilter>;\n}>;\n\n\nexport type IncomeChargesChartQuery = { __typename?: 'Query', allCharges: { __typename?: 'PaginatedCharges', nodes: Array<\n | { __typename?: 'BankDepositCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, effectiveDate?: any | null, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, effectiveDate: any, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n > }\n | { __typename?: 'BusinessTripCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, effectiveDate?: any | null, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, effectiveDate: any, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n > }\n | { __typename?: 'CommonCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, effectiveDate?: any | null, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, effectiveDate: any, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n > }\n | { __typename?: 'ConversionCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, effectiveDate?: any | null, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, effectiveDate: any, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n > }\n | { __typename?: 'CreditcardBankCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, effectiveDate?: any | null, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, effectiveDate: any, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n > }\n | { __typename?: 'DividendCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, effectiveDate?: any | null, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, effectiveDate: any, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n > }\n | { __typename?: 'FinancialCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, effectiveDate?: any | null, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, effectiveDate: any, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n > }\n | { __typename?: 'ForeignSecuritiesCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, effectiveDate?: any | null, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, effectiveDate: any, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n > }\n | { __typename?: 'InternalTransferCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, effectiveDate?: any | null, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, effectiveDate: any, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n > }\n | { __typename?: 'MonthlyVatCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, effectiveDate?: any | null, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, effectiveDate: any, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n > }\n | { __typename?: 'SalaryCharge', id: string, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, effectiveDate?: any | null, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, effectiveDate: any, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, eventExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null, debitExchangeRates?: { __typename?: 'ExchangeRates', aud?: number | null, cad?: number | null, eur?: number | null, gbp?: number | null, jpy?: number | null, sek?: number | null, usd?: number | null, date: any } | null }\n > }\n > } };\n\nexport type MonthlyIncomeExpenseChartInfoFragment = { __typename?: 'IncomeExpenseChart', monthlyData: Array<{ __typename?: 'IncomeExpenseChartMonthData', date: any, income: { __typename?: 'FinancialAmount', formatted: string, raw: number }, expense: { __typename?: 'FinancialAmount', formatted: string, raw: number }, balance: { __typename?: 'FinancialAmount', formatted: string, raw: number } }> } & { ' $fragmentName'?: 'MonthlyIncomeExpenseChartInfoFragment' };\n\nexport type MonthlyIncomeExpenseChartQueryVariables = Exact<{\n filters: IncomeExpenseChartFilters;\n}>;\n\n\nexport type MonthlyIncomeExpenseChartQuery = { __typename?: 'Query', incomeExpenseChart: (\n { __typename?: 'IncomeExpenseChart', fromDate: any, toDate: any, currency: Currency }\n & { ' $fragmentRefs'?: { 'MonthlyIncomeExpenseChartInfoFragment': MonthlyIncomeExpenseChartInfoFragment } }\n ) };\n\nexport type ContractsEditModalQueryVariables = Exact<{\n contractId: Scalars['UUID']['input'];\n}>;\n\n\nexport type ContractsEditModalQuery = { __typename?: 'Query', contractsById: { __typename?: 'Contract', id: string, startDate: any, endDate: any, purchaseOrders: Array<string>, product?: Product | null, msCloud?: any | null, billingCycle: BillingCycle, plan?: SubscriptionPlan | null, isActive: boolean, remarks?: string | null, documentType: DocumentType, operationsLimit: any, amount: { __typename?: 'FinancialAmount', raw: number, currency: Currency } } };\n\nexport type BusinessTripReportFieldsFragment = (\n { __typename?: 'BusinessTrip', id: string }\n & { ' $fragmentRefs'?: { 'BusinessTripReportHeaderFieldsFragment': BusinessTripReportHeaderFieldsFragment;'BusinessTripReportSummaryFieldsFragment': BusinessTripReportSummaryFieldsFragment } }\n) & { ' $fragmentName'?: 'BusinessTripReportFieldsFragment' };\n\nexport type BusinessTripAccountantApprovalFieldsFragment = { __typename?: 'BusinessTrip', id: string, accountantApproval: AccountantStatus } & { ' $fragmentName'?: 'BusinessTripAccountantApprovalFieldsFragment' };\n\nexport type UncategorizedTransactionsByBusinessTripQueryVariables = Exact<{\n businessTripId: Scalars['UUID']['input'];\n}>;\n\n\nexport type UncategorizedTransactionsByBusinessTripQuery = { __typename?: 'Query', businessTrip?: { __typename?: 'BusinessTrip', id: string, uncategorizedTransactions: Array<{ __typename?: 'UncategorizedTransaction', transaction:\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, referenceKey?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, amount: { __typename?: 'FinancialAmount', formatted: string, raw: number } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, referenceKey?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, amount: { __typename?: 'FinancialAmount', formatted: string, raw: number } }\n } | null> } | null };\n\nexport type BusinessTripReportAccommodationsRowFieldsFragment = (\n { __typename?: 'BusinessTripAccommodationExpense', id: string, payedByEmployee?: boolean | null, nightsCount?: number | null, country?: { __typename?: 'Country', id: string, name: string } | null, attendeesStay: Array<{ __typename?: 'BusinessTripAttendeeStay', id: string, nightsCount: number, attendee: { __typename?: 'BusinessTripAttendee', id: string, name: string } }> }\n & { ' $fragmentRefs'?: { 'BusinessTripReportCoreExpenseRowFields_BusinessTripAccommodationExpense_Fragment': BusinessTripReportCoreExpenseRowFields_BusinessTripAccommodationExpense_Fragment } }\n) & { ' $fragmentName'?: 'BusinessTripReportAccommodationsRowFieldsFragment' };\n\nexport type BusinessTripReportAccommodationsTableFieldsFragment = (\n { __typename?: 'BusinessTripAccommodationExpense', id: string, date?: any | null }\n & { ' $fragmentRefs'?: { 'BusinessTripReportAccommodationsRowFieldsFragment': BusinessTripReportAccommodationsRowFieldsFragment } }\n) & { ' $fragmentName'?: 'BusinessTripReportAccommodationsTableFieldsFragment' };\n\nexport type BusinessTripReportAccommodationsFieldsFragment = { __typename?: 'BusinessTrip', id: string, accommodationExpenses: Array<(\n { __typename?: 'BusinessTripAccommodationExpense', id: string }\n & { ' $fragmentRefs'?: { 'BusinessTripReportAccommodationsTableFieldsFragment': BusinessTripReportAccommodationsTableFieldsFragment } }\n )> } & { ' $fragmentName'?: 'BusinessTripReportAccommodationsFieldsFragment' };\n\nexport type BusinessTripReportAttendeeRowFieldsFragment = { __typename?: 'BusinessTripAttendee', id: string, name: string, arrivalDate?: any | null, departureDate?: any | null, flights: Array<(\n { __typename?: 'BusinessTripFlightExpense', id: string }\n & { ' $fragmentRefs'?: { 'BusinessTripReportFlightsTableFieldsFragment': BusinessTripReportFlightsTableFieldsFragment } }\n )>, accommodations: Array<(\n { __typename?: 'BusinessTripAccommodationExpense', id: string }\n & { ' $fragmentRefs'?: { 'BusinessTripReportAccommodationsTableFieldsFragment': BusinessTripReportAccommodationsTableFieldsFragment } }\n )> } & { ' $fragmentName'?: 'BusinessTripReportAttendeeRowFieldsFragment' };\n\nexport type BusinessTripReportAttendeesFieldsFragment = { __typename?: 'BusinessTrip', id: string, attendees: Array<(\n { __typename?: 'BusinessTripAttendee', id: string, name: string }\n & { ' $fragmentRefs'?: { 'BusinessTripReportAttendeeRowFieldsFragment': BusinessTripReportAttendeeRowFieldsFragment } }\n )> } & { ' $fragmentName'?: 'BusinessTripReportAttendeesFieldsFragment' };\n\nexport type BusinessTripReportCarRentalRowFieldsFragment = (\n { __typename?: 'BusinessTripCarRentalExpense', id: string, payedByEmployee?: boolean | null, days: number, isFuelExpense: boolean }\n & { ' $fragmentRefs'?: { 'BusinessTripReportCoreExpenseRowFields_BusinessTripCarRentalExpense_Fragment': BusinessTripReportCoreExpenseRowFields_BusinessTripCarRentalExpense_Fragment } }\n) & { ' $fragmentName'?: 'BusinessTripReportCarRentalRowFieldsFragment' };\n\nexport type BusinessTripReportCarRentalFieldsFragment = { __typename?: 'BusinessTrip', id: string, carRentalExpenses: Array<(\n { __typename?: 'BusinessTripCarRentalExpense', id: string, date?: any | null }\n & { ' $fragmentRefs'?: { 'BusinessTripReportCarRentalRowFieldsFragment': BusinessTripReportCarRentalRowFieldsFragment } }\n )> } & { ' $fragmentName'?: 'BusinessTripReportCarRentalFieldsFragment' };\n\ntype BusinessTripReportCoreExpenseRowFields_BusinessTripAccommodationExpense_Fragment = { __typename?: 'BusinessTripAccommodationExpense', id: string, date?: any | null, valueDate?: any | null, payedByEmployee?: boolean | null, amount?: { __typename?: 'FinancialAmount', formatted: string, raw: number, currency: Currency } | null, employee?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, charges?: Array<\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n > | null } & { ' $fragmentName'?: 'BusinessTripReportCoreExpenseRowFields_BusinessTripAccommodationExpense_Fragment' };\n\ntype BusinessTripReportCoreExpenseRowFields_BusinessTripCarRentalExpense_Fragment = { __typename?: 'BusinessTripCarRentalExpense', id: string, date?: any | null, valueDate?: any | null, payedByEmployee?: boolean | null, amount?: { __typename?: 'FinancialAmount', formatted: string, raw: number, currency: Currency } | null, employee?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, charges?: Array<\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n > | null } & { ' $fragmentName'?: 'BusinessTripReportCoreExpenseRowFields_BusinessTripCarRentalExpense_Fragment' };\n\ntype BusinessTripReportCoreExpenseRowFields_BusinessTripFlightExpense_Fragment = { __typename?: 'BusinessTripFlightExpense', id: string, date?: any | null, valueDate?: any | null, payedByEmployee?: boolean | null, amount?: { __typename?: 'FinancialAmount', formatted: string, raw: number, currency: Currency } | null, employee?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, charges?: Array<\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n > | null } & { ' $fragmentName'?: 'BusinessTripReportCoreExpenseRowFields_BusinessTripFlightExpense_Fragment' };\n\ntype BusinessTripReportCoreExpenseRowFields_BusinessTripOtherExpense_Fragment = { __typename?: 'BusinessTripOtherExpense', id: string, date?: any | null, valueDate?: any | null, payedByEmployee?: boolean | null, amount?: { __typename?: 'FinancialAmount', formatted: string, raw: number, currency: Currency } | null, employee?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, charges?: Array<\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n > | null } & { ' $fragmentName'?: 'BusinessTripReportCoreExpenseRowFields_BusinessTripOtherExpense_Fragment' };\n\ntype BusinessTripReportCoreExpenseRowFields_BusinessTripTravelAndSubsistenceExpense_Fragment = { __typename?: 'BusinessTripTravelAndSubsistenceExpense', id: string, date?: any | null, valueDate?: any | null, payedByEmployee?: boolean | null, amount?: { __typename?: 'FinancialAmount', formatted: string, raw: number, currency: Currency } | null, employee?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, charges?: Array<\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n > | null } & { ' $fragmentName'?: 'BusinessTripReportCoreExpenseRowFields_BusinessTripTravelAndSubsistenceExpense_Fragment' };\n\nexport type BusinessTripReportCoreExpenseRowFieldsFragment =\n | BusinessTripReportCoreExpenseRowFields_BusinessTripAccommodationExpense_Fragment\n | BusinessTripReportCoreExpenseRowFields_BusinessTripCarRentalExpense_Fragment\n | BusinessTripReportCoreExpenseRowFields_BusinessTripFlightExpense_Fragment\n | BusinessTripReportCoreExpenseRowFields_BusinessTripOtherExpense_Fragment\n | BusinessTripReportCoreExpenseRowFields_BusinessTripTravelAndSubsistenceExpense_Fragment\n;\n\nexport type BusinessTripReportFlightsRowFieldsFragment = (\n { __typename?: 'BusinessTripFlightExpense', id: string, payedByEmployee?: boolean | null, path?: Array<string> | null, class?: string | null, attendees: Array<{ __typename?: 'BusinessTripAttendee', id: string, name: string }> }\n & { ' $fragmentRefs'?: { 'BusinessTripReportCoreExpenseRowFields_BusinessTripFlightExpense_Fragment': BusinessTripReportCoreExpenseRowFields_BusinessTripFlightExpense_Fragment } }\n) & { ' $fragmentName'?: 'BusinessTripReportFlightsRowFieldsFragment' };\n\nexport type BusinessTripReportFlightsTableFieldsFragment = (\n { __typename?: 'BusinessTripFlightExpense', id: string, date?: any | null }\n & { ' $fragmentRefs'?: { 'BusinessTripReportFlightsRowFieldsFragment': BusinessTripReportFlightsRowFieldsFragment } }\n) & { ' $fragmentName'?: 'BusinessTripReportFlightsTableFieldsFragment' };\n\nexport type BusinessTripReportFlightsFieldsFragment = { __typename?: 'BusinessTrip', id: string, flightExpenses: Array<(\n { __typename?: 'BusinessTripFlightExpense', id: string }\n & { ' $fragmentRefs'?: { 'BusinessTripReportFlightsTableFieldsFragment': BusinessTripReportFlightsTableFieldsFragment } }\n )>, attendees: Array<{ __typename?: 'BusinessTripAttendee', id: string, name: string }> } & { ' $fragmentName'?: 'BusinessTripReportFlightsFieldsFragment' };\n\nexport type BusinessTripReportOtherRowFieldsFragment = (\n { __typename?: 'BusinessTripOtherExpense', id: string, payedByEmployee?: boolean | null, description?: string | null, deductibleExpense?: boolean | null }\n & { ' $fragmentRefs'?: { 'BusinessTripReportCoreExpenseRowFields_BusinessTripOtherExpense_Fragment': BusinessTripReportCoreExpenseRowFields_BusinessTripOtherExpense_Fragment } }\n) & { ' $fragmentName'?: 'BusinessTripReportOtherRowFieldsFragment' };\n\nexport type BusinessTripReportOtherFieldsFragment = { __typename?: 'BusinessTrip', id: string, otherExpenses: Array<(\n { __typename?: 'BusinessTripOtherExpense', id: string, date?: any | null }\n & { ' $fragmentRefs'?: { 'BusinessTripReportOtherRowFieldsFragment': BusinessTripReportOtherRowFieldsFragment } }\n )> } & { ' $fragmentName'?: 'BusinessTripReportOtherFieldsFragment' };\n\nexport type BusinessTripReportHeaderFieldsFragment = (\n { __typename?: 'BusinessTrip', id: string, name: string, purpose?: string | null, dates?: { __typename?: 'DateRange', start: any, end: any } | null, destination?: { __typename?: 'Country', id: string, name: string } | null }\n & { ' $fragmentRefs'?: { 'BusinessTripAccountantApprovalFieldsFragment': BusinessTripAccountantApprovalFieldsFragment } }\n) & { ' $fragmentName'?: 'BusinessTripReportHeaderFieldsFragment' };\n\nexport type BusinessTripReportSummaryFieldsFragment = { __typename?: 'BusinessTrip', id: string } & ({ __typename?: 'BusinessTrip', summary: { __typename?: 'BusinessTripSummary', excessTax?: number | null, errors?: Array<string> | null, excessExpenditure?: { __typename?: 'FinancialAmount', formatted: string } | null, rows: Array<{ __typename?: 'BusinessTripSummaryRow', type: BusinessTripSummaryCategories, totalForeignCurrency: { __typename?: 'FinancialAmount', formatted: string }, totalLocalCurrency?: { __typename?: 'FinancialAmount', formatted: string } | null, taxableForeignCurrency: { __typename?: 'FinancialAmount', formatted: string }, taxableLocalCurrency?: { __typename?: 'FinancialAmount', formatted: string } | null, maxTaxableForeignCurrency: { __typename?: 'FinancialAmount', formatted: string }, maxTaxableLocalCurrency?: { __typename?: 'FinancialAmount', formatted: string } | null, excessExpenditure?: { __typename?: 'FinancialAmount', formatted: string } | null }> } } | { __typename?: 'BusinessTrip', summary?: never }) & { ' $fragmentName'?: 'BusinessTripReportSummaryFieldsFragment' };\n\nexport type BusinessTripReportTravelAndSubsistenceRowFieldsFragment = (\n { __typename?: 'BusinessTripTravelAndSubsistenceExpense', id: string, payedByEmployee?: boolean | null, expenseType?: string | null }\n & { ' $fragmentRefs'?: { 'BusinessTripReportCoreExpenseRowFields_BusinessTripTravelAndSubsistenceExpense_Fragment': BusinessTripReportCoreExpenseRowFields_BusinessTripTravelAndSubsistenceExpense_Fragment } }\n) & { ' $fragmentName'?: 'BusinessTripReportTravelAndSubsistenceRowFieldsFragment' };\n\nexport type BusinessTripReportTravelAndSubsistenceFieldsFragment = { __typename?: 'BusinessTrip', id: string, travelAndSubsistenceExpenses: Array<(\n { __typename?: 'BusinessTripTravelAndSubsistenceExpense', id: string, date?: any | null }\n & { ' $fragmentRefs'?: { 'BusinessTripReportTravelAndSubsistenceRowFieldsFragment': BusinessTripReportTravelAndSubsistenceRowFieldsFragment } }\n )> } & { ' $fragmentName'?: 'BusinessTripReportTravelAndSubsistenceFieldsFragment' };\n\nexport type BusinessTripUncategorizedTransactionsFieldsFragment = { __typename?: 'BusinessTrip', id: string, uncategorizedTransactions: Array<(\n { __typename?: 'UncategorizedTransaction', transaction:\n | (\n { __typename?: 'CommonTransaction', id: string, eventDate: any, chargeId: string, amount: { __typename?: 'FinancialAmount', raw: number } }\n & { ' $fragmentRefs'?: { 'TransactionsTableEventDateFields_CommonTransaction_Fragment': TransactionsTableEventDateFields_CommonTransaction_Fragment;'TransactionsTableDebitDateFields_CommonTransaction_Fragment': TransactionsTableDebitDateFields_CommonTransaction_Fragment;'TransactionsTableAccountFields_CommonTransaction_Fragment': TransactionsTableAccountFields_CommonTransaction_Fragment;'TransactionsTableDescriptionFields_CommonTransaction_Fragment': TransactionsTableDescriptionFields_CommonTransaction_Fragment;'TransactionsTableSourceIdFields_CommonTransaction_Fragment': TransactionsTableSourceIdFields_CommonTransaction_Fragment;'TransactionsTableEntityFields_CommonTransaction_Fragment': TransactionsTableEntityFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string, eventDate: any, chargeId: string, amount: { __typename?: 'FinancialAmount', raw: number } }\n & { ' $fragmentRefs'?: { 'TransactionsTableEventDateFields_ConversionTransaction_Fragment': TransactionsTableEventDateFields_ConversionTransaction_Fragment;'TransactionsTableDebitDateFields_ConversionTransaction_Fragment': TransactionsTableDebitDateFields_ConversionTransaction_Fragment;'TransactionsTableAccountFields_ConversionTransaction_Fragment': TransactionsTableAccountFields_ConversionTransaction_Fragment;'TransactionsTableDescriptionFields_ConversionTransaction_Fragment': TransactionsTableDescriptionFields_ConversionTransaction_Fragment;'TransactionsTableSourceIdFields_ConversionTransaction_Fragment': TransactionsTableSourceIdFields_ConversionTransaction_Fragment;'TransactionsTableEntityFields_ConversionTransaction_Fragment': TransactionsTableEntityFields_ConversionTransaction_Fragment } }\n )\n }\n & { ' $fragmentRefs'?: { 'UncategorizedTransactionsTableAmountFieldsFragment': UncategorizedTransactionsTableAmountFieldsFragment } }\n ) | null> } & { ' $fragmentName'?: 'BusinessTripUncategorizedTransactionsFieldsFragment' };\n\nexport type UncategorizedTransactionsTableAmountFieldsFragment = { __typename?: 'UncategorizedTransaction', errors: Array<string>, transaction:\n | { __typename?: 'CommonTransaction', id: string, amount: { __typename?: 'FinancialAmount', raw: number, formatted: string }, cryptoExchangeRate?: { __typename?: 'ConversionRate', rate: number } | null }\n | { __typename?: 'ConversionTransaction', id: string, amount: { __typename?: 'FinancialAmount', raw: number, formatted: string }, cryptoExchangeRate?: { __typename?: 'ConversionRate', rate: number } | null }\n , categorizedAmount: { __typename?: 'FinancialAmount', raw: number, formatted: string } } & { ' $fragmentName'?: 'UncategorizedTransactionsTableAmountFieldsFragment' };\n\nexport type DepreciationRecordRowFieldsFragment = { __typename?: 'DepreciationRecord', id: string, activationDate: any, type?: DepreciationType | null, amount: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number }, category: { __typename?: 'DepreciationCategory', id: string, name: string, percentage: number }, charge:\n | { __typename?: 'BankDepositCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number } | null }\n | { __typename?: 'BusinessTripCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number } | null }\n | { __typename?: 'CommonCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number } | null }\n | { __typename?: 'ConversionCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number } | null }\n | { __typename?: 'CreditcardBankCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number } | null }\n | { __typename?: 'DividendCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number } | null }\n | { __typename?: 'FinancialCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number } | null }\n | { __typename?: 'ForeignSecuritiesCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number } | null }\n | { __typename?: 'InternalTransferCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number } | null }\n | { __typename?: 'MonthlyVatCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number } | null }\n | { __typename?: 'SalaryCharge', id: string, totalAmount?: { __typename?: 'FinancialAmount', currency: Currency, formatted: string, raw: number } | null }\n } & { ' $fragmentName'?: 'DepreciationRecordRowFieldsFragment' };\n\nexport type ChargeDepreciationQueryVariables = Exact<{\n chargeId: Scalars['UUID']['input'];\n}>;\n\n\nexport type ChargeDepreciationQuery = { __typename?: 'Query', depreciationRecordsByCharge: Array<(\n { __typename?: 'DepreciationRecord', id: string }\n & { ' $fragmentRefs'?: { 'DepreciationRecordRowFieldsFragment': DepreciationRecordRowFieldsFragment } }\n )> };\n\nexport type RecentBusinessIssuedDocumentsQueryVariables = Exact<{\n businessId: Scalars['UUID']['input'];\n limit?: InputMaybe<Scalars['Int']['input']>;\n}>;\n\n\nexport type RecentBusinessIssuedDocumentsQuery = { __typename?: 'Query', recentDocumentsByBusiness: Array<\n | (\n { __typename?: 'CreditInvoice', id: string, issuedDocumentInfo?: { __typename?: 'IssuedDocumentInfo', id: string, status: DocumentStatus, externalId: string } | null }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string, issuedDocumentInfo?: { __typename?: 'IssuedDocumentInfo', id: string, status: DocumentStatus, externalId: string } | null }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string, issuedDocumentInfo?: { __typename?: 'IssuedDocumentInfo', id: string, status: DocumentStatus, externalId: string } | null }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string, issuedDocumentInfo?: { __typename?: 'IssuedDocumentInfo', id: string, status: DocumentStatus, externalId: string } | null }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string, issuedDocumentInfo?: { __typename?: 'IssuedDocumentInfo', id: string, status: DocumentStatus, externalId: string } | null }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > };\n\nexport type RecentIssuedDocumentsOfSameTypeQueryVariables = Exact<{\n documentType: DocumentType;\n}>;\n\n\nexport type RecentIssuedDocumentsOfSameTypeQuery = { __typename?: 'Query', recentIssuedDocumentsByType: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_CreditInvoice_Fragment': TableDocumentsRowFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Invoice_Fragment': TableDocumentsRowFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_InvoiceReceipt_Fragment': TableDocumentsRowFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_OtherDocument_Fragment': TableDocumentsRowFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Proforma_Fragment': TableDocumentsRowFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Receipt_Fragment': TableDocumentsRowFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'TableDocumentsRowFields_Unprocessed_Fragment': TableDocumentsRowFields_Unprocessed_Fragment } }\n )\n > };\n\nexport type EditDocumentQueryVariables = Exact<{\n documentId: Scalars['UUID']['input'];\n}>;\n\n\nexport type EditDocumentQuery = { __typename?: 'Query', documentById?:\n | { __typename: 'CreditInvoice', serialNumber?: string | null, date?: any | null, vatReportDateOverride?: any | null, noVatAmount?: number | null, allocationNumber?: string | null, exchangeRateOverride?: number | null, id: string, image?: any | null, file?: any | null, documentType?: DocumentType | null, description?: string | null, remarks?: string | null, vat?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null, amount?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null, debtor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, creditor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename: 'Invoice', serialNumber?: string | null, date?: any | null, vatReportDateOverride?: any | null, noVatAmount?: number | null, allocationNumber?: string | null, exchangeRateOverride?: number | null, id: string, image?: any | null, file?: any | null, documentType?: DocumentType | null, description?: string | null, remarks?: string | null, vat?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null, amount?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null, debtor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, creditor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename: 'InvoiceReceipt', serialNumber?: string | null, date?: any | null, vatReportDateOverride?: any | null, noVatAmount?: number | null, allocationNumber?: string | null, exchangeRateOverride?: number | null, id: string, image?: any | null, file?: any | null, documentType?: DocumentType | null, description?: string | null, remarks?: string | null, vat?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null, amount?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null, debtor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, creditor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename: 'OtherDocument', id: string, image?: any | null, file?: any | null, documentType?: DocumentType | null, description?: string | null, remarks?: string | null }\n | { __typename: 'Proforma', serialNumber?: string | null, date?: any | null, vatReportDateOverride?: any | null, noVatAmount?: number | null, allocationNumber?: string | null, exchangeRateOverride?: number | null, id: string, image?: any | null, file?: any | null, documentType?: DocumentType | null, description?: string | null, remarks?: string | null, vat?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null, amount?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null, debtor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, creditor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename: 'Receipt', serialNumber?: string | null, date?: any | null, vatReportDateOverride?: any | null, noVatAmount?: number | null, allocationNumber?: string | null, exchangeRateOverride?: number | null, id: string, image?: any | null, file?: any | null, documentType?: DocumentType | null, description?: string | null, remarks?: string | null, vat?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null, amount?: { __typename?: 'FinancialAmount', raw: number, currency: Currency } | null, debtor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, creditor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename: 'Unprocessed', id: string, image?: any | null, file?: any | null, documentType?: DocumentType | null, description?: string | null, remarks?: string | null }\n | null };\n\nexport type EditMiscExpenseFieldsFragment = { __typename?: 'MiscExpense', id: string, description?: string | null, invoiceDate: any, valueDate: any, amount: { __typename?: 'FinancialAmount', raw: number, currency: Currency }, creditor:\n | { __typename?: 'LtdFinancialEntity', id: string }\n | { __typename?: 'PersonalFinancialEntity', id: string }\n | { __typename?: 'TaxCategory', id: string }\n , debtor:\n | { __typename?: 'LtdFinancialEntity', id: string }\n | { __typename?: 'PersonalFinancialEntity', id: string }\n | { __typename?: 'TaxCategory', id: string }\n } & { ' $fragmentName'?: 'EditMiscExpenseFieldsFragment' };\n\nexport type EditTagFieldsFragment = { __typename?: 'Tag', id: string, name: string, parent?: { __typename?: 'Tag', id: string, name: string } | null } & { ' $fragmentName'?: 'EditTagFieldsFragment' };\n\nexport type EditTransactionQueryVariables = Exact<{\n transactionIDs: Array<Scalars['UUID']['input']> | Scalars['UUID']['input'];\n}>;\n\n\nexport type EditTransactionQuery = { __typename?: 'Query', transactionsByIDs: Array<\n | { __typename?: 'CommonTransaction', id: string, effectiveDate?: any | null, isFee?: boolean | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, account:\n | { __typename?: 'BankDepositFinancialAccount', type: FinancialAccountType, id: string }\n | { __typename?: 'BankFinancialAccount', type: FinancialAccountType, id: string }\n | { __typename?: 'CardFinancialAccount', type: FinancialAccountType, id: string }\n | { __typename?: 'CryptoWalletFinancialAccount', type: FinancialAccountType, id: string }\n | { __typename?: 'ForeignSecuritiesFinancialAccount', type: FinancialAccountType, id: string }\n }\n | { __typename?: 'ConversionTransaction', id: string, effectiveDate: any, isFee?: boolean | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, account:\n | { __typename?: 'BankDepositFinancialAccount', type: FinancialAccountType, id: string }\n | { __typename?: 'BankFinancialAccount', type: FinancialAccountType, id: string }\n | { __typename?: 'CardFinancialAccount', type: FinancialAccountType, id: string }\n | { __typename?: 'CryptoWalletFinancialAccount', type: FinancialAccountType, id: string }\n | { __typename?: 'ForeignSecuritiesFinancialAccount', type: FinancialAccountType, id: string }\n }\n > };\n\nexport type ClientInfoForDocumentIssuingQueryVariables = Exact<{\n businessId: Scalars['UUID']['input'];\n}>;\n\n\nexport type ClientInfoForDocumentIssuingQuery = { __typename?: 'Query', client: (\n { __typename?: 'Client', id: string, integrations: { __typename?: 'ClientIntegrations', id: string, greenInvoiceInfo?: { __typename?: 'GreenInvoiceClient', greenInvoiceId?: string | null, businessId: string, name?: string | null } | null } }\n & { ' $fragmentRefs'?: { 'IssueDocumentClientFieldsFragment': IssueDocumentClientFieldsFragment } }\n ) };\n\nexport type AllBusinessTripsQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllBusinessTripsQuery = { __typename?: 'Query', allBusinessTrips: Array<{ __typename?: 'BusinessTrip', id: string, name: string }> };\n\nexport type AllDepreciationCategoriesQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllDepreciationCategoriesQuery = { __typename?: 'Query', depreciationCategories: Array<{ __typename?: 'DepreciationCategory', id: string, name: string, percentage: number }> };\n\nexport type AllEmployeesByEmployerQueryVariables = Exact<{\n employerId: Scalars['UUID']['input'];\n}>;\n\n\nexport type AllEmployeesByEmployerQuery = { __typename?: 'Query', employeesByEmployerId: Array<{ __typename?: 'Employee', id: string, name: string }> };\n\nexport type AllPensionFundsQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllPensionFundsQuery = { __typename?: 'Query', allPensionFunds: Array<{ __typename?: 'PensionFund', id: string, name: string }> };\n\nexport type AllTrainingFundsQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllTrainingFundsQuery = { __typename?: 'Query', allTrainingFunds: Array<{ __typename?: 'TrainingFund', id: string, name: string }> };\n\nexport type AttendeesByBusinessTripQueryVariables = Exact<{\n businessTripId: Scalars['UUID']['input'];\n}>;\n\n\nexport type AttendeesByBusinessTripQuery = { __typename?: 'Query', businessTrip?: { __typename?: 'BusinessTrip', id: string, attendees: Array<{ __typename?: 'BusinessTripAttendee', id: string, name: string }> } | null };\n\nexport type FetchMultipleBusinessesQueryVariables = Exact<{\n businessIds: Array<Scalars['UUID']['input']> | Scalars['UUID']['input'];\n}>;\n\n\nexport type FetchMultipleBusinessesQuery = { __typename?: 'Query', businesses: Array<\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n > };\n\nexport type FetchMultipleChargesQueryVariables = Exact<{\n chargeIds: Array<Scalars['UUID']['input']> | Scalars['UUID']['input'];\n}>;\n\n\nexport type FetchMultipleChargesQuery = { __typename?: 'Query', chargesByIDs: Array<\n | { __typename: 'BankDepositCharge', id: string, decreasedVAT?: boolean | null, property?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, invoicesCount: number } | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> }\n | { __typename: 'BusinessTripCharge', id: string, decreasedVAT?: boolean | null, property?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, invoicesCount: number } | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> }\n | { __typename: 'CommonCharge', id: string, decreasedVAT?: boolean | null, property?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, invoicesCount: number } | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> }\n | { __typename: 'ConversionCharge', id: string, decreasedVAT?: boolean | null, property?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, invoicesCount: number } | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> }\n | { __typename: 'CreditcardBankCharge', id: string, decreasedVAT?: boolean | null, property?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, invoicesCount: number } | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> }\n | { __typename: 'DividendCharge', id: string, decreasedVAT?: boolean | null, property?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, invoicesCount: number } | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> }\n | { __typename: 'FinancialCharge', id: string, decreasedVAT?: boolean | null, property?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, invoicesCount: number } | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> }\n | { __typename: 'ForeignSecuritiesCharge', id: string, decreasedVAT?: boolean | null, property?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, invoicesCount: number } | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> }\n | { __typename: 'InternalTransferCharge', id: string, decreasedVAT?: boolean | null, property?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, invoicesCount: number } | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> }\n | { __typename: 'MonthlyVatCharge', id: string, decreasedVAT?: boolean | null, property?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, invoicesCount: number } | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> }\n | { __typename: 'SalaryCharge', id: string, decreasedVAT?: boolean | null, property?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, invoicesCount: number } | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , tags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> }\n > };\n\nexport type EditChargeQueryVariables = Exact<{\n chargeId: Scalars['UUID']['input'];\n}>;\n\n\nexport type EditChargeQuery = { __typename?: 'Query', charge:\n | { __typename: 'BankDepositCharge', id: string, property?: boolean | null, decreasedVAT?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, tags: Array<{ __typename?: 'Tag', id: string }>, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string }> } | null, yearsOfRelevance?: Array<{ __typename?: 'YearOfRelevance', year: string, amount?: number | null }> | null }\n | { __typename: 'BusinessTripCharge', id: string, property?: boolean | null, decreasedVAT?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, businessTrip?: { __typename?: 'BusinessTrip', id: string, name: string } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, tags: Array<{ __typename?: 'Tag', id: string }>, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string }> } | null, yearsOfRelevance?: Array<{ __typename?: 'YearOfRelevance', year: string, amount?: number | null }> | null }\n | { __typename: 'CommonCharge', id: string, property?: boolean | null, decreasedVAT?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, tags: Array<{ __typename?: 'Tag', id: string }>, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string }> } | null, yearsOfRelevance?: Array<{ __typename?: 'YearOfRelevance', year: string, amount?: number | null }> | null }\n | { __typename: 'ConversionCharge', id: string, property?: boolean | null, decreasedVAT?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, tags: Array<{ __typename?: 'Tag', id: string }>, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string }> } | null, yearsOfRelevance?: Array<{ __typename?: 'YearOfRelevance', year: string, amount?: number | null }> | null }\n | { __typename: 'CreditcardBankCharge', id: string, property?: boolean | null, decreasedVAT?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, tags: Array<{ __typename?: 'Tag', id: string }>, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string }> } | null, yearsOfRelevance?: Array<{ __typename?: 'YearOfRelevance', year: string, amount?: number | null }> | null }\n | { __typename: 'DividendCharge', id: string, property?: boolean | null, decreasedVAT?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, tags: Array<{ __typename?: 'Tag', id: string }>, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string }> } | null, yearsOfRelevance?: Array<{ __typename?: 'YearOfRelevance', year: string, amount?: number | null }> | null }\n | { __typename: 'FinancialCharge', id: string, property?: boolean | null, decreasedVAT?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, tags: Array<{ __typename?: 'Tag', id: string }>, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string }> } | null, yearsOfRelevance?: Array<{ __typename?: 'YearOfRelevance', year: string, amount?: number | null }> | null }\n | { __typename: 'ForeignSecuritiesCharge', id: string, property?: boolean | null, decreasedVAT?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, tags: Array<{ __typename?: 'Tag', id: string }>, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string }> } | null, yearsOfRelevance?: Array<{ __typename?: 'YearOfRelevance', year: string, amount?: number | null }> | null }\n | { __typename: 'InternalTransferCharge', id: string, property?: boolean | null, decreasedVAT?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, tags: Array<{ __typename?: 'Tag', id: string }>, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string }> } | null, yearsOfRelevance?: Array<{ __typename?: 'YearOfRelevance', year: string, amount?: number | null }> | null }\n | { __typename: 'MonthlyVatCharge', id: string, property?: boolean | null, decreasedVAT?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, tags: Array<{ __typename?: 'Tag', id: string }>, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string }> } | null, yearsOfRelevance?: Array<{ __typename?: 'YearOfRelevance', year: string, amount?: number | null }> | null }\n | { __typename: 'SalaryCharge', id: string, property?: boolean | null, decreasedVAT?: boolean | null, isInvoicePaymentDifferentCurrency?: boolean | null, userDescription?: string | null, optionalVAT?: boolean | null, optionalDocuments?: boolean | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, owner:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n , taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, tags: Array<{ __typename?: 'Tag', id: string }>, missingInfoSuggestions?: { __typename?: 'ChargeSuggestions', tags: Array<{ __typename?: 'Tag', id: string }> } | null, yearsOfRelevance?: Array<{ __typename?: 'YearOfRelevance', year: string, amount?: number | null }> | null }\n };\n\nexport type EditSalaryRecordQueryVariables = Exact<{\n month: Scalars['TimelessDate']['input'];\n employeeIDs: Array<Scalars['UUID']['input']> | Scalars['UUID']['input'];\n}>;\n\n\nexport type EditSalaryRecordQuery = { __typename?: 'Query', salaryRecordsByDates: Array<{ __typename?: 'Salary', month: string, pensionEmployeePercentage?: number | null, pensionEmployerPercentage?: number | null, compensationsPercentage?: number | null, trainingFundEmployeePercentage?: number | null, trainingFundEmployerPercentage?: number | null, workDays?: number | null, charge?: { __typename?: 'SalaryCharge', id: string } | null, directAmount: { __typename?: 'FinancialAmount', raw: number }, baseAmount?: { __typename?: 'FinancialAmount', raw: number } | null, employee?: { __typename?: 'LtdFinancialEntity', id: string, name: string } | null, employer?: { __typename?: 'LtdFinancialEntity', id: string, name: string } | null, pensionFund?: { __typename?: 'LtdFinancialEntity', id: string, name: string } | null, pensionEmployeeAmount?: { __typename?: 'FinancialAmount', raw: number } | null, pensionEmployerAmount?: { __typename?: 'FinancialAmount', raw: number } | null, compensationsAmount?: { __typename?: 'FinancialAmount', raw: number } | null, trainingFund?: { __typename?: 'LtdFinancialEntity', id: string, name: string } | null, trainingFundEmployeeAmount?: { __typename?: 'FinancialAmount', raw: number } | null, trainingFundEmployerAmount?: { __typename?: 'FinancialAmount', raw: number } | null, socialSecurityEmployeeAmount?: { __typename?: 'FinancialAmount', raw: number } | null, socialSecurityEmployerAmount?: { __typename?: 'FinancialAmount', raw: number } | null, incomeTaxAmount?: { __typename?: 'FinancialAmount', raw: number } | null, healthInsuranceAmount?: { __typename?: 'FinancialAmount', raw: number } | null, globalAdditionalHoursAmount?: { __typename?: 'FinancialAmount', raw: number } | null, bonus?: { __typename?: 'FinancialAmount', raw: number } | null, gift?: { __typename?: 'FinancialAmount', raw: number } | null, travelAndSubsistence?: { __typename?: 'FinancialAmount', raw: number } | null, recovery?: { __typename?: 'FinancialAmount', raw: number } | null, notionalExpense?: { __typename?: 'FinancialAmount', raw: number } | null, vacationDays?: { __typename?: 'VacationDays', added?: number | null, balance?: number | null } | null, vacationTakeout?: { __typename?: 'FinancialAmount', raw: number } | null, sicknessDays?: { __typename?: 'SicknessDays', balance?: number | null } | null }> };\n\nexport type SortCodeToUpdateQueryVariables = Exact<{\n key: Scalars['Int']['input'];\n}>;\n\n\nexport type SortCodeToUpdateQuery = { __typename?: 'Query', sortCode?: { __typename?: 'SortCode', id: string, key: number, name?: string | null, defaultIrsCode?: number | null } | null };\n\nexport type TaxCategoryToUpdateQueryVariables = Exact<{\n id: Scalars['UUID']['input'];\n}>;\n\n\nexport type TaxCategoryToUpdateQuery = { __typename?: 'Query', taxCategory: { __typename?: 'TaxCategory', id: string, name: string, irsCode?: number | null, sortCode?: { __typename?: 'SortCode', id: string, key: number, name?: string | null } | null } };\n\nexport type MiscExpenseTransactionFieldsQueryVariables = Exact<{\n transactionId: Scalars['UUID']['input'];\n}>;\n\n\nexport type MiscExpenseTransactionFieldsQuery = { __typename?: 'Query', transactionsByIDs: Array<\n | { __typename?: 'CommonTransaction', id: string, chargeId: string, eventDate: any, effectiveDate?: any | null, exactEffectiveDate?: any | null, amount: { __typename?: 'FinancialAmount', raw: number, currency: Currency }, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string }\n | { __typename?: 'PersonalFinancialEntity', id: string }\n | { __typename?: 'TaxCategory', id: string }\n | null }\n | { __typename?: 'ConversionTransaction', id: string, chargeId: string, eventDate: any, effectiveDate: any, exactEffectiveDate?: any | null, amount: { __typename?: 'FinancialAmount', raw: number, currency: Currency }, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string }\n | { __typename?: 'PersonalFinancialEntity', id: string }\n | { __typename?: 'TaxCategory', id: string }\n | null }\n > };\n\nexport type IssueDocumentClientFieldsFragment = { __typename?: 'Client', id: string, emails: Array<string>, originalBusiness: { __typename?: 'LtdFinancialEntity', id: string, address?: string | null, city?: string | null, zipCode?: string | null, governmentId?: string | null, name: string, phoneNumber?: string | null, country: { __typename?: 'Country', id: string, code: any } } } & { ' $fragmentName'?: 'IssueDocumentClientFieldsFragment' };\n\nexport type NewDocumentDraftByChargeQueryVariables = Exact<{\n chargeId: Scalars['UUID']['input'];\n}>;\n\n\nexport type NewDocumentDraftByChargeQuery = { __typename?: 'Query', newDocumentDraftByCharge: (\n { __typename?: 'DocumentDraft' }\n & { ' $fragmentRefs'?: { 'NewDocumentDraftFragment': NewDocumentDraftFragment } }\n ) };\n\nexport type NewDocumentDraftByDocumentQueryVariables = Exact<{\n documentId: Scalars['UUID']['input'];\n}>;\n\n\nexport type NewDocumentDraftByDocumentQuery = { __typename?: 'Query', newDocumentDraftByDocument: (\n { __typename?: 'DocumentDraft' }\n & { ' $fragmentRefs'?: { 'NewDocumentDraftFragment': NewDocumentDraftFragment } }\n ) };\n\nexport type NewDocumentDraftFragment = { __typename?: 'DocumentDraft', description?: string | null, remarks?: string | null, footer?: string | null, type: DocumentType, date?: string | null, dueDate?: string | null, language: DocumentLanguage, currency: Currency, vatType: DocumentVatType, rounding?: boolean | null, signed?: boolean | null, maxPayments?: number | null, linkedDocumentIds?: Array<string> | null, linkedPaymentId?: string | null, discount?: { __typename?: 'DocumentDiscount', amount: number, type: DocumentDiscountType } | null, client?: (\n { __typename?: 'Client', id: string, emails: Array<string>, originalBusiness: { __typename?: 'LtdFinancialEntity', id: string, name: string }, integrations: { __typename?: 'ClientIntegrations', id: string } }\n & { ' $fragmentRefs'?: { 'IssueDocumentClientFieldsFragment': IssueDocumentClientFieldsFragment } }\n ) | null, income?: Array<{ __typename?: 'DocumentIncomeRecord', currency: Currency, currencyRate?: number | null, description: string, itemId?: string | null, price: number, quantity: number, vatRate?: number | null, vatType: DocumentVatType }> | null, payment?: Array<{ __typename?: 'DocumentPaymentRecord', currency: Currency, currencyRate?: number | null, date?: string | null, price: number, type: PaymentType, bankName?: string | null, bankBranch?: string | null, bankAccount?: string | null, chequeNum?: string | null, accountId?: string | null, transactionId?: string | null, cardType?: DocumentPaymentRecordCardType | null, cardNum?: string | null, numPayments?: number | null, firstPayment?: number | null }> | null } & { ' $fragmentName'?: 'NewDocumentDraftFragment' };\n\nexport type SimilarChargesByBusinessQueryVariables = Exact<{\n businessId: Scalars['UUID']['input'];\n tagsDifferentThan?: InputMaybe<Array<Scalars['String']['input']> | Scalars['String']['input']>;\n descriptionDifferentThan?: InputMaybe<Scalars['String']['input']>;\n}>;\n\n\nexport type SimilarChargesByBusinessQuery = { __typename?: 'Query', similarChargesByBusiness: Array<\n | (\n { __typename?: 'BankDepositCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_BankDepositCharge_Fragment': SimilarChargesTable_BankDepositCharge_Fragment } }\n )\n | (\n { __typename?: 'BusinessTripCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_BusinessTripCharge_Fragment': SimilarChargesTable_BusinessTripCharge_Fragment } }\n )\n | (\n { __typename?: 'CommonCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_CommonCharge_Fragment': SimilarChargesTable_CommonCharge_Fragment } }\n )\n | (\n { __typename?: 'ConversionCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_ConversionCharge_Fragment': SimilarChargesTable_ConversionCharge_Fragment } }\n )\n | (\n { __typename?: 'CreditcardBankCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_CreditcardBankCharge_Fragment': SimilarChargesTable_CreditcardBankCharge_Fragment } }\n )\n | (\n { __typename?: 'DividendCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_DividendCharge_Fragment': SimilarChargesTable_DividendCharge_Fragment } }\n )\n | (\n { __typename?: 'FinancialCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_FinancialCharge_Fragment': SimilarChargesTable_FinancialCharge_Fragment } }\n )\n | (\n { __typename?: 'ForeignSecuritiesCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_ForeignSecuritiesCharge_Fragment': SimilarChargesTable_ForeignSecuritiesCharge_Fragment } }\n )\n | (\n { __typename?: 'InternalTransferCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_InternalTransferCharge_Fragment': SimilarChargesTable_InternalTransferCharge_Fragment } }\n )\n | (\n { __typename?: 'MonthlyVatCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_MonthlyVatCharge_Fragment': SimilarChargesTable_MonthlyVatCharge_Fragment } }\n )\n | (\n { __typename?: 'SalaryCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_SalaryCharge_Fragment': SimilarChargesTable_SalaryCharge_Fragment } }\n )\n > };\n\nexport type SimilarChargesQueryVariables = Exact<{\n chargeId: Scalars['UUID']['input'];\n withMissingTags: Scalars['Boolean']['input'];\n withMissingDescription: Scalars['Boolean']['input'];\n tagsDifferentThan?: InputMaybe<Array<Scalars['String']['input']> | Scalars['String']['input']>;\n descriptionDifferentThan?: InputMaybe<Scalars['String']['input']>;\n}>;\n\n\nexport type SimilarChargesQuery = { __typename?: 'Query', similarCharges: Array<\n | (\n { __typename?: 'BankDepositCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_BankDepositCharge_Fragment': SimilarChargesTable_BankDepositCharge_Fragment } }\n )\n | (\n { __typename?: 'BusinessTripCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_BusinessTripCharge_Fragment': SimilarChargesTable_BusinessTripCharge_Fragment } }\n )\n | (\n { __typename?: 'CommonCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_CommonCharge_Fragment': SimilarChargesTable_CommonCharge_Fragment } }\n )\n | (\n { __typename?: 'ConversionCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_ConversionCharge_Fragment': SimilarChargesTable_ConversionCharge_Fragment } }\n )\n | (\n { __typename?: 'CreditcardBankCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_CreditcardBankCharge_Fragment': SimilarChargesTable_CreditcardBankCharge_Fragment } }\n )\n | (\n { __typename?: 'DividendCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_DividendCharge_Fragment': SimilarChargesTable_DividendCharge_Fragment } }\n )\n | (\n { __typename?: 'FinancialCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_FinancialCharge_Fragment': SimilarChargesTable_FinancialCharge_Fragment } }\n )\n | (\n { __typename?: 'ForeignSecuritiesCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_ForeignSecuritiesCharge_Fragment': SimilarChargesTable_ForeignSecuritiesCharge_Fragment } }\n )\n | (\n { __typename?: 'InternalTransferCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_InternalTransferCharge_Fragment': SimilarChargesTable_InternalTransferCharge_Fragment } }\n )\n | (\n { __typename?: 'MonthlyVatCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_MonthlyVatCharge_Fragment': SimilarChargesTable_MonthlyVatCharge_Fragment } }\n )\n | (\n { __typename?: 'SalaryCharge', id: string }\n & { ' $fragmentRefs'?: { 'SimilarChargesTable_SalaryCharge_Fragment': SimilarChargesTable_SalaryCharge_Fragment } }\n )\n > };\n\ntype SimilarChargesTable_BankDepositCharge_Fragment = { __typename: 'BankDepositCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } | null } & { ' $fragmentName'?: 'SimilarChargesTable_BankDepositCharge_Fragment' };\n\ntype SimilarChargesTable_BusinessTripCharge_Fragment = { __typename: 'BusinessTripCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, businessTrip?: { __typename?: 'BusinessTrip', id: string, name: string } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } | null } & { ' $fragmentName'?: 'SimilarChargesTable_BusinessTripCharge_Fragment' };\n\ntype SimilarChargesTable_CommonCharge_Fragment = { __typename: 'CommonCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } | null } & { ' $fragmentName'?: 'SimilarChargesTable_CommonCharge_Fragment' };\n\ntype SimilarChargesTable_ConversionCharge_Fragment = { __typename: 'ConversionCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } | null } & { ' $fragmentName'?: 'SimilarChargesTable_ConversionCharge_Fragment' };\n\ntype SimilarChargesTable_CreditcardBankCharge_Fragment = { __typename: 'CreditcardBankCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } | null } & { ' $fragmentName'?: 'SimilarChargesTable_CreditcardBankCharge_Fragment' };\n\ntype SimilarChargesTable_DividendCharge_Fragment = { __typename: 'DividendCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } | null } & { ' $fragmentName'?: 'SimilarChargesTable_DividendCharge_Fragment' };\n\ntype SimilarChargesTable_FinancialCharge_Fragment = { __typename: 'FinancialCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } | null } & { ' $fragmentName'?: 'SimilarChargesTable_FinancialCharge_Fragment' };\n\ntype SimilarChargesTable_ForeignSecuritiesCharge_Fragment = { __typename: 'ForeignSecuritiesCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } | null } & { ' $fragmentName'?: 'SimilarChargesTable_ForeignSecuritiesCharge_Fragment' };\n\ntype SimilarChargesTable_InternalTransferCharge_Fragment = { __typename: 'InternalTransferCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } | null } & { ' $fragmentName'?: 'SimilarChargesTable_InternalTransferCharge_Fragment' };\n\ntype SimilarChargesTable_MonthlyVatCharge_Fragment = { __typename: 'MonthlyVatCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } | null } & { ' $fragmentName'?: 'SimilarChargesTable_MonthlyVatCharge_Fragment' };\n\ntype SimilarChargesTable_SalaryCharge_Fragment = { __typename: 'SalaryCharge', id: string, minEventDate?: any | null, minDebitDate?: any | null, minDocumentsDate?: any | null, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, totalAmount?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string } | null, tags: Array<{ __typename?: 'Tag', id: string, name: string }>, taxCategory?: { __typename?: 'TaxCategory', id: string, name: string } | null, metadata?: { __typename?: 'ChargeMetadata', transactionsCount: number, documentsCount: number, ledgerCount: number, miscExpensesCount: number } | null } & { ' $fragmentName'?: 'SimilarChargesTable_SalaryCharge_Fragment' };\n\nexport type SimilarChargesTableFragment =\n | SimilarChargesTable_BankDepositCharge_Fragment\n | SimilarChargesTable_BusinessTripCharge_Fragment\n | SimilarChargesTable_CommonCharge_Fragment\n | SimilarChargesTable_ConversionCharge_Fragment\n | SimilarChargesTable_CreditcardBankCharge_Fragment\n | SimilarChargesTable_DividendCharge_Fragment\n | SimilarChargesTable_FinancialCharge_Fragment\n | SimilarChargesTable_ForeignSecuritiesCharge_Fragment\n | SimilarChargesTable_InternalTransferCharge_Fragment\n | SimilarChargesTable_MonthlyVatCharge_Fragment\n | SimilarChargesTable_SalaryCharge_Fragment\n;\n\nexport type SimilarTransactionsQueryVariables = Exact<{\n transactionId: Scalars['UUID']['input'];\n withMissingInfo: Scalars['Boolean']['input'];\n}>;\n\n\nexport type SimilarTransactionsQuery = { __typename?: 'Query', similarTransactions: Array<\n | { __typename?: 'CommonTransaction', id: string, effectiveDate?: any | null, eventDate: any, sourceDescription: string, account:\n | { __typename?: 'BankDepositFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'BankFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'CardFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'CryptoWalletFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'ForeignSecuritiesFinancialAccount', id: string, name: string, type: FinancialAccountType }\n , amount: { __typename?: 'FinancialAmount', formatted: string, raw: number } }\n | { __typename?: 'ConversionTransaction', id: string, effectiveDate: any, eventDate: any, sourceDescription: string, account:\n | { __typename?: 'BankDepositFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'BankFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'CardFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'CryptoWalletFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'ForeignSecuritiesFinancialAccount', id: string, name: string, type: FinancialAccountType }\n , amount: { __typename?: 'FinancialAmount', formatted: string, raw: number } }\n > };\n\nexport type UniformFormatQueryVariables = Exact<{\n fromDate: Scalars['TimelessDate']['input'];\n toDate: Scalars['TimelessDate']['input'];\n}>;\n\n\nexport type UniformFormatQuery = { __typename?: 'Query', uniformFormat?: { __typename?: 'UniformFormat', bkmvdata: string, ini: string } | null };\n\ntype NewFetchedDocumentFields_CreditInvoice_Fragment = { __typename?: 'CreditInvoice', id: string, documentType?: DocumentType | null, charge?:\n | { __typename?: 'BankDepositCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'BusinessTripCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'CommonCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'ConversionCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'CreditcardBankCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'DividendCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'FinancialCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'ForeignSecuritiesCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'InternalTransferCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'MonthlyVatCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'SalaryCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | null } & { ' $fragmentName'?: 'NewFetchedDocumentFields_CreditInvoice_Fragment' };\n\ntype NewFetchedDocumentFields_Invoice_Fragment = { __typename?: 'Invoice', id: string, documentType?: DocumentType | null, charge?:\n | { __typename?: 'BankDepositCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'BusinessTripCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'CommonCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'ConversionCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'CreditcardBankCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'DividendCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'FinancialCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'ForeignSecuritiesCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'InternalTransferCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'MonthlyVatCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'SalaryCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | null } & { ' $fragmentName'?: 'NewFetchedDocumentFields_Invoice_Fragment' };\n\ntype NewFetchedDocumentFields_InvoiceReceipt_Fragment = { __typename?: 'InvoiceReceipt', id: string, documentType?: DocumentType | null, charge?:\n | { __typename?: 'BankDepositCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'BusinessTripCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'CommonCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'ConversionCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'CreditcardBankCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'DividendCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'FinancialCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'ForeignSecuritiesCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'InternalTransferCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'MonthlyVatCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'SalaryCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | null } & { ' $fragmentName'?: 'NewFetchedDocumentFields_InvoiceReceipt_Fragment' };\n\ntype NewFetchedDocumentFields_OtherDocument_Fragment = { __typename?: 'OtherDocument', id: string, documentType?: DocumentType | null, charge?:\n | { __typename?: 'BankDepositCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'BusinessTripCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'CommonCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'ConversionCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'CreditcardBankCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'DividendCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'FinancialCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'ForeignSecuritiesCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'InternalTransferCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'MonthlyVatCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'SalaryCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | null } & { ' $fragmentName'?: 'NewFetchedDocumentFields_OtherDocument_Fragment' };\n\ntype NewFetchedDocumentFields_Proforma_Fragment = { __typename?: 'Proforma', id: string, documentType?: DocumentType | null, charge?:\n | { __typename?: 'BankDepositCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'BusinessTripCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'CommonCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'ConversionCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'CreditcardBankCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'DividendCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'FinancialCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'ForeignSecuritiesCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'InternalTransferCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'MonthlyVatCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'SalaryCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | null } & { ' $fragmentName'?: 'NewFetchedDocumentFields_Proforma_Fragment' };\n\ntype NewFetchedDocumentFields_Receipt_Fragment = { __typename?: 'Receipt', id: string, documentType?: DocumentType | null, charge?:\n | { __typename?: 'BankDepositCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'BusinessTripCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'CommonCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'ConversionCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'CreditcardBankCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'DividendCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'FinancialCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'ForeignSecuritiesCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'InternalTransferCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'MonthlyVatCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'SalaryCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | null } & { ' $fragmentName'?: 'NewFetchedDocumentFields_Receipt_Fragment' };\n\ntype NewFetchedDocumentFields_Unprocessed_Fragment = { __typename?: 'Unprocessed', id: string, documentType?: DocumentType | null, charge?:\n | { __typename?: 'BankDepositCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'BusinessTripCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'CommonCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'ConversionCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'CreditcardBankCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'DividendCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'FinancialCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'ForeignSecuritiesCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'InternalTransferCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'MonthlyVatCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | { __typename?: 'SalaryCharge', id: string, userDescription?: string | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }\n | null } & { ' $fragmentName'?: 'NewFetchedDocumentFields_Unprocessed_Fragment' };\n\nexport type NewFetchedDocumentFieldsFragment =\n | NewFetchedDocumentFields_CreditInvoice_Fragment\n | NewFetchedDocumentFields_Invoice_Fragment\n | NewFetchedDocumentFields_InvoiceReceipt_Fragment\n | NewFetchedDocumentFields_OtherDocument_Fragment\n | NewFetchedDocumentFields_Proforma_Fragment\n | NewFetchedDocumentFields_Receipt_Fragment\n | NewFetchedDocumentFields_Unprocessed_Fragment\n;\n\nexport type ContractForContractsTableFieldsFragment = { __typename?: 'Contract', id: string, isActive: boolean, purchaseOrders: Array<string>, startDate: any, endDate: any, billingCycle: BillingCycle, product?: Product | null, plan?: SubscriptionPlan | null, operationsLimit: any, msCloud?: any | null, client: { __typename?: 'Client', id: string, originalBusiness: { __typename?: 'LtdFinancialEntity', id: string, name: string } }, amount: { __typename?: 'FinancialAmount', raw: number, formatted: string } } & { ' $fragmentName'?: 'ContractForContractsTableFieldsFragment' };\n\nexport type ContractBasedDocumentDraftsQueryVariables = Exact<{\n issueMonth: Scalars['TimelessDate']['input'];\n contractIds: Array<Scalars['UUID']['input']> | Scalars['UUID']['input'];\n}>;\n\n\nexport type ContractBasedDocumentDraftsQuery = { __typename?: 'Query', periodicalDocumentDraftsByContracts: Array<(\n { __typename?: 'DocumentDraft' }\n & { ' $fragmentRefs'?: { 'NewDocumentDraftFragment': NewDocumentDraftFragment } }\n )> };\n\ntype TableDocumentsRowFields_CreditInvoice_Fragment = { __typename?: 'CreditInvoice', date?: any | null, serialNumber?: string | null, allocationNumber?: string | null, id: string, documentType?: DocumentType | null, image?: any | null, file?: any | null, description?: string | null, remarks?: string | null, amount?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, missingInfoSuggestions?: { __typename?: 'DocumentSuggestions', isIncome?: boolean | null, amount?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, owner?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, creditor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, debtor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, issuedDocumentInfo?: { __typename?: 'IssuedDocumentInfo', id: string, status: DocumentStatus, originalDocument?: { __typename?: 'DocumentDraft', income?: Array<{ __typename?: 'DocumentIncomeRecord', description: string }> | null } | null } | null, charge?:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n | null } & { ' $fragmentName'?: 'TableDocumentsRowFields_CreditInvoice_Fragment' };\n\ntype TableDocumentsRowFields_Invoice_Fragment = { __typename?: 'Invoice', date?: any | null, serialNumber?: string | null, allocationNumber?: string | null, id: string, documentType?: DocumentType | null, image?: any | null, file?: any | null, description?: string | null, remarks?: string | null, amount?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, missingInfoSuggestions?: { __typename?: 'DocumentSuggestions', isIncome?: boolean | null, amount?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, owner?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, creditor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, debtor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, issuedDocumentInfo?: { __typename?: 'IssuedDocumentInfo', id: string, status: DocumentStatus, originalDocument?: { __typename?: 'DocumentDraft', income?: Array<{ __typename?: 'DocumentIncomeRecord', description: string }> | null } | null } | null, charge?:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n | null } & { ' $fragmentName'?: 'TableDocumentsRowFields_Invoice_Fragment' };\n\ntype TableDocumentsRowFields_InvoiceReceipt_Fragment = { __typename?: 'InvoiceReceipt', date?: any | null, serialNumber?: string | null, allocationNumber?: string | null, id: string, documentType?: DocumentType | null, image?: any | null, file?: any | null, description?: string | null, remarks?: string | null, amount?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, missingInfoSuggestions?: { __typename?: 'DocumentSuggestions', isIncome?: boolean | null, amount?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, owner?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, creditor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, debtor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, issuedDocumentInfo?: { __typename?: 'IssuedDocumentInfo', id: string, status: DocumentStatus, originalDocument?: { __typename?: 'DocumentDraft', income?: Array<{ __typename?: 'DocumentIncomeRecord', description: string }> | null } | null } | null, charge?:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n | null } & { ' $fragmentName'?: 'TableDocumentsRowFields_InvoiceReceipt_Fragment' };\n\ntype TableDocumentsRowFields_OtherDocument_Fragment = { __typename?: 'OtherDocument', id: string, documentType?: DocumentType | null, image?: any | null, file?: any | null, description?: string | null, remarks?: string | null, charge?:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n | null } & { ' $fragmentName'?: 'TableDocumentsRowFields_OtherDocument_Fragment' };\n\ntype TableDocumentsRowFields_Proforma_Fragment = { __typename?: 'Proforma', date?: any | null, serialNumber?: string | null, allocationNumber?: string | null, id: string, documentType?: DocumentType | null, image?: any | null, file?: any | null, description?: string | null, remarks?: string | null, amount?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, missingInfoSuggestions?: { __typename?: 'DocumentSuggestions', isIncome?: boolean | null, amount?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, owner?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, creditor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, debtor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, issuedDocumentInfo?: { __typename?: 'IssuedDocumentInfo', id: string, status: DocumentStatus, originalDocument?: { __typename?: 'DocumentDraft', income?: Array<{ __typename?: 'DocumentIncomeRecord', description: string }> | null } | null } | null, charge?:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n | null } & { ' $fragmentName'?: 'TableDocumentsRowFields_Proforma_Fragment' };\n\ntype TableDocumentsRowFields_Receipt_Fragment = { __typename?: 'Receipt', date?: any | null, serialNumber?: string | null, allocationNumber?: string | null, id: string, documentType?: DocumentType | null, image?: any | null, file?: any | null, description?: string | null, remarks?: string | null, amount?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, missingInfoSuggestions?: { __typename?: 'DocumentSuggestions', isIncome?: boolean | null, amount?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, owner?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null } | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, creditor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, debtor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, issuedDocumentInfo?: { __typename?: 'IssuedDocumentInfo', id: string, status: DocumentStatus, originalDocument?: { __typename?: 'DocumentDraft', income?: Array<{ __typename?: 'DocumentIncomeRecord', description: string }> | null } | null } | null, charge?:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n | null } & { ' $fragmentName'?: 'TableDocumentsRowFields_Receipt_Fragment' };\n\ntype TableDocumentsRowFields_Unprocessed_Fragment = { __typename?: 'Unprocessed', id: string, documentType?: DocumentType | null, image?: any | null, file?: any | null, description?: string | null, remarks?: string | null, charge?:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n | null } & { ' $fragmentName'?: 'TableDocumentsRowFields_Unprocessed_Fragment' };\n\nexport type TableDocumentsRowFieldsFragment =\n | TableDocumentsRowFields_CreditInvoice_Fragment\n | TableDocumentsRowFields_Invoice_Fragment\n | TableDocumentsRowFields_InvoiceReceipt_Fragment\n | TableDocumentsRowFields_OtherDocument_Fragment\n | TableDocumentsRowFields_Proforma_Fragment\n | TableDocumentsRowFields_Receipt_Fragment\n | TableDocumentsRowFields_Unprocessed_Fragment\n;\n\ntype DocumentsGalleryFields_BankDepositCharge_Fragment = { __typename?: 'BankDepositCharge', id: string, additionalDocuments: Array<\n | { __typename?: 'CreditInvoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Invoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'InvoiceReceipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'OtherDocument', id: string, image?: any | null }\n | { __typename?: 'Proforma', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Receipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Unprocessed', id: string, image?: any | null }\n > } & { ' $fragmentName'?: 'DocumentsGalleryFields_BankDepositCharge_Fragment' };\n\ntype DocumentsGalleryFields_BusinessTripCharge_Fragment = { __typename?: 'BusinessTripCharge', id: string, additionalDocuments: Array<\n | { __typename?: 'CreditInvoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Invoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'InvoiceReceipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'OtherDocument', id: string, image?: any | null }\n | { __typename?: 'Proforma', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Receipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Unprocessed', id: string, image?: any | null }\n > } & { ' $fragmentName'?: 'DocumentsGalleryFields_BusinessTripCharge_Fragment' };\n\ntype DocumentsGalleryFields_CommonCharge_Fragment = { __typename?: 'CommonCharge', id: string, additionalDocuments: Array<\n | { __typename?: 'CreditInvoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Invoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'InvoiceReceipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'OtherDocument', id: string, image?: any | null }\n | { __typename?: 'Proforma', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Receipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Unprocessed', id: string, image?: any | null }\n > } & { ' $fragmentName'?: 'DocumentsGalleryFields_CommonCharge_Fragment' };\n\ntype DocumentsGalleryFields_ConversionCharge_Fragment = { __typename?: 'ConversionCharge', id: string, additionalDocuments: Array<\n | { __typename?: 'CreditInvoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Invoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'InvoiceReceipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'OtherDocument', id: string, image?: any | null }\n | { __typename?: 'Proforma', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Receipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Unprocessed', id: string, image?: any | null }\n > } & { ' $fragmentName'?: 'DocumentsGalleryFields_ConversionCharge_Fragment' };\n\ntype DocumentsGalleryFields_CreditcardBankCharge_Fragment = { __typename?: 'CreditcardBankCharge', id: string, additionalDocuments: Array<\n | { __typename?: 'CreditInvoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Invoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'InvoiceReceipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'OtherDocument', id: string, image?: any | null }\n | { __typename?: 'Proforma', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Receipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Unprocessed', id: string, image?: any | null }\n > } & { ' $fragmentName'?: 'DocumentsGalleryFields_CreditcardBankCharge_Fragment' };\n\ntype DocumentsGalleryFields_DividendCharge_Fragment = { __typename?: 'DividendCharge', id: string, additionalDocuments: Array<\n | { __typename?: 'CreditInvoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Invoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'InvoiceReceipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'OtherDocument', id: string, image?: any | null }\n | { __typename?: 'Proforma', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Receipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Unprocessed', id: string, image?: any | null }\n > } & { ' $fragmentName'?: 'DocumentsGalleryFields_DividendCharge_Fragment' };\n\ntype DocumentsGalleryFields_FinancialCharge_Fragment = { __typename?: 'FinancialCharge', id: string, additionalDocuments: Array<\n | { __typename?: 'CreditInvoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Invoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'InvoiceReceipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'OtherDocument', id: string, image?: any | null }\n | { __typename?: 'Proforma', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Receipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Unprocessed', id: string, image?: any | null }\n > } & { ' $fragmentName'?: 'DocumentsGalleryFields_FinancialCharge_Fragment' };\n\ntype DocumentsGalleryFields_ForeignSecuritiesCharge_Fragment = { __typename?: 'ForeignSecuritiesCharge', id: string, additionalDocuments: Array<\n | { __typename?: 'CreditInvoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Invoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'InvoiceReceipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'OtherDocument', id: string, image?: any | null }\n | { __typename?: 'Proforma', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Receipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Unprocessed', id: string, image?: any | null }\n > } & { ' $fragmentName'?: 'DocumentsGalleryFields_ForeignSecuritiesCharge_Fragment' };\n\ntype DocumentsGalleryFields_InternalTransferCharge_Fragment = { __typename?: 'InternalTransferCharge', id: string, additionalDocuments: Array<\n | { __typename?: 'CreditInvoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Invoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'InvoiceReceipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'OtherDocument', id: string, image?: any | null }\n | { __typename?: 'Proforma', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Receipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Unprocessed', id: string, image?: any | null }\n > } & { ' $fragmentName'?: 'DocumentsGalleryFields_InternalTransferCharge_Fragment' };\n\ntype DocumentsGalleryFields_MonthlyVatCharge_Fragment = { __typename?: 'MonthlyVatCharge', id: string, additionalDocuments: Array<\n | { __typename?: 'CreditInvoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Invoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'InvoiceReceipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'OtherDocument', id: string, image?: any | null }\n | { __typename?: 'Proforma', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Receipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Unprocessed', id: string, image?: any | null }\n > } & { ' $fragmentName'?: 'DocumentsGalleryFields_MonthlyVatCharge_Fragment' };\n\ntype DocumentsGalleryFields_SalaryCharge_Fragment = { __typename?: 'SalaryCharge', id: string, additionalDocuments: Array<\n | { __typename?: 'CreditInvoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Invoice', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'InvoiceReceipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'OtherDocument', id: string, image?: any | null }\n | { __typename?: 'Proforma', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Receipt', documentType?: DocumentType | null, id: string, image?: any | null }\n | { __typename?: 'Unprocessed', id: string, image?: any | null }\n > } & { ' $fragmentName'?: 'DocumentsGalleryFields_SalaryCharge_Fragment' };\n\nexport type DocumentsGalleryFieldsFragment =\n | DocumentsGalleryFields_BankDepositCharge_Fragment\n | DocumentsGalleryFields_BusinessTripCharge_Fragment\n | DocumentsGalleryFields_CommonCharge_Fragment\n | DocumentsGalleryFields_ConversionCharge_Fragment\n | DocumentsGalleryFields_CreditcardBankCharge_Fragment\n | DocumentsGalleryFields_DividendCharge_Fragment\n | DocumentsGalleryFields_FinancialCharge_Fragment\n | DocumentsGalleryFields_ForeignSecuritiesCharge_Fragment\n | DocumentsGalleryFields_InternalTransferCharge_Fragment\n | DocumentsGalleryFields_MonthlyVatCharge_Fragment\n | DocumentsGalleryFields_SalaryCharge_Fragment\n;\n\nexport type LedgerRecordsTableFieldsFragment = { __typename?: 'LedgerRecord', id: string, invoiceDate: any, valueDate: any, description?: string | null, reference?: string | null, creditAccount1?:\n | { __typename: 'LtdFinancialEntity', id: string, name: string }\n | { __typename: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename: 'TaxCategory', id: string, name: string }\n | null, creditAccount2?:\n | { __typename: 'LtdFinancialEntity', id: string, name: string }\n | { __typename: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename: 'TaxCategory', id: string, name: string }\n | null, debitAccount1?:\n | { __typename: 'LtdFinancialEntity', id: string, name: string }\n | { __typename: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename: 'TaxCategory', id: string, name: string }\n | null, debitAccount2?:\n | { __typename: 'LtdFinancialEntity', id: string, name: string }\n | { __typename: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename: 'TaxCategory', id: string, name: string }\n | null, creditAmount1?: { __typename?: 'FinancialAmount', formatted: string, currency: Currency } | null, creditAmount2?: { __typename?: 'FinancialAmount', formatted: string, currency: Currency } | null, debitAmount1?: { __typename?: 'FinancialAmount', formatted: string, currency: Currency } | null, debitAmount2?: { __typename?: 'FinancialAmount', formatted: string, currency: Currency } | null, localCurrencyCreditAmount1: { __typename?: 'FinancialAmount', formatted: string, raw: number }, localCurrencyCreditAmount2?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null, localCurrencyDebitAmount1: { __typename?: 'FinancialAmount', formatted: string, raw: number }, localCurrencyDebitAmount2?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null } & { ' $fragmentName'?: 'LedgerRecordsTableFieldsFragment' };\n\nexport type AccountantApprovalsChargesTableQueryVariables = Exact<{\n page?: InputMaybe<Scalars['Int']['input']>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n filters?: InputMaybe<ChargeFilter>;\n}>;\n\n\nexport type AccountantApprovalsChargesTableQuery = { __typename?: 'Query', allCharges: { __typename?: 'PaginatedCharges', nodes: Array<\n | { __typename?: 'BankDepositCharge', id: string, accountantApproval: AccountantStatus }\n | { __typename?: 'BusinessTripCharge', id: string, accountantApproval: AccountantStatus }\n | { __typename?: 'CommonCharge', id: string, accountantApproval: AccountantStatus }\n | { __typename?: 'ConversionCharge', id: string, accountantApproval: AccountantStatus }\n | { __typename?: 'CreditcardBankCharge', id: string, accountantApproval: AccountantStatus }\n | { __typename?: 'DividendCharge', id: string, accountantApproval: AccountantStatus }\n | { __typename?: 'FinancialCharge', id: string, accountantApproval: AccountantStatus }\n | { __typename?: 'ForeignSecuritiesCharge', id: string, accountantApproval: AccountantStatus }\n | { __typename?: 'InternalTransferCharge', id: string, accountantApproval: AccountantStatus }\n | { __typename?: 'MonthlyVatCharge', id: string, accountantApproval: AccountantStatus }\n | { __typename?: 'SalaryCharge', id: string, accountantApproval: AccountantStatus }\n > } };\n\nexport type AllContoReportsQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllContoReportsQuery = { __typename?: 'Query', allDynamicReports: Array<{ __typename?: 'DynamicReportInfo', id: string, name: string, updated: any }> };\n\nexport type ContoReportQueryVariables = Exact<{\n filters?: InputMaybe<BusinessTransactionsFilter>;\n}>;\n\n\nexport type ContoReportQuery = { __typename?: 'Query', businessTransactionsSumFromLedgerRecords:\n | { __typename?: 'BusinessTransactionsSumFromLedgerRecordsSuccessfulResult', businessTransactionsSum: Array<{ __typename?: 'BusinessTransactionSum', business:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string, sortCode?: { __typename?: 'SortCode', id: string, key: number, name?: string | null } | null }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string, sortCode?: { __typename?: 'SortCode', id: string, key: number, name?: string | null } | null }\n | { __typename?: 'TaxCategory', id: string, name: string, sortCode?: { __typename?: 'SortCode', id: string, key: number, name?: string | null } | null }\n , credit: { __typename?: 'FinancialAmount', formatted: string, raw: number }, debit: { __typename?: 'FinancialAmount', formatted: string, raw: number }, total: { __typename?: 'FinancialAmount', formatted: string, raw: number } }> }\n | { __typename: 'CommonError' }\n };\n\nexport type TemplateForContoReportQueryVariables = Exact<{\n name: Scalars['String']['input'];\n}>;\n\n\nexport type TemplateForContoReportQuery = { __typename?: 'Query', dynamicReport: { __typename?: 'DynamicReportInfo', id: string, name: string, template: Array<{ __typename?: 'DynamicReportNode', id: string, parent: string, text: string, droppable: boolean, data: { __typename?: 'DynamicReportNodeData', descendantSortCodes?: Array<number> | null, descendantFinancialEntities?: Array<string> | null, mergedSortCodes?: Array<number> | null, isOpen: boolean, hebrewText?: string | null } }> } };\n\nexport type CorporateTaxRulingComplianceReportQueryVariables = Exact<{\n years: Array<Scalars['Int']['input']> | Scalars['Int']['input'];\n}>;\n\n\nexport type CorporateTaxRulingComplianceReportQuery = { __typename?: 'Query', corporateTaxRulingComplianceReport: Array<{ __typename?: 'CorporateTaxRulingComplianceReport', id: string, year: number, totalIncome: { __typename?: 'FinancialAmount', formatted: string, raw: number, currency: Currency }, researchAndDevelopmentExpenses: { __typename?: 'FinancialAmount', formatted: string, raw: number, currency: Currency }, rndRelativeToIncome: (\n { __typename?: 'CorporateTaxRule', rule: string }\n & { ' $fragmentRefs'?: { 'CorporateTaxRulingReportRuleCellFieldsFragment': CorporateTaxRulingReportRuleCellFieldsFragment } }\n ), localDevelopmentExpenses: { __typename?: 'FinancialAmount', formatted: string, raw: number, currency: Currency }, localDevelopmentRelativeToRnd: (\n { __typename?: 'CorporateTaxRule', rule: string }\n & { ' $fragmentRefs'?: { 'CorporateTaxRulingReportRuleCellFieldsFragment': CorporateTaxRulingReportRuleCellFieldsFragment } }\n ), foreignDevelopmentExpenses: { __typename?: 'FinancialAmount', formatted: string, raw: number, currency: Currency }, foreignDevelopmentRelativeToRnd: (\n { __typename?: 'CorporateTaxRule', rule: string }\n & { ' $fragmentRefs'?: { 'CorporateTaxRulingReportRuleCellFieldsFragment': CorporateTaxRulingReportRuleCellFieldsFragment } }\n ), businessTripRndExpenses: { __typename?: 'FinancialAmount', formatted: string, raw: number, currency: Currency } } & ({ __typename?: 'CorporateTaxRulingComplianceReport', differences: { __typename?: 'CorporateTaxRulingComplianceReportDifferences', id: string, totalIncome?: { __typename?: 'FinancialAmount', formatted: string, raw: number, currency: Currency } | null, researchAndDevelopmentExpenses?: { __typename?: 'FinancialAmount', formatted: string, raw: number, currency: Currency } | null, rndRelativeToIncome?: (\n { __typename?: 'CorporateTaxRule' }\n & { ' $fragmentRefs'?: { 'CorporateTaxRulingReportRuleCellFieldsFragment': CorporateTaxRulingReportRuleCellFieldsFragment } }\n ) | null, localDevelopmentExpenses?: { __typename?: 'FinancialAmount', formatted: string, raw: number, currency: Currency } | null, localDevelopmentRelativeToRnd?: (\n { __typename?: 'CorporateTaxRule' }\n & { ' $fragmentRefs'?: { 'CorporateTaxRulingReportRuleCellFieldsFragment': CorporateTaxRulingReportRuleCellFieldsFragment } }\n ) | null, foreignDevelopmentExpenses?: { __typename?: 'FinancialAmount', formatted: string, raw: number, currency: Currency } | null, foreignDevelopmentRelativeToRnd?: (\n { __typename?: 'CorporateTaxRule' }\n & { ' $fragmentRefs'?: { 'CorporateTaxRulingReportRuleCellFieldsFragment': CorporateTaxRulingReportRuleCellFieldsFragment } }\n ) | null, businessTripRndExpenses?: { __typename?: 'FinancialAmount', formatted: string, raw: number, currency: Currency } | null } } | { __typename?: 'CorporateTaxRulingComplianceReport', differences?: never })> };\n\nexport type CorporateTaxRulingReportRuleCellFieldsFragment = { __typename?: 'CorporateTaxRule', id: string, rule: string, isCompliant: boolean, percentage: { __typename?: 'CorporateTaxRulePercentage', formatted: string } } & { ' $fragmentName'?: 'CorporateTaxRulingReportRuleCellFieldsFragment' };\n\nexport type ProfitAndLossReportQueryVariables = Exact<{\n reportYear: Scalars['Int']['input'];\n referenceYears: Array<Scalars['Int']['input']> | Scalars['Int']['input'];\n}>;\n\n\nexport type ProfitAndLossReportQuery = { __typename?: 'Query', profitAndLossReport: { __typename?: 'ProfitAndLossReport', id: string, report: { __typename?: 'ProfitAndLossReportYear', id: string, year: number, revenue: (\n { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }\n & { ' $fragmentRefs'?: { 'ReportCommentaryTableFieldsFragment': ReportCommentaryTableFieldsFragment } }\n ), costOfSales: (\n { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }\n & { ' $fragmentRefs'?: { 'ReportCommentaryTableFieldsFragment': ReportCommentaryTableFieldsFragment } }\n ), grossProfit: { __typename?: 'FinancialAmount', formatted: string }, researchAndDevelopmentExpenses: (\n { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }\n & { ' $fragmentRefs'?: { 'ReportCommentaryTableFieldsFragment': ReportCommentaryTableFieldsFragment } }\n ), marketingExpenses: (\n { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }\n & { ' $fragmentRefs'?: { 'ReportCommentaryTableFieldsFragment': ReportCommentaryTableFieldsFragment } }\n ), managementAndGeneralExpenses: (\n { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }\n & { ' $fragmentRefs'?: { 'ReportCommentaryTableFieldsFragment': ReportCommentaryTableFieldsFragment } }\n ), operatingProfit: { __typename?: 'FinancialAmount', formatted: string }, financialExpenses: (\n { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }\n & { ' $fragmentRefs'?: { 'ReportCommentaryTableFieldsFragment': ReportCommentaryTableFieldsFragment } }\n ), otherIncome: (\n { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }\n & { ' $fragmentRefs'?: { 'ReportCommentaryTableFieldsFragment': ReportCommentaryTableFieldsFragment } }\n ), profitBeforeTax: { __typename?: 'FinancialAmount', formatted: string }, tax: { __typename?: 'FinancialAmount', formatted: string }, netProfit: { __typename?: 'FinancialAmount', formatted: string } }, reference: Array<{ __typename?: 'ProfitAndLossReportYear', id: string, year: number, revenue: { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }, costOfSales: { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }, grossProfit: { __typename?: 'FinancialAmount', formatted: string }, researchAndDevelopmentExpenses: { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }, marketingExpenses: { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }, managementAndGeneralExpenses: { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }, operatingProfit: { __typename?: 'FinancialAmount', formatted: string }, financialExpenses: { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }, otherIncome: { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }, profitBeforeTax: { __typename?: 'FinancialAmount', formatted: string }, tax: { __typename?: 'FinancialAmount', formatted: string }, netProfit: { __typename?: 'FinancialAmount', formatted: string } }> } };\n\nexport type ReportCommentaryTableFieldsFragment = { __typename?: 'ReportCommentary', records: Array<{ __typename?: 'ReportCommentaryRecord', sortCode: { __typename?: 'SortCode', id: string, key: number, name?: string | null }, amount: { __typename?: 'FinancialAmount', formatted: string }, records: Array<(\n { __typename?: 'ReportCommentarySubRecord' }\n & { ' $fragmentRefs'?: { 'ReportSubCommentaryTableFieldsFragment': ReportSubCommentaryTableFieldsFragment } }\n )> }> } & { ' $fragmentName'?: 'ReportCommentaryTableFieldsFragment' };\n\nexport type ReportSubCommentaryTableFieldsFragment = { __typename?: 'ReportCommentarySubRecord', financialEntity:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n , amount: { __typename?: 'FinancialAmount', formatted: string } } & { ' $fragmentName'?: 'ReportSubCommentaryTableFieldsFragment' };\n\nexport type TaxReportQueryVariables = Exact<{\n reportYear: Scalars['Int']['input'];\n referenceYears: Array<Scalars['Int']['input']> | Scalars['Int']['input'];\n}>;\n\n\nexport type TaxReportQuery = { __typename?: 'Query', taxReport: { __typename?: 'TaxReport', id: string, report: { __typename?: 'TaxReportYear', id: string, year: number, taxRate: number, specialTaxRate: number, profitBeforeTax: (\n { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }\n & { ' $fragmentRefs'?: { 'ReportCommentaryTableFieldsFragment': ReportCommentaryTableFieldsFragment } }\n ), researchAndDevelopmentExpensesByRecords: (\n { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }\n & { ' $fragmentRefs'?: { 'ReportCommentaryTableFieldsFragment': ReportCommentaryTableFieldsFragment } }\n ), researchAndDevelopmentExpensesForTax: { __typename?: 'FinancialAmount', formatted: string }, fines: (\n { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }\n & { ' $fragmentRefs'?: { 'ReportCommentaryTableFieldsFragment': ReportCommentaryTableFieldsFragment } }\n ), untaxableGifts: (\n { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }\n & { ' $fragmentRefs'?: { 'ReportCommentaryTableFieldsFragment': ReportCommentaryTableFieldsFragment } }\n ), businessTripsExcessExpensesAmount: { __typename?: 'FinancialAmount', formatted: string }, salaryExcessExpensesAmount: { __typename?: 'FinancialAmount', formatted: string }, reserves: (\n { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }\n & { ' $fragmentRefs'?: { 'ReportCommentaryTableFieldsFragment': ReportCommentaryTableFieldsFragment } }\n ), nontaxableLinkage: (\n { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }\n & { ' $fragmentRefs'?: { 'ReportCommentaryTableFieldsFragment': ReportCommentaryTableFieldsFragment } }\n ), taxableIncome: { __typename?: 'FinancialAmount', formatted: string }, specialTaxableIncome: (\n { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }\n & { ' $fragmentRefs'?: { 'ReportCommentaryTableFieldsFragment': ReportCommentaryTableFieldsFragment } }\n ), annualTaxExpense: { __typename?: 'FinancialAmount', formatted: string } }, reference: Array<{ __typename?: 'TaxReportYear', id: string, year: number, taxRate: number, specialTaxRate: number, profitBeforeTax: { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }, researchAndDevelopmentExpensesByRecords: { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }, researchAndDevelopmentExpensesForTax: { __typename?: 'FinancialAmount', formatted: string }, fines: { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }, untaxableGifts: { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }, businessTripsExcessExpensesAmount: { __typename?: 'FinancialAmount', formatted: string }, salaryExcessExpensesAmount: { __typename?: 'FinancialAmount', formatted: string }, reserves: { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }, nontaxableLinkage: { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }, taxableIncome: { __typename?: 'FinancialAmount', formatted: string }, specialTaxableIncome: (\n { __typename?: 'ReportCommentary', amount: { __typename?: 'FinancialAmount', formatted: string } }\n & { ' $fragmentRefs'?: { 'ReportCommentaryTableFieldsFragment': ReportCommentaryTableFieldsFragment } }\n ), annualTaxExpense: { __typename?: 'FinancialAmount', formatted: string } }> } };\n\nexport type TrialBalanceReportQueryVariables = Exact<{\n filters?: InputMaybe<BusinessTransactionsFilter>;\n}>;\n\n\nexport type TrialBalanceReportQuery = { __typename?: 'Query', businessTransactionsSumFromLedgerRecords:\n | (\n { __typename?: 'BusinessTransactionsSumFromLedgerRecordsSuccessfulResult' }\n & { ' $fragmentRefs'?: { 'TrialBalanceTableFieldsFragment': TrialBalanceTableFieldsFragment } }\n )\n | { __typename: 'CommonError' }\n };\n\nexport type TrialBalanceTableFieldsFragment = { __typename?: 'BusinessTransactionsSumFromLedgerRecordsSuccessfulResult', businessTransactionsSum: Array<{ __typename?: 'BusinessTransactionSum', business:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string, sortCode?: { __typename?: 'SortCode', id: string, key: number, name?: string | null } | null }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string, sortCode?: { __typename?: 'SortCode', id: string, key: number, name?: string | null } | null }\n | { __typename?: 'TaxCategory', id: string, name: string, sortCode?: { __typename?: 'SortCode', id: string, key: number, name?: string | null } | null }\n , credit: { __typename?: 'FinancialAmount', formatted: string, raw: number }, debit: { __typename?: 'FinancialAmount', formatted: string, raw: number }, total: { __typename?: 'FinancialAmount', formatted: string, raw: number } }> } & { ' $fragmentName'?: 'TrialBalanceTableFieldsFragment' };\n\nexport type ValidatePcn874ReportsQueryVariables = Exact<{\n businessId?: InputMaybe<Scalars['UUID']['input']>;\n fromMonthDate: Scalars['TimelessDate']['input'];\n toMonthDate: Scalars['TimelessDate']['input'];\n}>;\n\n\nexport type ValidatePcn874ReportsQuery = { __typename?: 'Query', pcnByDate: Array<{ __typename?: 'Pcn874Records', id: string, date: any, content: string, diffContent?: string | null, business:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n }> };\n\nexport type VatReportBusinessTripsFieldsFragment = { __typename?: 'VatReportResult', businessTrips: Array<\n | (\n { __typename?: 'BankDepositCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_BankDepositCharge_Fragment': ChargesTableFields_BankDepositCharge_Fragment } }\n )\n | (\n { __typename?: 'BusinessTripCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_BusinessTripCharge_Fragment': ChargesTableFields_BusinessTripCharge_Fragment } }\n )\n | (\n { __typename?: 'CommonCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_CommonCharge_Fragment': ChargesTableFields_CommonCharge_Fragment } }\n )\n | (\n { __typename?: 'ConversionCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_ConversionCharge_Fragment': ChargesTableFields_ConversionCharge_Fragment } }\n )\n | (\n { __typename?: 'CreditcardBankCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_CreditcardBankCharge_Fragment': ChargesTableFields_CreditcardBankCharge_Fragment } }\n )\n | (\n { __typename?: 'DividendCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_DividendCharge_Fragment': ChargesTableFields_DividendCharge_Fragment } }\n )\n | (\n { __typename?: 'FinancialCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_FinancialCharge_Fragment': ChargesTableFields_FinancialCharge_Fragment } }\n )\n | (\n { __typename?: 'ForeignSecuritiesCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_ForeignSecuritiesCharge_Fragment': ChargesTableFields_ForeignSecuritiesCharge_Fragment } }\n )\n | (\n { __typename?: 'InternalTransferCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_InternalTransferCharge_Fragment': ChargesTableFields_InternalTransferCharge_Fragment } }\n )\n | (\n { __typename?: 'MonthlyVatCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_MonthlyVatCharge_Fragment': ChargesTableFields_MonthlyVatCharge_Fragment } }\n )\n | (\n { __typename?: 'SalaryCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_SalaryCharge_Fragment': ChargesTableFields_SalaryCharge_Fragment } }\n )\n > } & { ' $fragmentName'?: 'VatReportBusinessTripsFieldsFragment' };\n\nexport type VatReportAccountantApprovalFieldsFragment = { __typename?: 'VatReportRecord', chargeId: string, chargeAccountantStatus?: AccountantStatus | null } & { ' $fragmentName'?: 'VatReportAccountantApprovalFieldsFragment' };\n\nexport type VatReportExpensesRowFieldsFragment = (\n { __typename?: 'VatReportRecord', vatNumber?: string | null, image?: string | null, allocationNumber?: string | null, documentSerial?: string | null, documentDate?: any | null, chargeDate?: any | null, chargeId: string, recordType: Pcn874RecordType, business?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, amount: { __typename?: 'FinancialAmount', formatted: string, raw: number }, localAmount?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null, localVat?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null, foreignVatAfterDeduction?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null, localVatAfterDeduction?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null, roundedLocalVatAfterDeduction?: { __typename?: 'FinancialIntAmount', formatted: string, raw: number } | null, taxReducedLocalAmount?: { __typename?: 'FinancialIntAmount', formatted: string, raw: number } | null }\n & { ' $fragmentRefs'?: { 'VatReportAccountantApprovalFieldsFragment': VatReportAccountantApprovalFieldsFragment } }\n) & { ' $fragmentName'?: 'VatReportExpensesRowFieldsFragment' };\n\nexport type VatReportExpensesFieldsFragment = { __typename?: 'VatReportResult', expenses: Array<(\n { __typename?: 'VatReportRecord', recordType: Pcn874RecordType, roundedLocalVatAfterDeduction?: { __typename?: 'FinancialIntAmount', raw: number } | null, taxReducedLocalAmount?: { __typename?: 'FinancialIntAmount', raw: number } | null }\n & { ' $fragmentRefs'?: { 'VatReportExpensesRowFieldsFragment': VatReportExpensesRowFieldsFragment } }\n )> } & { ' $fragmentName'?: 'VatReportExpensesFieldsFragment' };\n\nexport type VatReportIncomeRowFieldsFragment = (\n { __typename?: 'VatReportRecord', chargeId: string, vatNumber?: string | null, image?: string | null, allocationNumber?: string | null, documentSerial?: string | null, documentDate?: any | null, chargeDate?: any | null, recordType: Pcn874RecordType, business?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, taxReducedForeignAmount?: { __typename?: 'FinancialIntAmount', formatted: string, raw: number } | null, taxReducedLocalAmount?: { __typename?: 'FinancialIntAmount', formatted: string, raw: number } | null }\n & { ' $fragmentRefs'?: { 'VatReportAccountantApprovalFieldsFragment': VatReportAccountantApprovalFieldsFragment } }\n) & { ' $fragmentName'?: 'VatReportIncomeRowFieldsFragment' };\n\nexport type VatReportIncomeFieldsFragment = { __typename?: 'VatReportResult', income: Array<(\n { __typename?: 'VatReportRecord', recordType: Pcn874RecordType, taxReducedLocalAmount?: { __typename?: 'FinancialIntAmount', raw: number } | null }\n & { ' $fragmentRefs'?: { 'VatReportIncomeRowFieldsFragment': VatReportIncomeRowFieldsFragment } }\n )> } & { ' $fragmentName'?: 'VatReportIncomeFieldsFragment' };\n\nexport type VatMonthlyReportQueryVariables = Exact<{\n filters?: InputMaybe<VatReportFilter>;\n}>;\n\n\nexport type VatMonthlyReportQuery = { __typename?: 'Query', vatReport: (\n { __typename?: 'VatReportResult' }\n & { ' $fragmentRefs'?: { 'VatReportSummaryFieldsFragment': VatReportSummaryFieldsFragment;'VatReportIncomeFieldsFragment': VatReportIncomeFieldsFragment;'VatReportExpensesFieldsFragment': VatReportExpensesFieldsFragment;'VatReportMissingInfoFieldsFragment': VatReportMissingInfoFieldsFragment;'VatReportMiscTableFieldsFragment': VatReportMiscTableFieldsFragment;'VatReportBusinessTripsFieldsFragment': VatReportBusinessTripsFieldsFragment } }\n ) };\n\nexport type VatReportMiscTableFieldsFragment = { __typename?: 'VatReportResult', differentMonthDoc: Array<\n | (\n { __typename?: 'BankDepositCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_BankDepositCharge_Fragment': ChargesTableFields_BankDepositCharge_Fragment } }\n )\n | (\n { __typename?: 'BusinessTripCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_BusinessTripCharge_Fragment': ChargesTableFields_BusinessTripCharge_Fragment } }\n )\n | (\n { __typename?: 'CommonCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_CommonCharge_Fragment': ChargesTableFields_CommonCharge_Fragment } }\n )\n | (\n { __typename?: 'ConversionCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_ConversionCharge_Fragment': ChargesTableFields_ConversionCharge_Fragment } }\n )\n | (\n { __typename?: 'CreditcardBankCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_CreditcardBankCharge_Fragment': ChargesTableFields_CreditcardBankCharge_Fragment } }\n )\n | (\n { __typename?: 'DividendCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_DividendCharge_Fragment': ChargesTableFields_DividendCharge_Fragment } }\n )\n | (\n { __typename?: 'FinancialCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_FinancialCharge_Fragment': ChargesTableFields_FinancialCharge_Fragment } }\n )\n | (\n { __typename?: 'ForeignSecuritiesCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_ForeignSecuritiesCharge_Fragment': ChargesTableFields_ForeignSecuritiesCharge_Fragment } }\n )\n | (\n { __typename?: 'InternalTransferCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_InternalTransferCharge_Fragment': ChargesTableFields_InternalTransferCharge_Fragment } }\n )\n | (\n { __typename?: 'MonthlyVatCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_MonthlyVatCharge_Fragment': ChargesTableFields_MonthlyVatCharge_Fragment } }\n )\n | (\n { __typename?: 'SalaryCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_SalaryCharge_Fragment': ChargesTableFields_SalaryCharge_Fragment } }\n )\n > } & { ' $fragmentName'?: 'VatReportMiscTableFieldsFragment' };\n\nexport type VatReportMissingInfoFieldsFragment = { __typename?: 'VatReportResult', missingInfo: Array<\n | (\n { __typename?: 'BankDepositCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_BankDepositCharge_Fragment': ChargesTableFields_BankDepositCharge_Fragment } }\n )\n | (\n { __typename?: 'BusinessTripCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_BusinessTripCharge_Fragment': ChargesTableFields_BusinessTripCharge_Fragment } }\n )\n | (\n { __typename?: 'CommonCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_CommonCharge_Fragment': ChargesTableFields_CommonCharge_Fragment } }\n )\n | (\n { __typename?: 'ConversionCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_ConversionCharge_Fragment': ChargesTableFields_ConversionCharge_Fragment } }\n )\n | (\n { __typename?: 'CreditcardBankCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_CreditcardBankCharge_Fragment': ChargesTableFields_CreditcardBankCharge_Fragment } }\n )\n | (\n { __typename?: 'DividendCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_DividendCharge_Fragment': ChargesTableFields_DividendCharge_Fragment } }\n )\n | (\n { __typename?: 'FinancialCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_FinancialCharge_Fragment': ChargesTableFields_FinancialCharge_Fragment } }\n )\n | (\n { __typename?: 'ForeignSecuritiesCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_ForeignSecuritiesCharge_Fragment': ChargesTableFields_ForeignSecuritiesCharge_Fragment } }\n )\n | (\n { __typename?: 'InternalTransferCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_InternalTransferCharge_Fragment': ChargesTableFields_InternalTransferCharge_Fragment } }\n )\n | (\n { __typename?: 'MonthlyVatCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_MonthlyVatCharge_Fragment': ChargesTableFields_MonthlyVatCharge_Fragment } }\n )\n | (\n { __typename?: 'SalaryCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_SalaryCharge_Fragment': ChargesTableFields_SalaryCharge_Fragment } }\n )\n > } & { ' $fragmentName'?: 'VatReportMissingInfoFieldsFragment' };\n\nexport type GeneratePcnQueryVariables = Exact<{\n monthDate: Scalars['TimelessDate']['input'];\n financialEntityId: Scalars['UUID']['input'];\n}>;\n\n\nexport type GeneratePcnQuery = { __typename?: 'Query', pcnFile: { __typename?: 'PCNFileResult', reportContent: string, fileName: string } };\n\nexport type VatReportSummaryFieldsFragment = { __typename?: 'VatReportResult', expenses: Array<{ __typename?: 'VatReportRecord', recordType: Pcn874RecordType, isProperty: boolean, roundedLocalVatAfterDeduction?: { __typename?: 'FinancialIntAmount', raw: number } | null, taxReducedLocalAmount?: { __typename?: 'FinancialIntAmount', raw: number } | null }>, income: Array<{ __typename?: 'VatReportRecord', recordType: Pcn874RecordType, roundedLocalVatAfterDeduction?: { __typename?: 'FinancialIntAmount', raw: number } | null, taxReducedLocalAmount?: { __typename?: 'FinancialIntAmount', raw: number } | null }> } & { ' $fragmentName'?: 'VatReportSummaryFieldsFragment' };\n\nexport type LedgerCsvFieldsFragment = { __typename?: 'YearlyLedgerReport', id: string, year: number, financialEntitiesInfo: Array<{ __typename?: 'YearlyLedgerReportFinancialEntityInfo', entity:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string, sortCode?: { __typename?: 'SortCode', id: string, key: number } | null }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string, sortCode?: { __typename?: 'SortCode', id: string, key: number } | null }\n | { __typename?: 'TaxCategory', id: string, name: string, sortCode?: { __typename?: 'SortCode', id: string, key: number } | null }\n , openingBalance: { __typename?: 'FinancialAmount', raw: number }, totalCredit: { __typename?: 'FinancialAmount', raw: number }, totalDebit: { __typename?: 'FinancialAmount', raw: number }, closingBalance: { __typename?: 'FinancialAmount', raw: number }, records: Array<{ __typename?: 'SingleSidedLedgerRecord', id: string, invoiceDate: any, valueDate: any, description?: string | null, reference?: string | null, balance: number, amount: { __typename?: 'FinancialAmount', raw: number, formatted: string }, counterParty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }> }> } & { ' $fragmentName'?: 'LedgerCsvFieldsFragment' };\n\nexport type YearlyLedgerQueryVariables = Exact<{\n year: Scalars['Int']['input'];\n}>;\n\n\nexport type YearlyLedgerQuery = { __typename?: 'Query', yearlyLedgerReport: (\n { __typename?: 'YearlyLedgerReport', id: string, year: number, financialEntitiesInfo: Array<{ __typename?: 'YearlyLedgerReportFinancialEntityInfo', entity:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string, sortCode?: { __typename?: 'SortCode', id: string, key: number } | null }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string, sortCode?: { __typename?: 'SortCode', id: string, key: number } | null }\n | { __typename?: 'TaxCategory', id: string, name: string, sortCode?: { __typename?: 'SortCode', id: string, key: number } | null }\n , openingBalance: { __typename?: 'FinancialAmount', raw: number }, totalCredit: { __typename?: 'FinancialAmount', raw: number }, totalDebit: { __typename?: 'FinancialAmount', raw: number }, closingBalance: { __typename?: 'FinancialAmount', raw: number }, records: Array<{ __typename?: 'SingleSidedLedgerRecord', id: string, invoiceDate: any, valueDate: any, description?: string | null, reference?: string | null, balance: number, amount: { __typename?: 'FinancialAmount', raw: number, formatted: string }, counterParty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null }> }> }\n & { ' $fragmentRefs'?: { 'LedgerCsvFieldsFragment': LedgerCsvFieldsFragment } }\n ) };\n\nexport type SalaryScreenRecordsQueryVariables = Exact<{\n fromDate: Scalars['TimelessDate']['input'];\n toDate: Scalars['TimelessDate']['input'];\n employeeIDs?: InputMaybe<Array<Scalars['UUID']['input']> | Scalars['UUID']['input']>;\n}>;\n\n\nexport type SalaryScreenRecordsQuery = { __typename?: 'Query', salaryRecordsByDates: Array<(\n { __typename?: 'Salary', month: string, employee?: { __typename?: 'LtdFinancialEntity', id: string } | null }\n & { ' $fragmentRefs'?: { 'SalariesTableFieldsFragment': SalariesTableFieldsFragment } }\n )> };\n\nexport type SalariesRecordEmployeeFieldsFragment = { __typename?: 'Salary', month: string, employee?: { __typename?: 'LtdFinancialEntity', id: string, name: string } | null } & { ' $fragmentName'?: 'SalariesRecordEmployeeFieldsFragment' };\n\nexport type SalariesRecordFundsFieldsFragment = { __typename?: 'Salary', month: string, pensionEmployeePercentage?: number | null, pensionEmployerPercentage?: number | null, compensationsPercentage?: number | null, trainingFundEmployeePercentage?: number | null, trainingFundEmployerPercentage?: number | null, employee?: { __typename?: 'LtdFinancialEntity', id: string } | null, pensionFund?: { __typename?: 'LtdFinancialEntity', id: string, name: string } | null, pensionEmployeeAmount?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null, pensionEmployerAmount?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null, compensationsAmount?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null, trainingFund?: { __typename?: 'LtdFinancialEntity', id: string, name: string } | null, trainingFundEmployeeAmount?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null, trainingFundEmployerAmount?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null } & { ' $fragmentName'?: 'SalariesRecordFundsFieldsFragment' };\n\nexport type SalariesRecordInsurancesAndTaxesFieldsFragment = { __typename?: 'Salary', month: string, employee?: { __typename?: 'LtdFinancialEntity', id: string } | null, healthInsuranceAmount?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null, socialSecurityEmployeeAmount?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null, socialSecurityEmployerAmount?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null, incomeTaxAmount?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null, notionalExpense?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null } & { ' $fragmentName'?: 'SalariesRecordInsurancesAndTaxesFieldsFragment' };\n\nexport type SalariesRecordMainSalaryFieldsFragment = { __typename?: 'Salary', month: string, employee?: { __typename?: 'LtdFinancialEntity', id: string } | null, baseAmount?: { __typename?: 'FinancialAmount', formatted: string } | null, directAmount: { __typename?: 'FinancialAmount', formatted: string }, globalAdditionalHoursAmount?: { __typename?: 'FinancialAmount', formatted: string } | null, bonus?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null, gift?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null, recovery?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null, vacationTakeout?: { __typename?: 'FinancialAmount', formatted: string, raw: number } | null } & { ' $fragmentName'?: 'SalariesRecordMainSalaryFieldsFragment' };\n\nexport type SalariesRecordWorkFrameFieldsFragment = { __typename?: 'Salary', month: string, workDays?: number | null, employee?: { __typename?: 'LtdFinancialEntity', id: string } | null, vacationDays?: { __typename?: 'VacationDays', added?: number | null, taken?: number | null, balance?: number | null } | null, sicknessDays?: { __typename?: 'SicknessDays', balance?: number | null } | null } & { ' $fragmentName'?: 'SalariesRecordWorkFrameFieldsFragment' };\n\nexport type SalariesMonthFieldsFragment = (\n { __typename?: 'Salary', month: string, employee?: { __typename?: 'LtdFinancialEntity', id: string } | null }\n & { ' $fragmentRefs'?: { 'SalariesRecordFieldsFragment': SalariesRecordFieldsFragment } }\n) & { ' $fragmentName'?: 'SalariesMonthFieldsFragment' };\n\nexport type SalariesTableFieldsFragment = (\n { __typename?: 'Salary', month: string, employee?: { __typename?: 'LtdFinancialEntity', id: string } | null }\n & { ' $fragmentRefs'?: { 'SalariesMonthFieldsFragment': SalariesMonthFieldsFragment } }\n) & { ' $fragmentName'?: 'SalariesTableFieldsFragment' };\n\nexport type SalariesRecordFieldsFragment = (\n { __typename?: 'Salary', month: string, employee?: { __typename?: 'LtdFinancialEntity', id: string } | null }\n & { ' $fragmentRefs'?: { 'SalariesRecordEmployeeFieldsFragment': SalariesRecordEmployeeFieldsFragment;'SalariesRecordMainSalaryFieldsFragment': SalariesRecordMainSalaryFieldsFragment;'SalariesRecordFundsFieldsFragment': SalariesRecordFundsFieldsFragment;'SalariesRecordInsurancesAndTaxesFieldsFragment': SalariesRecordInsurancesAndTaxesFieldsFragment;'SalariesRecordWorkFrameFieldsFragment': SalariesRecordWorkFrameFieldsFragment } }\n) & { ' $fragmentName'?: 'SalariesRecordFieldsFragment' };\n\nexport type AllDepositsQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllDepositsQuery = { __typename?: 'Query', allDeposits: Array<{ __typename?: 'BankDeposit', id: string, currency: Currency, openDate: any, closeDate?: any | null, isOpen: boolean, currencyError: Array<string>, currentBalance: { __typename?: 'FinancialAmount', raw: number, formatted: string }, totalDeposit: { __typename?: 'FinancialAmount', raw: number, formatted: string }, totalInterest: { __typename?: 'FinancialAmount', raw: number, formatted: string } }> };\n\nexport type BusinessScreenQueryVariables = Exact<{\n businessId: Scalars['UUID']['input'];\n}>;\n\n\nexport type BusinessScreenQuery = { __typename?: 'Query', business:\n | (\n { __typename?: 'LtdFinancialEntity', id: string }\n & { ' $fragmentRefs'?: { 'BusinessPage_LtdFinancialEntity_Fragment': BusinessPage_LtdFinancialEntity_Fragment } }\n )\n | (\n { __typename?: 'PersonalFinancialEntity', id: string }\n & { ' $fragmentRefs'?: { 'BusinessPage_PersonalFinancialEntity_Fragment': BusinessPage_PersonalFinancialEntity_Fragment } }\n )\n };\n\nexport type ContractsScreenQueryVariables = Exact<{\n adminId: Scalars['UUID']['input'];\n}>;\n\n\nexport type ContractsScreenQuery = { __typename?: 'Query', contractsByAdmin: Array<(\n { __typename?: 'Contract', id: string }\n & { ' $fragmentRefs'?: { 'ContractForContractsTableFieldsFragment': ContractForContractsTableFieldsFragment } }\n )> };\n\nexport type AllChargesQueryVariables = Exact<{\n page?: InputMaybe<Scalars['Int']['input']>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n filters?: InputMaybe<ChargeFilter>;\n}>;\n\n\nexport type AllChargesQuery = { __typename?: 'Query', allCharges: { __typename?: 'PaginatedCharges', nodes: Array<\n | (\n { __typename?: 'BankDepositCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_BankDepositCharge_Fragment': ChargesTableFields_BankDepositCharge_Fragment } }\n )\n | (\n { __typename?: 'BusinessTripCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_BusinessTripCharge_Fragment': ChargesTableFields_BusinessTripCharge_Fragment } }\n )\n | (\n { __typename?: 'CommonCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_CommonCharge_Fragment': ChargesTableFields_CommonCharge_Fragment } }\n )\n | (\n { __typename?: 'ConversionCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_ConversionCharge_Fragment': ChargesTableFields_ConversionCharge_Fragment } }\n )\n | (\n { __typename?: 'CreditcardBankCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_CreditcardBankCharge_Fragment': ChargesTableFields_CreditcardBankCharge_Fragment } }\n )\n | (\n { __typename?: 'DividendCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_DividendCharge_Fragment': ChargesTableFields_DividendCharge_Fragment } }\n )\n | (\n { __typename?: 'FinancialCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_FinancialCharge_Fragment': ChargesTableFields_FinancialCharge_Fragment } }\n )\n | (\n { __typename?: 'ForeignSecuritiesCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_ForeignSecuritiesCharge_Fragment': ChargesTableFields_ForeignSecuritiesCharge_Fragment } }\n )\n | (\n { __typename?: 'InternalTransferCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_InternalTransferCharge_Fragment': ChargesTableFields_InternalTransferCharge_Fragment } }\n )\n | (\n { __typename?: 'MonthlyVatCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_MonthlyVatCharge_Fragment': ChargesTableFields_MonthlyVatCharge_Fragment } }\n )\n | (\n { __typename?: 'SalaryCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_SalaryCharge_Fragment': ChargesTableFields_SalaryCharge_Fragment } }\n )\n >, pageInfo: { __typename?: 'PageInfo', totalPages: number } } };\n\nexport type ChargeScreenQueryVariables = Exact<{\n chargeId: Scalars['UUID']['input'];\n}>;\n\n\nexport type ChargeScreenQuery = { __typename?: 'Query', charge:\n | (\n { __typename?: 'BankDepositCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_BankDepositCharge_Fragment': ChargesTableFields_BankDepositCharge_Fragment } }\n )\n | (\n { __typename?: 'BusinessTripCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_BusinessTripCharge_Fragment': ChargesTableFields_BusinessTripCharge_Fragment } }\n )\n | (\n { __typename?: 'CommonCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_CommonCharge_Fragment': ChargesTableFields_CommonCharge_Fragment } }\n )\n | (\n { __typename?: 'ConversionCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_ConversionCharge_Fragment': ChargesTableFields_ConversionCharge_Fragment } }\n )\n | (\n { __typename?: 'CreditcardBankCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_CreditcardBankCharge_Fragment': ChargesTableFields_CreditcardBankCharge_Fragment } }\n )\n | (\n { __typename?: 'DividendCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_DividendCharge_Fragment': ChargesTableFields_DividendCharge_Fragment } }\n )\n | (\n { __typename?: 'FinancialCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_FinancialCharge_Fragment': ChargesTableFields_FinancialCharge_Fragment } }\n )\n | (\n { __typename?: 'ForeignSecuritiesCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_ForeignSecuritiesCharge_Fragment': ChargesTableFields_ForeignSecuritiesCharge_Fragment } }\n )\n | (\n { __typename?: 'InternalTransferCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_InternalTransferCharge_Fragment': ChargesTableFields_InternalTransferCharge_Fragment } }\n )\n | (\n { __typename?: 'MonthlyVatCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_MonthlyVatCharge_Fragment': ChargesTableFields_MonthlyVatCharge_Fragment } }\n )\n | (\n { __typename?: 'SalaryCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_SalaryCharge_Fragment': ChargesTableFields_SalaryCharge_Fragment } }\n )\n };\n\nexport type MissingInfoChargesQueryVariables = Exact<{\n page?: InputMaybe<Scalars['Int']['input']>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n}>;\n\n\nexport type MissingInfoChargesQuery = { __typename?: 'Query', chargesWithMissingRequiredInfo: { __typename?: 'PaginatedCharges', nodes: Array<\n | (\n { __typename?: 'BankDepositCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_BankDepositCharge_Fragment': ChargesTableFields_BankDepositCharge_Fragment } }\n )\n | (\n { __typename?: 'BusinessTripCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_BusinessTripCharge_Fragment': ChargesTableFields_BusinessTripCharge_Fragment } }\n )\n | (\n { __typename?: 'CommonCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_CommonCharge_Fragment': ChargesTableFields_CommonCharge_Fragment } }\n )\n | (\n { __typename?: 'ConversionCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_ConversionCharge_Fragment': ChargesTableFields_ConversionCharge_Fragment } }\n )\n | (\n { __typename?: 'CreditcardBankCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_CreditcardBankCharge_Fragment': ChargesTableFields_CreditcardBankCharge_Fragment } }\n )\n | (\n { __typename?: 'DividendCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_DividendCharge_Fragment': ChargesTableFields_DividendCharge_Fragment } }\n )\n | (\n { __typename?: 'FinancialCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_FinancialCharge_Fragment': ChargesTableFields_FinancialCharge_Fragment } }\n )\n | (\n { __typename?: 'ForeignSecuritiesCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_ForeignSecuritiesCharge_Fragment': ChargesTableFields_ForeignSecuritiesCharge_Fragment } }\n )\n | (\n { __typename?: 'InternalTransferCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_InternalTransferCharge_Fragment': ChargesTableFields_InternalTransferCharge_Fragment } }\n )\n | (\n { __typename?: 'MonthlyVatCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_MonthlyVatCharge_Fragment': ChargesTableFields_MonthlyVatCharge_Fragment } }\n )\n | (\n { __typename?: 'SalaryCharge', id: string }\n & { ' $fragmentRefs'?: { 'ChargesTableFields_SalaryCharge_Fragment': ChargesTableFields_SalaryCharge_Fragment } }\n )\n >, pageInfo: { __typename?: 'PageInfo', totalPages: number } } };\n\nexport type DocumentsScreenQueryVariables = Exact<{\n filters: DocumentsFilters;\n}>;\n\n\nexport type DocumentsScreenQuery = { __typename?: 'Query', documentsByFilters: Array<\n | { __typename: 'CreditInvoice', serialNumber?: string | null, date?: any | null, id: string, image?: any | null, file?: any | null, creditor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, debtor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, amount?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, charge?:\n | { __typename: 'BankDepositCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'BusinessTripCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'CommonCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'ConversionCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'CreditcardBankCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'DividendCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'FinancialCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'ForeignSecuritiesCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'InternalTransferCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'MonthlyVatCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'SalaryCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | null }\n | { __typename: 'Invoice', serialNumber?: string | null, date?: any | null, id: string, image?: any | null, file?: any | null, creditor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, debtor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, amount?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, charge?:\n | { __typename: 'BankDepositCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'BusinessTripCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'CommonCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'ConversionCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'CreditcardBankCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'DividendCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'FinancialCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'ForeignSecuritiesCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'InternalTransferCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'MonthlyVatCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'SalaryCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | null }\n | { __typename: 'InvoiceReceipt', serialNumber?: string | null, date?: any | null, id: string, image?: any | null, file?: any | null, creditor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, debtor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, amount?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, charge?:\n | { __typename: 'BankDepositCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'BusinessTripCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'CommonCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'ConversionCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'CreditcardBankCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'DividendCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'FinancialCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'ForeignSecuritiesCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'InternalTransferCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'MonthlyVatCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'SalaryCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | null }\n | { __typename: 'OtherDocument', id: string, image?: any | null, file?: any | null, charge?:\n | { __typename: 'BankDepositCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'BusinessTripCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'CommonCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'ConversionCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'CreditcardBankCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'DividendCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'FinancialCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'ForeignSecuritiesCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'InternalTransferCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'MonthlyVatCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'SalaryCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | null }\n | { __typename: 'Proforma', serialNumber?: string | null, date?: any | null, id: string, image?: any | null, file?: any | null, creditor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, debtor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, amount?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, charge?:\n | { __typename: 'BankDepositCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'BusinessTripCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'CommonCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'ConversionCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'CreditcardBankCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'DividendCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'FinancialCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'ForeignSecuritiesCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'InternalTransferCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'MonthlyVatCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'SalaryCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | null }\n | { __typename: 'Receipt', serialNumber?: string | null, date?: any | null, id: string, image?: any | null, file?: any | null, creditor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, debtor?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null, vat?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, amount?: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } | null, charge?:\n | { __typename: 'BankDepositCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'BusinessTripCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'CommonCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'ConversionCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'CreditcardBankCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'DividendCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'FinancialCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'ForeignSecuritiesCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'InternalTransferCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'MonthlyVatCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'SalaryCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | null }\n | { __typename: 'Unprocessed', id: string, image?: any | null, file?: any | null, charge?:\n | { __typename: 'BankDepositCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'BusinessTripCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'CommonCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'ConversionCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'CreditcardBankCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'DividendCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'FinancialCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'ForeignSecuritiesCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'InternalTransferCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'MonthlyVatCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | { __typename: 'SalaryCharge', id: string, userDescription?: string | null, vat?: { __typename: 'FinancialAmount', formatted: string } | null, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate?: any | null, amount: { __typename: 'FinancialAmount', formatted: string } }\n | { __typename?: 'ConversionTransaction', id: string, eventDate: any, sourceDescription: string, effectiveDate: any, amount: { __typename: 'FinancialAmount', formatted: string } }\n > }\n | null }\n > };\n\nexport type MonthlyDocumentDraftByClientQueryVariables = Exact<{\n clientId: Scalars['UUID']['input'];\n issueMonth: Scalars['TimelessDate']['input'];\n}>;\n\n\nexport type MonthlyDocumentDraftByClientQuery = { __typename?: 'Query', clientMonthlyChargeDraft: (\n { __typename?: 'DocumentDraft' }\n & { ' $fragmentRefs'?: { 'NewDocumentDraftFragment': NewDocumentDraftFragment } }\n ) };\n\nexport type MonthlyDocumentsDraftsQueryVariables = Exact<{\n issueMonth: Scalars['TimelessDate']['input'];\n}>;\n\n\nexport type MonthlyDocumentsDraftsQuery = { __typename?: 'Query', periodicalDocumentDrafts: Array<(\n { __typename?: 'DocumentDraft' }\n & { ' $fragmentRefs'?: { 'NewDocumentDraftFragment': NewDocumentDraftFragment } }\n )> };\n\nexport type AllOpenContractsQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllOpenContractsQuery = { __typename?: 'Query', allOpenContracts: Array<{ __typename?: 'Contract', id: string, billingCycle: BillingCycle, client: { __typename?: 'Client', id: string, originalBusiness: { __typename?: 'LtdFinancialEntity', id: string, name: string } } }> };\n\nexport type AccountantApprovalStatusQueryVariables = Exact<{\n fromDate: Scalars['TimelessDate']['input'];\n toDate: Scalars['TimelessDate']['input'];\n}>;\n\n\nexport type AccountantApprovalStatusQuery = { __typename?: 'Query', accountantApprovalStatus: { __typename?: 'AccountantApprovalStatus', totalCharges: number, approvedCount: number, pendingCount: number, unapprovedCount: number } };\n\nexport type LedgerValidationStatusQueryVariables = Exact<{\n limit?: InputMaybe<Scalars['Int']['input']>;\n filters?: InputMaybe<ChargeFilter>;\n}>;\n\n\nexport type LedgerValidationStatusQuery = { __typename?: 'Query', chargesWithLedgerChanges: Array<{ __typename?: 'ChargesWithLedgerChangesResult', charge?:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n | null }> };\n\nexport type AdminLedgerLockDateQueryVariables = Exact<{\n ownerId?: InputMaybe<Scalars['UUID']['input']>;\n}>;\n\n\nexport type AdminLedgerLockDateQuery = { __typename?: 'Query', adminContext: { __typename?: 'AdminContextInfo', id: string, ledgerLock?: any | null } };\n\nexport type AnnualRevenueReportClientFragment = { __typename?: 'AnnualRevenueReportCountryClient', id: string, name: string, revenueLocal: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency }, revenueDefaultForeign: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency }, records: Array<(\n { __typename?: 'AnnualRevenueReportClientRecord', id: string, date: any }\n & { ' $fragmentRefs'?: { 'AnnualRevenueReportRecordFragment': AnnualRevenueReportRecordFragment } }\n )> } & { ' $fragmentName'?: 'AnnualRevenueReportClientFragment' };\n\nexport type AnnualRevenueReportCountryFragment = { __typename?: 'AnnualRevenueReportCountry', id: string, code: string, name: string, revenueLocal: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency }, revenueDefaultForeign: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency }, clients: Array<(\n { __typename?: 'AnnualRevenueReportCountryClient', id: string, revenueDefaultForeign: { __typename?: 'FinancialAmount', raw: number } }\n & { ' $fragmentRefs'?: { 'AnnualRevenueReportClientFragment': AnnualRevenueReportClientFragment } }\n )> } & { ' $fragmentName'?: 'AnnualRevenueReportCountryFragment' };\n\nexport type AnnualRevenueReportScreenQueryVariables = Exact<{\n filters: AnnualRevenueReportFilter;\n}>;\n\n\nexport type AnnualRevenueReportScreenQuery = { __typename?: 'Query', annualRevenueReport: { __typename?: 'AnnualRevenueReport', id: string, year: number, countries: Array<(\n { __typename?: 'AnnualRevenueReportCountry', id: string, name: string, revenueLocal: { __typename?: 'FinancialAmount', raw: number, currency: Currency }, revenueDefaultForeign: { __typename?: 'FinancialAmount', raw: number, currency: Currency }, clients: Array<{ __typename?: 'AnnualRevenueReportCountryClient', id: string, name: string, revenueLocal: { __typename?: 'FinancialAmount', raw: number }, revenueDefaultForeign: { __typename?: 'FinancialAmount', raw: number }, records: Array<{ __typename?: 'AnnualRevenueReportClientRecord', id: string, date: any, description?: string | null, reference?: string | null, chargeId: string, revenueLocal: { __typename?: 'FinancialAmount', raw: number }, revenueDefaultForeign: { __typename?: 'FinancialAmount', raw: number } }> }> }\n & { ' $fragmentRefs'?: { 'AnnualRevenueReportCountryFragment': AnnualRevenueReportCountryFragment } }\n )> } };\n\nexport type AnnualRevenueReportRecordFragment = { __typename?: 'AnnualRevenueReportClientRecord', id: string, chargeId: string, date: any, description?: string | null, reference?: string | null, revenueLocal: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency }, revenueDefaultForeign: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency }, revenueOriginal: { __typename?: 'FinancialAmount', raw: number, formatted: string, currency: Currency } } & { ' $fragmentName'?: 'AnnualRevenueReportRecordFragment' };\n\nexport type BalanceReportExtendedTransactionsQueryVariables = Exact<{\n transactionIDs: Array<Scalars['UUID']['input']> | Scalars['UUID']['input'];\n}>;\n\n\nexport type BalanceReportExtendedTransactionsQuery = { __typename?: 'Query', transactionsByIDs: Array<\n | (\n { __typename?: 'CommonTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_CommonTransaction_Fragment': TransactionForTransactionsTableFields_CommonTransaction_Fragment;'TransactionToDownloadForTransactionsTableFields_CommonTransaction_Fragment': TransactionToDownloadForTransactionsTableFields_CommonTransaction_Fragment } }\n )\n | (\n { __typename?: 'ConversionTransaction', id: string }\n & { ' $fragmentRefs'?: { 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment': TransactionForTransactionsTableFields_ConversionTransaction_Fragment;'TransactionToDownloadForTransactionsTableFields_ConversionTransaction_Fragment': TransactionToDownloadForTransactionsTableFields_ConversionTransaction_Fragment } }\n )\n > };\n\nexport type BalanceReportScreenQueryVariables = Exact<{\n fromDate: Scalars['TimelessDate']['input'];\n toDate: Scalars['TimelessDate']['input'];\n ownerId?: InputMaybe<Scalars['UUID']['input']>;\n}>;\n\n\nexport type BalanceReportScreenQuery = { __typename?: 'Query', transactionsForBalanceReport: Array<{ __typename?: 'BalanceTransactions', id: string, date: any, month: number, year: number, isFee: boolean, description?: string | null, amountUsd: { __typename?: 'FinancialAmount', formatted: string, raw: number }, amount: { __typename?: 'FinancialAmount', currency: Currency, raw: number }, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string }\n | { __typename?: 'PersonalFinancialEntity', id: string }\n | { __typename?: 'TaxCategory', id: string }\n | null, account:\n | { __typename?: 'BankDepositFinancialAccount', id: string, name: string }\n | { __typename?: 'BankFinancialAccount', id: string, name: string }\n | { __typename?: 'CardFinancialAccount', id: string, name: string }\n | { __typename?: 'CryptoWalletFinancialAccount', id: string, name: string }\n | { __typename?: 'ForeignSecuritiesFinancialAccount', id: string, name: string }\n , charge:\n | { __typename?: 'BankDepositCharge', id: string, tags: Array<{ __typename?: 'Tag', id: string, name: string }> }\n | { __typename?: 'BusinessTripCharge', id: string, tags: Array<{ __typename?: 'Tag', id: string, name: string }> }\n | { __typename?: 'CommonCharge', id: string, tags: Array<{ __typename?: 'Tag', id: string, name: string }> }\n | { __typename?: 'ConversionCharge', id: string, tags: Array<{ __typename?: 'Tag', id: string, name: string }> }\n | { __typename?: 'CreditcardBankCharge', id: string, tags: Array<{ __typename?: 'Tag', id: string, name: string }> }\n | { __typename?: 'DividendCharge', id: string, tags: Array<{ __typename?: 'Tag', id: string, name: string }> }\n | { __typename?: 'FinancialCharge', id: string, tags: Array<{ __typename?: 'Tag', id: string, name: string }> }\n | { __typename?: 'ForeignSecuritiesCharge', id: string, tags: Array<{ __typename?: 'Tag', id: string, name: string }> }\n | { __typename?: 'InternalTransferCharge', id: string, tags: Array<{ __typename?: 'Tag', id: string, name: string }> }\n | { __typename?: 'MonthlyVatCharge', id: string, tags: Array<{ __typename?: 'Tag', id: string, name: string }> }\n | { __typename?: 'SalaryCharge', id: string, tags: Array<{ __typename?: 'Tag', id: string, name: string }> }\n }> };\n\ntype DepreciationReportRecordCore_DepreciationReportRecord_Fragment = { __typename?: 'DepreciationReportRecord', id: string, originalCost?: number | null, reportYearDelta?: number | null, totalDepreciableCosts: number, reportYearClaimedDepreciation: number, pastYearsAccumulatedDepreciation: number, totalDepreciation: number, netValue: number } & { ' $fragmentName'?: 'DepreciationReportRecordCore_DepreciationReportRecord_Fragment' };\n\ntype DepreciationReportRecordCore_DepreciationReportSummaryRecord_Fragment = { __typename?: 'DepreciationReportSummaryRecord', id: string, originalCost?: number | null, reportYearDelta?: number | null, totalDepreciableCosts: number, reportYearClaimedDepreciation: number, pastYearsAccumulatedDepreciation: number, totalDepreciation: number, netValue: number } & { ' $fragmentName'?: 'DepreciationReportRecordCore_DepreciationReportSummaryRecord_Fragment' };\n\nexport type DepreciationReportRecordCoreFragment =\n | DepreciationReportRecordCore_DepreciationReportRecord_Fragment\n | DepreciationReportRecordCore_DepreciationReportSummaryRecord_Fragment\n;\n\nexport type DepreciationReportScreenQueryVariables = Exact<{\n filters: DepreciationReportFilter;\n}>;\n\n\nexport type DepreciationReportScreenQuery = { __typename?: 'Query', depreciationReport: { __typename?: 'DepreciationReportResult', id: string, year: number, categories: Array<{ __typename?: 'DepreciationReportCategory', id: string, category: { __typename?: 'DepreciationCategory', id: string, name: string, percentage: number }, records: Array<(\n { __typename?: 'DepreciationReportRecord', id: string, chargeId: string, description?: string | null, purchaseDate: any, activationDate?: any | null, statutoryDepreciationRate: number, claimedDepreciationRate?: number | null }\n & { ' $fragmentRefs'?: { 'DepreciationReportRecordCore_DepreciationReportRecord_Fragment': DepreciationReportRecordCore_DepreciationReportRecord_Fragment } }\n )>, summary: (\n { __typename?: 'DepreciationReportSummaryRecord', id: string }\n & { ' $fragmentRefs'?: { 'DepreciationReportRecordCore_DepreciationReportSummaryRecord_Fragment': DepreciationReportRecordCore_DepreciationReportSummaryRecord_Fragment } }\n ) }>, summary: (\n { __typename?: 'DepreciationReportSummaryRecord', id: string }\n & { ' $fragmentRefs'?: { 'DepreciationReportRecordCore_DepreciationReportSummaryRecord_Fragment': DepreciationReportRecordCore_DepreciationReportSummaryRecord_Fragment } }\n ) } };\n\nexport type Shaam6111DataContentBalanceSheetFragment = { __typename?: 'Shaam6111Data', id: string, balanceSheet?: Array<{ __typename?: 'Shaam6111ReportEntry', code: number, amount: number, label: string }> | null } & { ' $fragmentName'?: 'Shaam6111DataContentBalanceSheetFragment' };\n\nexport type Shaam6111DataContentHeaderFragment = { __typename?: 'Shaam6111Data', id: string, header: { __typename?: 'Shaam6111Header', taxYear: string, businessDescription?: string | null, taxFileNumber: string, idNumber: string, vatFileNumber?: string | null, withholdingTaxFileNumber?: string | null, businessType: BusinessType, reportingMethod: ReportingMethod, currencyType: CurrencyType, amountsInThousands: boolean, accountingMethod: AccountingMethod, accountingSystem: AccountingSystem, softwareRegistrationNumber?: string | null, isPartnership?: boolean | null, partnershipCount?: number | null, partnershipProfitShare?: number | null, ifrsImplementationYear?: string | null, ifrsReportingOption?: IfrsReportingOption | null, includesProfitLoss: boolean, includesTaxAdjustment: boolean, includesBalanceSheet: boolean, industryCode: string, auditOpinionType?: AuditOpinionType | null } } & { ' $fragmentName'?: 'Shaam6111DataContentHeaderFragment' };\n\ntype Shaam6111DataContentHeaderBusiness_LtdFinancialEntity_Fragment = { __typename?: 'LtdFinancialEntity', id: string, name: string } & { ' $fragmentName'?: 'Shaam6111DataContentHeaderBusiness_LtdFinancialEntity_Fragment' };\n\ntype Shaam6111DataContentHeaderBusiness_PersonalFinancialEntity_Fragment = { __typename?: 'PersonalFinancialEntity', id: string, name: string } & { ' $fragmentName'?: 'Shaam6111DataContentHeaderBusiness_PersonalFinancialEntity_Fragment' };\n\nexport type Shaam6111DataContentHeaderBusinessFragment =\n | Shaam6111DataContentHeaderBusiness_LtdFinancialEntity_Fragment\n | Shaam6111DataContentHeaderBusiness_PersonalFinancialEntity_Fragment\n;\n\nexport type Shaam6111ReportScreenQueryVariables = Exact<{\n year: Scalars['Int']['input'];\n businessId?: InputMaybe<Scalars['UUID']['input']>;\n}>;\n\n\nexport type Shaam6111ReportScreenQuery = { __typename?: 'Query', shaam6111: { __typename?: 'Shaam6111Report', id: string, year: number, data: (\n { __typename?: 'Shaam6111Data', id: string }\n & { ' $fragmentRefs'?: { 'Shaam6111DataContentFragment': Shaam6111DataContentFragment } }\n ), business:\n | (\n { __typename?: 'LtdFinancialEntity', id: string }\n & { ' $fragmentRefs'?: { 'Shaam6111DataContentHeaderBusiness_LtdFinancialEntity_Fragment': Shaam6111DataContentHeaderBusiness_LtdFinancialEntity_Fragment } }\n )\n | (\n { __typename?: 'PersonalFinancialEntity', id: string }\n & { ' $fragmentRefs'?: { 'Shaam6111DataContentHeaderBusiness_PersonalFinancialEntity_Fragment': Shaam6111DataContentHeaderBusiness_PersonalFinancialEntity_Fragment } }\n )\n } };\n\nexport type Shaam6111DataContentProfitLossFragment = { __typename?: 'Shaam6111Data', id: string, profitAndLoss: Array<{ __typename?: 'Shaam6111ReportEntry', code: number, amount: number, label: string }> } & { ' $fragmentName'?: 'Shaam6111DataContentProfitLossFragment' };\n\nexport type Shaam6111DataContentFragment = (\n { __typename?: 'Shaam6111Data', id: string }\n & { ' $fragmentRefs'?: { 'Shaam6111DataContentHeaderFragment': Shaam6111DataContentHeaderFragment;'Shaam6111DataContentProfitLossFragment': Shaam6111DataContentProfitLossFragment;'Shaam6111DataContentTaxAdjustmentFragment': Shaam6111DataContentTaxAdjustmentFragment;'Shaam6111DataContentBalanceSheetFragment': Shaam6111DataContentBalanceSheetFragment } }\n) & { ' $fragmentName'?: 'Shaam6111DataContentFragment' };\n\nexport type Shaam6111DataContentTaxAdjustmentFragment = { __typename?: 'Shaam6111Data', id: string, taxAdjustment: Array<{ __typename?: 'Shaam6111ReportEntry', code: number, amount: number, label: string }> } & { ' $fragmentName'?: 'Shaam6111DataContentTaxAdjustmentFragment' };\n\nexport type AllSortCodesForScreenQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllSortCodesForScreenQuery = { __typename?: 'Query', allSortCodes: Array<{ __typename?: 'SortCode', id: string, key: number, name?: string | null, defaultIrsCode?: number | null }> };\n\nexport type AllTagsScreenQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllTagsScreenQuery = { __typename?: 'Query', allTags: Array<(\n { __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null, parent?: { __typename?: 'Tag', id: string } | null }\n & { ' $fragmentRefs'?: { 'EditTagFieldsFragment': EditTagFieldsFragment } }\n )> };\n\nexport type AllTaxCategoriesForScreenQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllTaxCategoriesForScreenQuery = { __typename?: 'Query', taxCategories: Array<{ __typename?: 'TaxCategory', id: string, name: string, sortCode?: { __typename?: 'SortCode', id: string, key: number, name?: string | null } | null }> };\n\ntype TransactionsTableAccountFields_CommonTransaction_Fragment = { __typename?: 'CommonTransaction', id: string, account:\n | { __typename?: 'BankDepositFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'BankFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'CardFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'CryptoWalletFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'ForeignSecuritiesFinancialAccount', id: string, name: string, type: FinancialAccountType }\n } & { ' $fragmentName'?: 'TransactionsTableAccountFields_CommonTransaction_Fragment' };\n\ntype TransactionsTableAccountFields_ConversionTransaction_Fragment = { __typename?: 'ConversionTransaction', id: string, account:\n | { __typename?: 'BankDepositFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'BankFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'CardFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'CryptoWalletFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'ForeignSecuritiesFinancialAccount', id: string, name: string, type: FinancialAccountType }\n } & { ' $fragmentName'?: 'TransactionsTableAccountFields_ConversionTransaction_Fragment' };\n\nexport type TransactionsTableAccountFieldsFragment =\n | TransactionsTableAccountFields_CommonTransaction_Fragment\n | TransactionsTableAccountFields_ConversionTransaction_Fragment\n;\n\ntype TransactionsTableEntityFields_CommonTransaction_Fragment = { __typename?: 'CommonTransaction', id: string, sourceDescription: string, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, missingInfoSuggestions?: { __typename?: 'TransactionSuggestions', business:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n } | null } & { ' $fragmentName'?: 'TransactionsTableEntityFields_CommonTransaction_Fragment' };\n\ntype TransactionsTableEntityFields_ConversionTransaction_Fragment = { __typename?: 'ConversionTransaction', id: string, sourceDescription: string, counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, missingInfoSuggestions?: { __typename?: 'TransactionSuggestions', business:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n } | null } & { ' $fragmentName'?: 'TransactionsTableEntityFields_ConversionTransaction_Fragment' };\n\nexport type TransactionsTableEntityFieldsFragment =\n | TransactionsTableEntityFields_CommonTransaction_Fragment\n | TransactionsTableEntityFields_ConversionTransaction_Fragment\n;\n\ntype TransactionsTableDebitDateFields_CommonTransaction_Fragment = { __typename?: 'CommonTransaction', id: string, effectiveDate?: any | null, sourceEffectiveDate?: any | null } & { ' $fragmentName'?: 'TransactionsTableDebitDateFields_CommonTransaction_Fragment' };\n\ntype TransactionsTableDebitDateFields_ConversionTransaction_Fragment = { __typename?: 'ConversionTransaction', id: string, effectiveDate: any, sourceEffectiveDate?: any | null } & { ' $fragmentName'?: 'TransactionsTableDebitDateFields_ConversionTransaction_Fragment' };\n\nexport type TransactionsTableDebitDateFieldsFragment =\n | TransactionsTableDebitDateFields_CommonTransaction_Fragment\n | TransactionsTableDebitDateFields_ConversionTransaction_Fragment\n;\n\ntype TransactionsTableDescriptionFields_CommonTransaction_Fragment = { __typename?: 'CommonTransaction', id: string, sourceDescription: string } & { ' $fragmentName'?: 'TransactionsTableDescriptionFields_CommonTransaction_Fragment' };\n\ntype TransactionsTableDescriptionFields_ConversionTransaction_Fragment = { __typename?: 'ConversionTransaction', id: string, sourceDescription: string } & { ' $fragmentName'?: 'TransactionsTableDescriptionFields_ConversionTransaction_Fragment' };\n\nexport type TransactionsTableDescriptionFieldsFragment =\n | TransactionsTableDescriptionFields_CommonTransaction_Fragment\n | TransactionsTableDescriptionFields_ConversionTransaction_Fragment\n;\n\ntype TransactionsTableEventDateFields_CommonTransaction_Fragment = { __typename?: 'CommonTransaction', id: string, eventDate: any } & { ' $fragmentName'?: 'TransactionsTableEventDateFields_CommonTransaction_Fragment' };\n\ntype TransactionsTableEventDateFields_ConversionTransaction_Fragment = { __typename?: 'ConversionTransaction', id: string, eventDate: any } & { ' $fragmentName'?: 'TransactionsTableEventDateFields_ConversionTransaction_Fragment' };\n\nexport type TransactionsTableEventDateFieldsFragment =\n | TransactionsTableEventDateFields_CommonTransaction_Fragment\n | TransactionsTableEventDateFields_ConversionTransaction_Fragment\n;\n\ntype TransactionsTableSourceIdFields_CommonTransaction_Fragment = { __typename?: 'CommonTransaction', id: string, referenceKey?: string | null } & { ' $fragmentName'?: 'TransactionsTableSourceIdFields_CommonTransaction_Fragment' };\n\ntype TransactionsTableSourceIdFields_ConversionTransaction_Fragment = { __typename?: 'ConversionTransaction', id: string, referenceKey?: string | null } & { ' $fragmentName'?: 'TransactionsTableSourceIdFields_ConversionTransaction_Fragment' };\n\nexport type TransactionsTableSourceIdFieldsFragment =\n | TransactionsTableSourceIdFields_CommonTransaction_Fragment\n | TransactionsTableSourceIdFields_ConversionTransaction_Fragment\n;\n\ntype TransactionForTransactionsTableFields_CommonTransaction_Fragment = { __typename?: 'CommonTransaction', id: string, chargeId: string, eventDate: any, effectiveDate?: any | null, sourceEffectiveDate?: any | null, sourceDescription: string, referenceKey?: string | null, amount: { __typename?: 'FinancialAmount', raw: number, formatted: string }, cryptoExchangeRate?: { __typename?: 'ConversionRate', rate: number } | null, account:\n | { __typename?: 'BankDepositFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'BankFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'CardFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'CryptoWalletFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'ForeignSecuritiesFinancialAccount', id: string, name: string, type: FinancialAccountType }\n , counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, missingInfoSuggestions?: { __typename?: 'TransactionSuggestions', business:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n } | null } & { ' $fragmentName'?: 'TransactionForTransactionsTableFields_CommonTransaction_Fragment' };\n\ntype TransactionForTransactionsTableFields_ConversionTransaction_Fragment = { __typename?: 'ConversionTransaction', id: string, chargeId: string, eventDate: any, effectiveDate: any, sourceEffectiveDate?: any | null, sourceDescription: string, referenceKey?: string | null, amount: { __typename?: 'FinancialAmount', raw: number, formatted: string }, cryptoExchangeRate?: { __typename?: 'ConversionRate', rate: number } | null, account:\n | { __typename?: 'BankDepositFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'BankFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'CardFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'CryptoWalletFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'ForeignSecuritiesFinancialAccount', id: string, name: string, type: FinancialAccountType }\n , counterparty?:\n | { __typename?: 'LtdFinancialEntity', name: string, id: string }\n | { __typename?: 'PersonalFinancialEntity', name: string, id: string }\n | { __typename?: 'TaxCategory', name: string, id: string }\n | null, missingInfoSuggestions?: { __typename?: 'TransactionSuggestions', business:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n } | null } & { ' $fragmentName'?: 'TransactionForTransactionsTableFields_ConversionTransaction_Fragment' };\n\nexport type TransactionForTransactionsTableFieldsFragment =\n | TransactionForTransactionsTableFields_CommonTransaction_Fragment\n | TransactionForTransactionsTableFields_ConversionTransaction_Fragment\n;\n\ntype TransactionToDownloadForTransactionsTableFields_CommonTransaction_Fragment = { __typename?: 'CommonTransaction', id: string, effectiveDate?: any | null, eventDate: any, referenceKey?: string | null, sourceDescription: string, account:\n | { __typename?: 'BankDepositFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'BankFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'CardFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'CryptoWalletFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'ForeignSecuritiesFinancialAccount', id: string, name: string, type: FinancialAccountType }\n , amount: { __typename?: 'FinancialAmount', currency: Currency, raw: number }, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null } & { ' $fragmentName'?: 'TransactionToDownloadForTransactionsTableFields_CommonTransaction_Fragment' };\n\ntype TransactionToDownloadForTransactionsTableFields_ConversionTransaction_Fragment = { __typename?: 'ConversionTransaction', id: string, effectiveDate: any, eventDate: any, referenceKey?: string | null, sourceDescription: string, account:\n | { __typename?: 'BankDepositFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'BankFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'CardFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'CryptoWalletFinancialAccount', id: string, name: string, type: FinancialAccountType }\n | { __typename?: 'ForeignSecuritiesFinancialAccount', id: string, name: string, type: FinancialAccountType }\n , amount: { __typename?: 'FinancialAmount', currency: Currency, raw: number }, counterparty?:\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n | null } & { ' $fragmentName'?: 'TransactionToDownloadForTransactionsTableFields_ConversionTransaction_Fragment' };\n\nexport type TransactionToDownloadForTransactionsTableFieldsFragment =\n | TransactionToDownloadForTransactionsTableFields_CommonTransaction_Fragment\n | TransactionToDownloadForTransactionsTableFields_ConversionTransaction_Fragment\n;\n\nexport type AcceptInvitationMutationVariables = Exact<{\n token: Scalars['String']['input'];\n}>;\n\n\nexport type AcceptInvitationMutation = { __typename?: 'Mutation', acceptInvitation: { __typename?: 'AcceptInvitationPayload', success: boolean, businessId: string, roleId: string } };\n\nexport type AddBusinessTripAccommodationsExpenseMutationVariables = Exact<{\n fields: AddBusinessTripAccommodationsExpenseInput;\n}>;\n\n\nexport type AddBusinessTripAccommodationsExpenseMutation = { __typename?: 'Mutation', addBusinessTripAccommodationsExpense: string };\n\nexport type AddBusinessTripCarRentalExpenseMutationVariables = Exact<{\n fields: AddBusinessTripCarRentalExpenseInput;\n}>;\n\n\nexport type AddBusinessTripCarRentalExpenseMutation = { __typename?: 'Mutation', addBusinessTripCarRentalExpense: string };\n\nexport type AddBusinessTripFlightsExpenseMutationVariables = Exact<{\n fields: AddBusinessTripFlightsExpenseInput;\n}>;\n\n\nexport type AddBusinessTripFlightsExpenseMutation = { __typename?: 'Mutation', addBusinessTripFlightsExpense: string };\n\nexport type AddBusinessTripOtherExpenseMutationVariables = Exact<{\n fields: AddBusinessTripOtherExpenseInput;\n}>;\n\n\nexport type AddBusinessTripOtherExpenseMutation = { __typename?: 'Mutation', addBusinessTripOtherExpense: string };\n\nexport type AddBusinessTripTravelAndSubsistenceExpenseMutationVariables = Exact<{\n fields: AddBusinessTripTravelAndSubsistenceExpenseInput;\n}>;\n\n\nexport type AddBusinessTripTravelAndSubsistenceExpenseMutation = { __typename?: 'Mutation', addBusinessTripTravelAndSubsistenceExpense: string };\n\nexport type AddDepreciationRecordMutationVariables = Exact<{\n fields: InsertDepreciationRecordInput;\n}>;\n\n\nexport type AddDepreciationRecordMutation = { __typename?: 'Mutation', insertDepreciationRecord:\n | { __typename: 'CommonError', message: string }\n | { __typename: 'DepreciationRecord', id: string }\n };\n\nexport type AddSortCodeMutationVariables = Exact<{\n key: Scalars['Int']['input'];\n name: Scalars['String']['input'];\n defaultIrsCode?: InputMaybe<Scalars['Int']['input']>;\n}>;\n\n\nexport type AddSortCodeMutation = { __typename?: 'Mutation', addSortCode: boolean };\n\nexport type AddTagMutationVariables = Exact<{\n tagName: Scalars['String']['input'];\n parentTag?: InputMaybe<Scalars['UUID']['input']>;\n}>;\n\n\nexport type AddTagMutation = { __typename?: 'Mutation', addTag: boolean };\n\nexport type AssignChargeToDepositMutationVariables = Exact<{\n chargeId: Scalars['UUID']['input'];\n depositId: Scalars['String']['input'];\n}>;\n\n\nexport type AssignChargeToDepositMutation = { __typename?: 'Mutation', assignChargeToDeposit: { __typename?: 'BankDeposit', id: string, isOpen: boolean, currentBalance: { __typename?: 'FinancialAmount', formatted: string }, transactions: Array<\n | { __typename?: 'CommonTransaction', id: string }\n | { __typename?: 'ConversionTransaction', id: string }\n > } };\n\nexport type GenerateBalanceChargeMutationVariables = Exact<{\n description: Scalars['String']['input'];\n balanceRecords: Array<InsertMiscExpenseInput> | InsertMiscExpenseInput;\n}>;\n\n\nexport type GenerateBalanceChargeMutation = { __typename?: 'Mutation', generateBalanceCharge: { __typename?: 'FinancialCharge', id: string } };\n\nexport type BatchUpdateChargesMutationVariables = Exact<{\n chargeIds: Array<Scalars['UUID']['input']> | Scalars['UUID']['input'];\n fields: UpdateChargeInput;\n}>;\n\n\nexport type BatchUpdateChargesMutation = { __typename?: 'Mutation', batchUpdateCharges:\n | { __typename: 'BatchUpdateChargesSuccessfulResult', charges: Array<\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n > }\n | { __typename: 'CommonError', message: string }\n };\n\nexport type CategorizeBusinessTripExpenseMutationVariables = Exact<{\n fields: CategorizeBusinessTripExpenseInput;\n}>;\n\n\nexport type CategorizeBusinessTripExpenseMutation = { __typename?: 'Mutation', categorizeBusinessTripExpense: string };\n\nexport type CategorizeIntoExistingBusinessTripExpenseMutationVariables = Exact<{\n fields: CategorizeIntoExistingBusinessTripExpenseInput;\n}>;\n\n\nexport type CategorizeIntoExistingBusinessTripExpenseMutation = { __typename?: 'Mutation', categorizeIntoExistingBusinessTripExpense: string };\n\nexport type CloseDocumentMutationVariables = Exact<{\n documentId: Scalars['UUID']['input'];\n}>;\n\n\nexport type CloseDocumentMutation = { __typename?: 'Mutation', closeDocument: boolean };\n\nexport type FlagForeignFeeTransactionsMutationVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type FlagForeignFeeTransactionsMutation = { __typename?: 'Mutation', flagForeignFeeTransactions: { __typename?: 'FlagForeignFeeTransactionsResult', success: boolean, errors?: Array<string> | null } };\n\nexport type MergeChargesByTransactionReferenceMutationVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type MergeChargesByTransactionReferenceMutation = { __typename?: 'Mutation', mergeChargesByTransactionReference: { __typename?: 'MergeChargesByTransactionReferenceResult', success: boolean, errors?: Array<string> | null } };\n\nexport type CalculateCreditcardTransactionsDebitDateMutationVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type CalculateCreditcardTransactionsDebitDateMutation = { __typename?: 'Mutation', calculateCreditcardTransactionsDebitDate: boolean };\n\nexport type CreateContractMutationVariables = Exact<{\n input: CreateContractInput;\n}>;\n\n\nexport type CreateContractMutation = { __typename?: 'Mutation', createContract: { __typename?: 'Contract', id: string } };\n\nexport type CreateDepositMutationVariables = Exact<{\n currency: Currency;\n}>;\n\n\nexport type CreateDepositMutation = { __typename?: 'Mutation', createDeposit: { __typename?: 'BankDeposit', id: string, currency: Currency, isOpen: boolean } };\n\nexport type CreateFinancialAccountMutationVariables = Exact<{\n input: CreateFinancialAccountInput;\n}>;\n\n\nexport type CreateFinancialAccountMutation = { __typename?: 'Mutation', createFinancialAccount:\n | { __typename?: 'BankDepositFinancialAccount', id: string }\n | { __typename?: 'BankFinancialAccount', id: string }\n | { __typename?: 'CardFinancialAccount', id: string }\n | { __typename?: 'CryptoWalletFinancialAccount', id: string }\n | { __typename?: 'ForeignSecuritiesFinancialAccount', id: string }\n };\n\nexport type CreditShareholdersBusinessTripTravelAndSubsistenceMutationVariables = Exact<{\n businessTripId: Scalars['UUID']['input'];\n}>;\n\n\nexport type CreditShareholdersBusinessTripTravelAndSubsistenceMutation = { __typename?: 'Mutation', creditShareholdersBusinessTripTravelAndSubsistence: Array<string> };\n\nexport type DeleteBusinessTripAttendeeMutationVariables = Exact<{\n fields: DeleteBusinessTripAttendeeInput;\n}>;\n\n\nexport type DeleteBusinessTripAttendeeMutation = { __typename?: 'Mutation', deleteBusinessTripAttendee: boolean };\n\nexport type DeleteBusinessTripExpenseMutationVariables = Exact<{\n businessTripExpenseId: Scalars['UUID']['input'];\n}>;\n\n\nexport type DeleteBusinessTripExpenseMutation = { __typename?: 'Mutation', deleteBusinessTripExpense: boolean };\n\nexport type DeleteChargeMutationVariables = Exact<{\n chargeId: Scalars['UUID']['input'];\n}>;\n\n\nexport type DeleteChargeMutation = { __typename?: 'Mutation', deleteCharge: boolean };\n\nexport type DeleteContractMutationVariables = Exact<{\n contractId: Scalars['UUID']['input'];\n}>;\n\n\nexport type DeleteContractMutation = { __typename?: 'Mutation', deleteContract: boolean };\n\nexport type DeleteDepreciationRecordMutationVariables = Exact<{\n depreciationRecordId: Scalars['UUID']['input'];\n}>;\n\n\nexport type DeleteDepreciationRecordMutation = { __typename?: 'Mutation', deleteDepreciationRecord: boolean };\n\nexport type DeleteDocumentMutationVariables = Exact<{\n documentId: Scalars['UUID']['input'];\n}>;\n\n\nexport type DeleteDocumentMutation = { __typename?: 'Mutation', deleteDocument: boolean };\n\nexport type DeleteDynamicReportTemplateMutationVariables = Exact<{\n name: Scalars['String']['input'];\n}>;\n\n\nexport type DeleteDynamicReportTemplateMutation = { __typename?: 'Mutation', deleteDynamicReportTemplate: string };\n\nexport type DeleteMiscExpenseMutationVariables = Exact<{\n id: Scalars['UUID']['input'];\n}>;\n\n\nexport type DeleteMiscExpenseMutation = { __typename?: 'Mutation', deleteMiscExpense: boolean };\n\nexport type DeleteTagMutationVariables = Exact<{\n tagId: Scalars['UUID']['input'];\n}>;\n\n\nexport type DeleteTagMutation = { __typename?: 'Mutation', deleteTag: boolean };\n\nexport type GenerateRevaluationChargeMutationVariables = Exact<{\n ownerId: Scalars['UUID']['input'];\n date: Scalars['TimelessDate']['input'];\n}>;\n\n\nexport type GenerateRevaluationChargeMutation = { __typename?: 'Mutation', generateRevaluationCharge: { __typename?: 'FinancialCharge', id: string } };\n\nexport type GenerateBankDepositsRevaluationChargeMutationVariables = Exact<{\n ownerId: Scalars['UUID']['input'];\n date: Scalars['TimelessDate']['input'];\n}>;\n\n\nexport type GenerateBankDepositsRevaluationChargeMutation = { __typename?: 'Mutation', generateBankDepositsRevaluationCharge: { __typename?: 'FinancialCharge', id: string } };\n\nexport type GenerateTaxExpensesChargeMutationVariables = Exact<{\n ownerId: Scalars['UUID']['input'];\n date: Scalars['TimelessDate']['input'];\n}>;\n\n\nexport type GenerateTaxExpensesChargeMutation = { __typename?: 'Mutation', generateTaxExpensesCharge: { __typename?: 'FinancialCharge', id: string } };\n\nexport type GenerateDepreciationChargeMutationVariables = Exact<{\n ownerId: Scalars['UUID']['input'];\n date: Scalars['TimelessDate']['input'];\n}>;\n\n\nexport type GenerateDepreciationChargeMutation = { __typename?: 'Mutation', generateDepreciationCharge: { __typename?: 'FinancialCharge', id: string } };\n\nexport type GenerateRecoveryReserveChargeMutationVariables = Exact<{\n ownerId: Scalars['UUID']['input'];\n date: Scalars['TimelessDate']['input'];\n}>;\n\n\nexport type GenerateRecoveryReserveChargeMutation = { __typename?: 'Mutation', generateRecoveryReserveCharge: { __typename?: 'FinancialCharge', id: string } };\n\nexport type GenerateVacationReserveChargeMutationVariables = Exact<{\n ownerId: Scalars['UUID']['input'];\n date: Scalars['TimelessDate']['input'];\n}>;\n\n\nexport type GenerateVacationReserveChargeMutation = { __typename?: 'Mutation', generateVacationReserveCharge: { __typename?: 'FinancialCharge', id: string } };\n\nexport type AllAdminBusinessesQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllAdminBusinessesQuery = { __typename?: 'Query', allAdminBusinesses: Array<{ __typename?: 'AdminBusiness', id: string, name: string, governmentId: string }> };\n\nexport type AllClientsQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllClientsQuery = { __typename?: 'Query', allClients: Array<{ __typename?: 'Client', id: string, originalBusiness: { __typename?: 'LtdFinancialEntity', id: string, name: string } }> };\n\nexport type AllBusinessesQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllBusinessesQuery = { __typename?: 'Query', allBusinesses?: { __typename?: 'PaginatedBusinesses', nodes: Array<\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n > } | null };\n\nexport type AllCountriesQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllCountriesQuery = { __typename?: 'Query', allCountries: Array<{ __typename?: 'Country', id: string, name: string, code: any }> };\n\nexport type AllFinancialAccountsQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllFinancialAccountsQuery = { __typename?: 'Query', allFinancialAccounts: Array<\n | { __typename?: 'BankDepositFinancialAccount', id: string, name: string }\n | { __typename?: 'BankFinancialAccount', id: string, name: string }\n | { __typename?: 'CardFinancialAccount', id: string, name: string }\n | { __typename?: 'CryptoWalletFinancialAccount', id: string, name: string }\n | { __typename?: 'ForeignSecuritiesFinancialAccount', id: string, name: string }\n > };\n\nexport type AllFinancialEntitiesQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllFinancialEntitiesQuery = { __typename?: 'Query', allFinancialEntities?: { __typename?: 'PaginatedFinancialEntities', nodes: Array<\n | { __typename?: 'LtdFinancialEntity', id: string, name: string }\n | { __typename?: 'PersonalFinancialEntity', id: string, name: string }\n | { __typename?: 'TaxCategory', id: string, name: string }\n > } | null };\n\nexport type AllSortCodesQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllSortCodesQuery = { __typename?: 'Query', allSortCodes: Array<{ __typename?: 'SortCode', id: string, key: number, name?: string | null, defaultIrsCode?: number | null }> };\n\nexport type AllTagsQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllTagsQuery = { __typename?: 'Query', allTags: Array<{ __typename?: 'Tag', id: string, name: string, namePath?: Array<string> | null }> };\n\nexport type AllTaxCategoriesQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type AllTaxCategoriesQuery = { __typename?: 'Query', taxCategories: Array<{ __typename?: 'TaxCategory', id: string, name: string }> };\n\nexport type InsertBusinessTripAttendeeMutationVariables = Exact<{\n fields: InsertBusinessTripAttendeeInput;\n}>;\n\n\nexport type InsertBusinessTripAttendeeMutation = { __typename?: 'Mutation', insertBusinessTripAttendee: string };\n\nexport type InsertBusinessTripMutationVariables = Exact<{\n fields: InsertBusinessTripInput;\n}>;\n\n\nexport type InsertBusinessTripMutation = { __typename?: 'Mutation', insertBusinessTrip: string };\n\nexport type InsertBusinessMutationVariables = Exact<{\n fields: InsertNewBusinessInput;\n}>;\n\n\nexport type InsertBusinessMutation = { __typename?: 'Mutation', insertNewBusiness:\n | { __typename: 'CommonError', message: string }\n | { __typename: 'LtdFinancialEntity', id: string }\n };\n\nexport type InsertClientMutationVariables = Exact<{\n fields: ClientInsertInput;\n}>;\n\n\nexport type InsertClientMutation = { __typename?: 'Mutation', insertClient:\n | { __typename: 'Client', id: string }\n | { __typename: 'CommonError', message: string }\n };\n\nexport type InsertDocumentMutationVariables = Exact<{\n record: InsertDocumentInput;\n}>;\n\n\nexport type InsertDocumentMutation = { __typename?: 'Mutation', insertDocument:\n | { __typename: 'CommonError', message: string }\n | { __typename: 'InsertDocumentSuccessfulResult', document?:\n | { __typename?: 'CreditInvoice', id: string }\n | { __typename?: 'Invoice', id: string }\n | { __typename?: 'InvoiceReceipt', id: string }\n | { __typename?: 'OtherDocument', id: string }\n | { __typename?: 'Proforma', id: string }\n | { __typename?: 'Receipt', id: string }\n | { __typename?: 'Unprocessed', id: string }\n | null }\n };\n\nexport type InsertDynamicReportTemplateMutationVariables = Exact<{\n name: Scalars['String']['input'];\n template: Scalars['String']['input'];\n}>;\n\n\nexport type InsertDynamicReportTemplateMutation = { __typename?: 'Mutation', insertDynamicReportTemplate: { __typename?: 'DynamicReportInfo', id: string, name: string } };\n\nexport type InsertMiscExpenseMutationVariables = Exact<{\n chargeId: Scalars['UUID']['input'];\n fields: InsertMiscExpenseInput;\n}>;\n\n\nexport type InsertMiscExpenseMutation = { __typename?: 'Mutation', insertMiscExpense: { __typename?: 'MiscExpense', id: string } };\n\nexport type InsertMiscExpensesMutationVariables = Exact<{\n chargeId: Scalars['UUID']['input'];\n expenses: Array<InsertMiscExpenseInput> | InsertMiscExpenseInput;\n}>;\n\n\nexport type InsertMiscExpensesMutation = { __typename?: 'Mutation', insertMiscExpenses:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n };\n\nexport type InsertSalaryRecordMutationVariables = Exact<{\n salaryRecords: Array<SalaryRecordInput> | SalaryRecordInput;\n}>;\n\n\nexport type InsertSalaryRecordMutation = { __typename?: 'Mutation', insertSalaryRecords:\n | { __typename: 'CommonError', message: string }\n | { __typename: 'InsertSalaryRecordsSuccessfulResult', salaryRecords: Array<{ __typename?: 'Salary', month: string, employee?: { __typename?: 'LtdFinancialEntity', id: string } | null }> }\n };\n\nexport type InsertTaxCategoryMutationVariables = Exact<{\n fields: InsertTaxCategoryInput;\n}>;\n\n\nexport type InsertTaxCategoryMutation = { __typename?: 'Mutation', insertTaxCategory: { __typename?: 'TaxCategory', id: string, name: string } };\n\nexport type IssueGreenInvoiceDocumentMutationVariables = Exact<{\n input: DocumentIssueInput;\n emailContent?: InputMaybe<Scalars['String']['input']>;\n attachment?: InputMaybe<Scalars['Boolean']['input']>;\n chargeId?: InputMaybe<Scalars['UUID']['input']>;\n}>;\n\n\nexport type IssueGreenInvoiceDocumentMutation = { __typename?: 'Mutation', issueGreenInvoiceDocument:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n };\n\nexport type IssueMonthlyDocumentsMutationVariables = Exact<{\n generateDocumentsInfo: Array<DocumentIssueInput> | DocumentIssueInput;\n}>;\n\n\nexport type IssueMonthlyDocumentsMutation = { __typename?: 'Mutation', issueGreenInvoiceDocuments: { __typename?: 'GenerateDocumentsResult', success: boolean, errors?: Array<string> | null } };\n\nexport type LedgerLockMutationVariables = Exact<{\n date: Scalars['TimelessDate']['input'];\n}>;\n\n\nexport type LedgerLockMutation = { __typename?: 'Mutation', lockLedgerRecords: boolean };\n\nexport type MergeBusinessesMutationVariables = Exact<{\n targetBusinessId: Scalars['UUID']['input'];\n businessIdsToMerge: Array<Scalars['UUID']['input']> | Scalars['UUID']['input'];\n}>;\n\n\nexport type MergeBusinessesMutation = { __typename?: 'Mutation', mergeBusinesses:\n | { __typename: 'LtdFinancialEntity', id: string }\n | { __typename: 'PersonalFinancialEntity', id: string }\n };\n\nexport type MergeChargesMutationVariables = Exact<{\n baseChargeID: Scalars['UUID']['input'];\n chargeIdsToMerge: Array<Scalars['UUID']['input']> | Scalars['UUID']['input'];\n fields?: InputMaybe<UpdateChargeInput>;\n}>;\n\n\nexport type MergeChargesMutation = { __typename?: 'Mutation', mergeCharges:\n | { __typename: 'CommonError', message: string }\n | { __typename: 'MergeChargeSuccessfulResult', charge:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n }\n };\n\nexport type PreviewDocumentMutationVariables = Exact<{\n input: DocumentIssueInput;\n}>;\n\n\nexport type PreviewDocumentMutation = { __typename?: 'Mutation', previewDocument: string };\n\nexport type RegenerateLedgerMutationVariables = Exact<{\n chargeId: Scalars['UUID']['input'];\n}>;\n\n\nexport type RegenerateLedgerMutation = { __typename?: 'Mutation', regenerateLedgerRecords:\n | { __typename: 'CommonError', message: string }\n | { __typename: 'Ledger', records: Array<{ __typename?: 'LedgerRecord', id: string }> }\n };\n\nexport type SyncGreenInvoiceDocumentsMutationVariables = Exact<{\n ownerId: Scalars['UUID']['input'];\n}>;\n\n\nexport type SyncGreenInvoiceDocumentsMutation = { __typename?: 'Mutation', syncGreenInvoiceDocuments: Array<\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_CreditInvoice_Fragment': NewFetchedDocumentFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_Invoice_Fragment': NewFetchedDocumentFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_InvoiceReceipt_Fragment': NewFetchedDocumentFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_OtherDocument_Fragment': NewFetchedDocumentFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_Proforma_Fragment': NewFetchedDocumentFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_Receipt_Fragment': NewFetchedDocumentFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_Unprocessed_Fragment': NewFetchedDocumentFields_Unprocessed_Fragment } }\n )\n > };\n\nexport type UpdateAdminBusinessMutationVariables = Exact<{\n adminBusinessId: Scalars['UUID']['input'];\n fields: UpdateAdminBusinessInput;\n}>;\n\n\nexport type UpdateAdminBusinessMutation = { __typename?: 'Mutation', updateAdminBusiness: { __typename?: 'AdminBusiness', id: string } };\n\nexport type UpdateBusinessTripAccommodationsExpenseMutationVariables = Exact<{\n fields: UpdateBusinessTripAccommodationsExpenseInput;\n}>;\n\n\nexport type UpdateBusinessTripAccommodationsExpenseMutation = { __typename?: 'Mutation', updateBusinessTripAccommodationsExpense: string };\n\nexport type UpdateBusinessTripAccountantApprovalMutationVariables = Exact<{\n businessTripId: Scalars['UUID']['input'];\n status: AccountantStatus;\n}>;\n\n\nexport type UpdateBusinessTripAccountantApprovalMutation = { __typename?: 'Mutation', updateBusinessTripAccountantApproval: AccountantStatus };\n\nexport type UpdateBusinessTripAttendeeMutationVariables = Exact<{\n fields: BusinessTripAttendeeUpdateInput;\n}>;\n\n\nexport type UpdateBusinessTripAttendeeMutation = { __typename?: 'Mutation', updateBusinessTripAttendee: string };\n\nexport type UpdateBusinessTripCarRentalExpenseMutationVariables = Exact<{\n fields: UpdateBusinessTripCarRentalExpenseInput;\n}>;\n\n\nexport type UpdateBusinessTripCarRentalExpenseMutation = { __typename?: 'Mutation', updateBusinessTripCarRentalExpense: string };\n\nexport type UpdateBusinessTripFlightsExpenseMutationVariables = Exact<{\n fields: UpdateBusinessTripFlightsExpenseInput;\n}>;\n\n\nexport type UpdateBusinessTripFlightsExpenseMutation = { __typename?: 'Mutation', updateBusinessTripFlightsExpense: string };\n\nexport type UpdateBusinessTripOtherExpenseMutationVariables = Exact<{\n fields: UpdateBusinessTripOtherExpenseInput;\n}>;\n\n\nexport type UpdateBusinessTripOtherExpenseMutation = { __typename?: 'Mutation', updateBusinessTripOtherExpense: string };\n\nexport type UpdateBusinessTripTravelAndSubsistenceExpenseMutationVariables = Exact<{\n fields: UpdateBusinessTripTravelAndSubsistenceExpenseInput;\n}>;\n\n\nexport type UpdateBusinessTripTravelAndSubsistenceExpenseMutation = { __typename?: 'Mutation', updateBusinessTripTravelAndSubsistenceExpense: string };\n\nexport type UpdateBusinessMutationVariables = Exact<{\n businessId: Scalars['UUID']['input'];\n ownerId: Scalars['UUID']['input'];\n fields: UpdateBusinessInput;\n}>;\n\n\nexport type UpdateBusinessMutation = { __typename?: 'Mutation', updateBusiness:\n | { __typename: 'CommonError', message: string }\n | { __typename: 'LtdFinancialEntity', id: string, name: string }\n };\n\nexport type UpdateChargeAccountantApprovalMutationVariables = Exact<{\n chargeId: Scalars['UUID']['input'];\n status: AccountantStatus;\n}>;\n\n\nexport type UpdateChargeAccountantApprovalMutation = { __typename?: 'Mutation', updateChargeAccountantApproval: AccountantStatus };\n\nexport type UpdateChargeMutationVariables = Exact<{\n chargeId: Scalars['UUID']['input'];\n fields: UpdateChargeInput;\n}>;\n\n\nexport type UpdateChargeMutation = { __typename?: 'Mutation', updateCharge:\n | { __typename: 'CommonError', message: string }\n | { __typename: 'UpdateChargeSuccessfulResult', charge:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n }\n };\n\nexport type UpdateClientMutationVariables = Exact<{\n businessId: Scalars['UUID']['input'];\n fields: ClientUpdateInput;\n}>;\n\n\nexport type UpdateClientMutation = { __typename?: 'Mutation', updateClient:\n | { __typename: 'Client', id: string }\n | { __typename: 'CommonError', message: string }\n };\n\nexport type UpdateContractMutationVariables = Exact<{\n contractId: Scalars['UUID']['input'];\n input: UpdateContractInput;\n}>;\n\n\nexport type UpdateContractMutation = { __typename?: 'Mutation', updateContract: { __typename?: 'Contract', id: string } };\n\nexport type UpdateDepreciationRecordMutationVariables = Exact<{\n fields: UpdateDepreciationRecordInput;\n}>;\n\n\nexport type UpdateDepreciationRecordMutation = { __typename?: 'Mutation', updateDepreciationRecord:\n | { __typename: 'CommonError', message: string }\n | { __typename: 'DepreciationRecord', id: string }\n };\n\nexport type UpdateDocumentMutationVariables = Exact<{\n documentId: Scalars['UUID']['input'];\n fields: UpdateDocumentFieldsInput;\n}>;\n\n\nexport type UpdateDocumentMutation = { __typename?: 'Mutation', updateDocument:\n | { __typename: 'CommonError', message: string }\n | { __typename: 'UpdateDocumentSuccessfulResult', document?:\n | { __typename?: 'CreditInvoice', id: string }\n | { __typename?: 'Invoice', id: string }\n | { __typename?: 'InvoiceReceipt', id: string }\n | { __typename?: 'OtherDocument', id: string }\n | { __typename?: 'Proforma', id: string }\n | { __typename?: 'Receipt', id: string }\n | { __typename?: 'Unprocessed', id: string }\n | null }\n };\n\nexport type UpdateDynamicReportTemplateNameMutationVariables = Exact<{\n name: Scalars['String']['input'];\n newName: Scalars['String']['input'];\n}>;\n\n\nexport type UpdateDynamicReportTemplateNameMutation = { __typename?: 'Mutation', updateDynamicReportTemplateName: { __typename?: 'DynamicReportInfo', id: string, name: string } };\n\nexport type UpdateDynamicReportTemplateMutationVariables = Exact<{\n name: Scalars['String']['input'];\n template: Scalars['String']['input'];\n}>;\n\n\nexport type UpdateDynamicReportTemplateMutation = { __typename?: 'Mutation', updateDynamicReportTemplate: { __typename?: 'DynamicReportInfo', id: string, name: string } };\n\nexport type UpdateFinancialAccountMutationVariables = Exact<{\n financialAccountId: Scalars['UUID']['input'];\n fields: UpdateFinancialAccountInput;\n}>;\n\n\nexport type UpdateFinancialAccountMutation = { __typename?: 'Mutation', updateFinancialAccount:\n | { __typename?: 'BankDepositFinancialAccount', id: string }\n | { __typename?: 'BankFinancialAccount', id: string }\n | { __typename?: 'CardFinancialAccount', id: string }\n | { __typename?: 'CryptoWalletFinancialAccount', id: string }\n | { __typename?: 'ForeignSecuritiesFinancialAccount', id: string }\n };\n\nexport type UpdateMiscExpenseMutationVariables = Exact<{\n id: Scalars['UUID']['input'];\n fields: UpdateMiscExpenseInput;\n}>;\n\n\nexport type UpdateMiscExpenseMutation = { __typename?: 'Mutation', updateMiscExpense: { __typename?: 'MiscExpense', id: string } };\n\nexport type UpdateOrInsertSalaryRecordsMutationVariables = Exact<{\n salaryRecords: Array<SalaryRecordInput> | SalaryRecordInput;\n}>;\n\n\nexport type UpdateOrInsertSalaryRecordsMutation = { __typename?: 'Mutation', insertOrUpdateSalaryRecords:\n | { __typename: 'CommonError', message: string }\n | { __typename: 'InsertSalaryRecordsSuccessfulResult', salaryRecords: Array<{ __typename?: 'Salary', month: string, employee?: { __typename?: 'LtdFinancialEntity', id: string } | null }> }\n };\n\nexport type UpdateSalaryRecordMutationVariables = Exact<{\n salaryRecord: SalaryRecordEditInput;\n}>;\n\n\nexport type UpdateSalaryRecordMutation = { __typename?: 'Mutation', updateSalaryRecord:\n | { __typename: 'CommonError', message: string }\n | { __typename: 'UpdateSalaryRecordSuccessfulResult', salaryRecord: { __typename?: 'Salary', month: string, employee?: { __typename?: 'LtdFinancialEntity', id: string } | null } }\n };\n\nexport type UpdateSortCodeMutationVariables = Exact<{\n key: Scalars['Int']['input'];\n fields: UpdateSortCodeFieldsInput;\n}>;\n\n\nexport type UpdateSortCodeMutation = { __typename?: 'Mutation', updateSortCode: boolean };\n\nexport type UpdateTagMutationVariables = Exact<{\n tagId: Scalars['UUID']['input'];\n fields: UpdateTagFieldsInput;\n}>;\n\n\nexport type UpdateTagMutation = { __typename?: 'Mutation', updateTag: boolean };\n\nexport type UpdateTaxCategoryMutationVariables = Exact<{\n taxCategoryId: Scalars['UUID']['input'];\n fields: UpdateTaxCategoryInput;\n}>;\n\n\nexport type UpdateTaxCategoryMutation = { __typename?: 'Mutation', updateTaxCategory:\n | { __typename: 'CommonError', message: string }\n | { __typename: 'TaxCategory', id: string, name: string }\n };\n\nexport type UpdateTransactionMutationVariables = Exact<{\n transactionId: Scalars['UUID']['input'];\n fields: UpdateTransactionInput;\n}>;\n\n\nexport type UpdateTransactionMutation = { __typename?: 'Mutation', updateTransaction:\n | { __typename: 'CommonError', message: string }\n | { __typename: 'CommonTransaction', id: string }\n | { __typename: 'ConversionTransaction', id: string }\n };\n\nexport type UpdateTransactionsMutationVariables = Exact<{\n transactionIds: Array<Scalars['UUID']['input']> | Scalars['UUID']['input'];\n fields: UpdateTransactionInput;\n}>;\n\n\nexport type UpdateTransactionsMutation = { __typename?: 'Mutation', updateTransactions:\n | { __typename: 'CommonError', message: string }\n | { __typename: 'UpdatedTransactionsSuccessfulResult', transactions: Array<\n | { __typename?: 'CommonTransaction', id: string }\n | { __typename?: 'ConversionTransaction', id: string }\n > }\n };\n\nexport type UploadDocumentMutationVariables = Exact<{\n file: Scalars['FileScalar']['input'];\n chargeId?: InputMaybe<Scalars['UUID']['input']>;\n}>;\n\n\nexport type UploadDocumentMutation = { __typename?: 'Mutation', uploadDocument:\n | { __typename: 'CommonError', message: string }\n | { __typename: 'UploadDocumentSuccessfulResult', document?:\n | { __typename?: 'CreditInvoice', id: string, charge?:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n | null }\n | { __typename?: 'Invoice', id: string, charge?:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n | null }\n | { __typename?: 'InvoiceReceipt', id: string, charge?:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n | null }\n | { __typename?: 'OtherDocument', id: string, charge?:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n | null }\n | { __typename?: 'Proforma', id: string, charge?:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n | null }\n | { __typename?: 'Receipt', id: string, charge?:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n | null }\n | { __typename?: 'Unprocessed', id: string, charge?:\n | { __typename?: 'BankDepositCharge', id: string }\n | { __typename?: 'BusinessTripCharge', id: string }\n | { __typename?: 'CommonCharge', id: string }\n | { __typename?: 'ConversionCharge', id: string }\n | { __typename?: 'CreditcardBankCharge', id: string }\n | { __typename?: 'DividendCharge', id: string }\n | { __typename?: 'FinancialCharge', id: string }\n | { __typename?: 'ForeignSecuritiesCharge', id: string }\n | { __typename?: 'InternalTransferCharge', id: string }\n | { __typename?: 'MonthlyVatCharge', id: string }\n | { __typename?: 'SalaryCharge', id: string }\n | null }\n | null }\n };\n\nexport type UploadDocumentsFromGoogleDriveMutationVariables = Exact<{\n sharedFolderUrl: Scalars['String']['input'];\n chargeId?: InputMaybe<Scalars['UUID']['input']>;\n isSensitive?: InputMaybe<Scalars['Boolean']['input']>;\n}>;\n\n\nexport type UploadDocumentsFromGoogleDriveMutation = { __typename?: 'Mutation', batchUploadDocumentsFromGoogleDrive: Array<\n | { __typename?: 'CommonError', message: string }\n | { __typename?: 'UploadDocumentSuccessfulResult', document?:\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_CreditInvoice_Fragment': NewFetchedDocumentFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_Invoice_Fragment': NewFetchedDocumentFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_InvoiceReceipt_Fragment': NewFetchedDocumentFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_OtherDocument_Fragment': NewFetchedDocumentFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_Proforma_Fragment': NewFetchedDocumentFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_Receipt_Fragment': NewFetchedDocumentFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_Unprocessed_Fragment': NewFetchedDocumentFields_Unprocessed_Fragment } }\n )\n | null }\n > };\n\nexport type UploadMultipleDocumentsMutationVariables = Exact<{\n documents: Array<Scalars['FileScalar']['input']> | Scalars['FileScalar']['input'];\n chargeId?: InputMaybe<Scalars['UUID']['input']>;\n isSensitive?: InputMaybe<Scalars['Boolean']['input']>;\n}>;\n\n\nexport type UploadMultipleDocumentsMutation = { __typename?: 'Mutation', batchUploadDocuments: Array<\n | { __typename?: 'CommonError', message: string }\n | { __typename?: 'UploadDocumentSuccessfulResult', document?:\n | (\n { __typename?: 'CreditInvoice', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_CreditInvoice_Fragment': NewFetchedDocumentFields_CreditInvoice_Fragment } }\n )\n | (\n { __typename?: 'Invoice', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_Invoice_Fragment': NewFetchedDocumentFields_Invoice_Fragment } }\n )\n | (\n { __typename?: 'InvoiceReceipt', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_InvoiceReceipt_Fragment': NewFetchedDocumentFields_InvoiceReceipt_Fragment } }\n )\n | (\n { __typename?: 'OtherDocument', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_OtherDocument_Fragment': NewFetchedDocumentFields_OtherDocument_Fragment } }\n )\n | (\n { __typename?: 'Proforma', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_Proforma_Fragment': NewFetchedDocumentFields_Proforma_Fragment } }\n )\n | (\n { __typename?: 'Receipt', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_Receipt_Fragment': NewFetchedDocumentFields_Receipt_Fragment } }\n )\n | (\n { __typename?: 'Unprocessed', id: string }\n & { ' $fragmentRefs'?: { 'NewFetchedDocumentFields_Unprocessed_Fragment': NewFetchedDocumentFields_Unprocessed_Fragment } }\n )\n | null }\n > };\n\nexport type UploadPayrollFileMutationVariables = Exact<{\n file: Scalars['FileScalar']['input'];\n chargeId: Scalars['UUID']['input'];\n}>;\n\n\nexport type UploadPayrollFileMutation = { __typename?: 'Mutation', insertSalaryRecordsFromFile: boolean };\n\nexport type UserContextQueryVariables = Exact<{ [key: string]: never; }>;\n\n\nexport type UserContextQuery = { __typename?: 'Query', userContext?: { __typename?: 'UserContext', adminBusinessId: string, defaultLocalCurrency: Currency, defaultCryptoConversionFiatCurrency: Currency, ledgerLock?: any | null, financialAccountsBusinessesIds: Array<string>, locality: string } | null };\n\nexport type BusinessEmailConfigQueryVariables = Exact<{\n email: Scalars['String']['input'];\n}>;\n\n\nexport type BusinessEmailConfigQuery = { __typename?: 'Query', businessEmailConfig?: { __typename?: 'BusinessEmailConfig', businessId: string, internalEmailLinks?: Array<string> | null, emailBody?: boolean | null, attachments?: Array<EmailAttachmentType> | null } | null };\n\nexport type InsertEmailDocumentsMutationVariables = Exact<{\n documents: Array<Scalars['FileScalar']['input']> | Scalars['FileScalar']['input'];\n userDescription: Scalars['String']['input'];\n messageId?: InputMaybe<Scalars['String']['input']>;\n businessId?: InputMaybe<Scalars['UUID']['input']>;\n}>;\n\n\nexport type InsertEmailDocumentsMutation = { __typename?: 'Mutation', insertEmailDocuments: boolean };\n\nexport class TypedDocumentString<TResult, TVariables>\n extends String\n implements DocumentTypeDecoration<TResult, TVariables>\n{\n __apiType?: NonNullable<DocumentTypeDecoration<TResult, TVariables>['__apiType']>;\n private value: string;\n public __meta__?: Record<string, any> | undefined;\n\n constructor(value: string, __meta__?: Record<string, any> | undefined) {\n super(value);\n this.value = value;\n this.__meta__ = __meta__;\n }\n\n override toString(): string & DocumentTypeDecoration<TResult, TVariables> {\n return this.value;\n }\n}\nexport const DepositTransactionFieldsFragmentDoc = new TypedDocumentString(`\n fragment DepositTransactionFields on Transaction {\n id\n eventDate\n chargeId\n amount {\n raw\n formatted\n currency\n }\n debitExchangeRates {\n aud\n cad\n eur\n gbp\n jpy\n sek\n usd\n date\n }\n eventExchangeRates {\n aud\n cad\n eur\n gbp\n jpy\n sek\n usd\n date\n }\n}\n `, {\"fragmentName\":\"DepositTransactionFields\"}) as unknown as TypedDocumentString<DepositTransactionFieldsFragment, unknown>;\nexport const BusinessTripsRowFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripsRowFields on BusinessTrip {\n id\n name\n accountantApproval\n}\n `, {\"fragmentName\":\"BusinessTripsRowFields\"}) as unknown as TypedDocumentString<BusinessTripsRowFieldsFragment, unknown>;\nexport const ClientIntegrationsSectionFragmentDoc = new TypedDocumentString(`\n fragment ClientIntegrationsSection on LtdFinancialEntity {\n id\n clientInfo {\n id\n integrations {\n id\n greenInvoiceInfo {\n businessId\n greenInvoiceId\n }\n hiveId\n linearId\n slackChannelKey\n notionId\n workflowyUrl\n }\n }\n}\n `, {\"fragmentName\":\"ClientIntegrationsSection\"}) as unknown as TypedDocumentString<ClientIntegrationsSectionFragment, unknown>;\nexport const BusinessHeaderFragmentDoc = new TypedDocumentString(`\n fragment BusinessHeader on Business {\n __typename\n id\n name\n createdAt\n isActive\n ... on LtdFinancialEntity {\n governmentId\n adminInfo {\n id\n }\n clientInfo {\n id\n }\n }\n}\n `, {\"fragmentName\":\"BusinessHeader\"}) as unknown as TypedDocumentString<BusinessHeaderFragment, unknown>;\nexport const BusinessContactSectionFragmentDoc = new TypedDocumentString(`\n fragment BusinessContactSection on Business {\n __typename\n id\n ... on LtdFinancialEntity {\n name\n hebrewName\n country {\n id\n code\n }\n governmentId\n address\n city\n zipCode\n email\n phoneNumber\n website\n clientInfo {\n id\n emails\n }\n }\n}\n `, {\"fragmentName\":\"BusinessContactSection\"}) as unknown as TypedDocumentString<BusinessContactSectionFragment, unknown>;\nexport const BusinessConfigurationSectionFragmentDoc = new TypedDocumentString(`\n fragment BusinessConfigurationSection on Business {\n __typename\n id\n pcn874RecordType\n irsCode\n isActive\n ... on LtdFinancialEntity {\n optionalVAT\n exemptDealer\n isReceiptEnough\n isDocumentsOptional\n sortCode {\n id\n key\n defaultIrsCode\n }\n taxCategory {\n id\n }\n suggestions {\n phrases\n emails\n tags {\n id\n }\n description\n emailListener {\n internalEmailLinks\n emailBody\n attachments\n }\n }\n clientInfo {\n id\n }\n }\n}\n `, {\"fragmentName\":\"BusinessConfigurationSection\"}) as unknown as TypedDocumentString<BusinessConfigurationSectionFragment, unknown>;\nexport const BusinessAdminSectionFragmentDoc = new TypedDocumentString(`\n fragment BusinessAdminSection on Business {\n id\n ... on LtdFinancialEntity {\n adminInfo {\n id\n registrationDate\n withholdingTaxAnnualIds {\n id\n year\n }\n withholdingTaxCompanyId\n socialSecurityEmployerIds {\n id\n year\n }\n socialSecurityDeductionsId\n taxAdvancesAnnualIds {\n id\n year\n }\n taxAdvancesRates {\n date\n rate\n }\n }\n }\n}\n `, {\"fragmentName\":\"BusinessAdminSection\"}) as unknown as TypedDocumentString<BusinessAdminSectionFragment, unknown>;\nexport const BusinessPageFragmentDoc = new TypedDocumentString(`\n fragment BusinessPage on Business {\n id\n ... on LtdFinancialEntity {\n clientInfo {\n id\n }\n adminInfo {\n id\n }\n }\n ...ClientIntegrationsSection\n ...BusinessHeader\n ...BusinessContactSection\n ...BusinessConfigurationSection\n ...BusinessAdminSection\n}\n fragment BusinessAdminSection on Business {\n id\n ... on LtdFinancialEntity {\n adminInfo {\n id\n registrationDate\n withholdingTaxAnnualIds {\n id\n year\n }\n withholdingTaxCompanyId\n socialSecurityEmployerIds {\n id\n year\n }\n socialSecurityDeductionsId\n taxAdvancesAnnualIds {\n id\n year\n }\n taxAdvancesRates {\n date\n rate\n }\n }\n }\n}\nfragment BusinessHeader on Business {\n __typename\n id\n name\n createdAt\n isActive\n ... on LtdFinancialEntity {\n governmentId\n adminInfo {\n id\n }\n clientInfo {\n id\n }\n }\n}\nfragment ClientIntegrationsSection on LtdFinancialEntity {\n id\n clientInfo {\n id\n integrations {\n id\n greenInvoiceInfo {\n businessId\n greenInvoiceId\n }\n hiveId\n linearId\n slackChannelKey\n notionId\n workflowyUrl\n }\n }\n}\nfragment BusinessConfigurationSection on Business {\n __typename\n id\n pcn874RecordType\n irsCode\n isActive\n ... on LtdFinancialEntity {\n optionalVAT\n exemptDealer\n isReceiptEnough\n isDocumentsOptional\n sortCode {\n id\n key\n defaultIrsCode\n }\n taxCategory {\n id\n }\n suggestions {\n phrases\n emails\n tags {\n id\n }\n description\n emailListener {\n internalEmailLinks\n emailBody\n attachments\n }\n }\n clientInfo {\n id\n }\n }\n}\nfragment BusinessContactSection on Business {\n __typename\n id\n ... on LtdFinancialEntity {\n name\n hebrewName\n country {\n id\n code\n }\n governmentId\n address\n city\n zipCode\n email\n phoneNumber\n website\n clientInfo {\n id\n emails\n }\n }\n}`, {\"fragmentName\":\"BusinessPage\"}) as unknown as TypedDocumentString<BusinessPageFragment, unknown>;\nexport const ChargeMatchesTableFieldsFragmentDoc = new TypedDocumentString(`\n fragment ChargeMatchesTableFields on ChargeMatch {\n charge {\n id\n __typename\n minEventDate\n minDebitDate\n minDocumentsDate\n totalAmount {\n raw\n formatted\n }\n vat {\n raw\n formatted\n }\n counterparty {\n name\n id\n }\n userDescription\n tags {\n id\n name\n namePath\n }\n taxCategory {\n id\n name\n }\n }\n confidenceScore\n}\n `, {\"fragmentName\":\"ChargeMatchesTableFields\"}) as unknown as TypedDocumentString<ChargeMatchesTableFieldsFragment, unknown>;\nexport const ChargesTableErrorsFieldsFragmentDoc = new TypedDocumentString(`\n fragment ChargesTableErrorsFields on Charge {\n id\n ... on Charge @defer {\n errorsLedger: ledger {\n ... on Ledger @defer {\n validate {\n ... on LedgerValidation @defer {\n errors\n }\n }\n }\n }\n }\n}\n `, {\"fragmentName\":\"ChargesTableErrorsFields\"}) as unknown as TypedDocumentString<ChargesTableErrorsFieldsFragment, unknown>;\nexport const TableDocumentsRowFieldsFragmentDoc = new TypedDocumentString(`\n fragment TableDocumentsRowFields on Document {\n id\n documentType\n image\n file\n description\n remarks\n charge {\n id\n }\n ... on FinancialDocument {\n amount {\n raw\n formatted\n currency\n }\n missingInfoSuggestions {\n amount {\n raw\n formatted\n currency\n }\n isIncome\n counterparty {\n id\n name\n }\n owner {\n id\n name\n }\n }\n date\n vat {\n raw\n formatted\n currency\n }\n serialNumber\n allocationNumber\n creditor {\n id\n name\n }\n debtor {\n id\n name\n }\n issuedDocumentInfo {\n id\n status\n originalDocument {\n income {\n description\n }\n }\n }\n }\n}\n `, {\"fragmentName\":\"TableDocumentsRowFields\"}) as unknown as TypedDocumentString<TableDocumentsRowFieldsFragment, unknown>;\nexport const TableDocumentsFieldsFragmentDoc = new TypedDocumentString(`\n fragment TableDocumentsFields on Charge {\n id\n additionalDocuments {\n id\n ...TableDocumentsRowFields\n }\n}\n fragment TableDocumentsRowFields on Document {\n id\n documentType\n image\n file\n description\n remarks\n charge {\n id\n }\n ... on FinancialDocument {\n amount {\n raw\n formatted\n currency\n }\n missingInfoSuggestions {\n amount {\n raw\n formatted\n currency\n }\n isIncome\n counterparty {\n id\n name\n }\n owner {\n id\n name\n }\n }\n date\n vat {\n raw\n formatted\n currency\n }\n serialNumber\n allocationNumber\n creditor {\n id\n name\n }\n debtor {\n id\n name\n }\n issuedDocumentInfo {\n id\n status\n originalDocument {\n income {\n description\n }\n }\n }\n }\n}`, {\"fragmentName\":\"TableDocumentsFields\"}) as unknown as TypedDocumentString<TableDocumentsFieldsFragment, unknown>;\nexport const LedgerRecordsTableFieldsFragmentDoc = new TypedDocumentString(`\n fragment LedgerRecordsTableFields on LedgerRecord {\n id\n creditAccount1 {\n __typename\n id\n name\n }\n creditAccount2 {\n __typename\n id\n name\n }\n debitAccount1 {\n __typename\n id\n name\n }\n debitAccount2 {\n __typename\n id\n name\n }\n creditAmount1 {\n formatted\n currency\n }\n creditAmount2 {\n formatted\n currency\n }\n debitAmount1 {\n formatted\n currency\n }\n debitAmount2 {\n formatted\n currency\n }\n localCurrencyCreditAmount1 {\n formatted\n raw\n }\n localCurrencyCreditAmount2 {\n formatted\n raw\n }\n localCurrencyDebitAmount1 {\n formatted\n raw\n }\n localCurrencyDebitAmount2 {\n formatted\n raw\n }\n invoiceDate\n valueDate\n description\n reference\n}\n `, {\"fragmentName\":\"LedgerRecordsTableFields\"}) as unknown as TypedDocumentString<LedgerRecordsTableFieldsFragment, unknown>;\nexport const ChargeLedgerRecordsTableFieldsFragmentDoc = new TypedDocumentString(`\n fragment ChargeLedgerRecordsTableFields on Charge {\n id\n ledger {\n __typename\n records {\n id\n ...LedgerRecordsTableFields\n }\n ... on Ledger @defer {\n validate {\n ... on LedgerValidation @defer {\n matches\n differences {\n id\n ...LedgerRecordsTableFields\n }\n }\n }\n }\n }\n}\n fragment LedgerRecordsTableFields on LedgerRecord {\n id\n creditAccount1 {\n __typename\n id\n name\n }\n creditAccount2 {\n __typename\n id\n name\n }\n debitAccount1 {\n __typename\n id\n name\n }\n debitAccount2 {\n __typename\n id\n name\n }\n creditAmount1 {\n formatted\n currency\n }\n creditAmount2 {\n formatted\n currency\n }\n debitAmount1 {\n formatted\n currency\n }\n debitAmount2 {\n formatted\n currency\n }\n localCurrencyCreditAmount1 {\n formatted\n raw\n }\n localCurrencyCreditAmount2 {\n formatted\n raw\n }\n localCurrencyDebitAmount1 {\n formatted\n raw\n }\n localCurrencyDebitAmount2 {\n formatted\n raw\n }\n invoiceDate\n valueDate\n description\n reference\n}`, {\"fragmentName\":\"ChargeLedgerRecordsTableFields\"}) as unknown as TypedDocumentString<ChargeLedgerRecordsTableFieldsFragment, unknown>;\nexport const TransactionForTransactionsTableFieldsFragmentDoc = new TypedDocumentString(`\n fragment TransactionForTransactionsTableFields on Transaction {\n id\n chargeId\n eventDate\n effectiveDate\n sourceEffectiveDate\n amount {\n raw\n formatted\n }\n cryptoExchangeRate {\n rate\n }\n account {\n id\n name\n type\n }\n sourceDescription\n referenceKey\n counterparty {\n name\n id\n }\n missingInfoSuggestions {\n business {\n id\n name\n }\n }\n}\n `, {\"fragmentName\":\"TransactionForTransactionsTableFields\"}) as unknown as TypedDocumentString<TransactionForTransactionsTableFieldsFragment, unknown>;\nexport const ChargeTableTransactionsFieldsFragmentDoc = new TypedDocumentString(`\n fragment ChargeTableTransactionsFields on Charge {\n id\n transactions {\n id\n ...TransactionForTransactionsTableFields\n }\n}\n fragment TransactionForTransactionsTableFields on Transaction {\n id\n chargeId\n eventDate\n effectiveDate\n sourceEffectiveDate\n amount {\n raw\n formatted\n }\n cryptoExchangeRate {\n rate\n }\n account {\n id\n name\n type\n }\n sourceDescription\n referenceKey\n counterparty {\n name\n id\n }\n missingInfoSuggestions {\n business {\n id\n name\n }\n }\n}`, {\"fragmentName\":\"ChargeTableTransactionsFields\"}) as unknown as TypedDocumentString<ChargeTableTransactionsFieldsFragment, unknown>;\nexport const ConversionChargeInfoFragmentDoc = new TypedDocumentString(`\n fragment ConversionChargeInfo on Charge {\n id\n __typename\n ... on ConversionCharge {\n eventRate {\n from\n to\n rate\n }\n officialRate {\n from\n to\n rate\n }\n }\n}\n `, {\"fragmentName\":\"ConversionChargeInfo\"}) as unknown as TypedDocumentString<ConversionChargeInfoFragment, unknown>;\nexport const CreditcardBankChargeInfoFragmentDoc = new TypedDocumentString(`\n fragment CreditcardBankChargeInfo on Charge {\n id\n __typename\n ... on CreditcardBankCharge {\n creditCardTransactions {\n id\n ...TransactionForTransactionsTableFields\n }\n }\n}\n fragment TransactionForTransactionsTableFields on Transaction {\n id\n chargeId\n eventDate\n effectiveDate\n sourceEffectiveDate\n amount {\n raw\n formatted\n }\n cryptoExchangeRate {\n rate\n }\n account {\n id\n name\n type\n }\n sourceDescription\n referenceKey\n counterparty {\n name\n id\n }\n missingInfoSuggestions {\n business {\n id\n name\n }\n }\n}`, {\"fragmentName\":\"CreditcardBankChargeInfo\"}) as unknown as TypedDocumentString<CreditcardBankChargeInfoFragment, unknown>;\nexport const ExchangeRatesInfoFragmentDoc = new TypedDocumentString(`\n fragment ExchangeRatesInfo on Charge {\n id\n __typename\n ... on FinancialCharge {\n exchangeRates {\n aud\n cad\n eur\n gbp\n ils\n jpy\n sek\n usd\n eth\n grt\n usdc\n }\n }\n}\n `, {\"fragmentName\":\"ExchangeRatesInfo\"}) as unknown as TypedDocumentString<ExchangeRatesInfoFragment, unknown>;\nexport const EditMiscExpenseFieldsFragmentDoc = new TypedDocumentString(`\n fragment EditMiscExpenseFields on MiscExpense {\n id\n amount {\n raw\n currency\n }\n description\n invoiceDate\n valueDate\n creditor {\n id\n }\n debtor {\n id\n }\n}\n `, {\"fragmentName\":\"EditMiscExpenseFields\"}) as unknown as TypedDocumentString<EditMiscExpenseFieldsFragment, unknown>;\nexport const TableMiscExpensesFieldsFragmentDoc = new TypedDocumentString(`\n fragment TableMiscExpensesFields on Charge {\n id\n miscExpenses {\n id\n amount {\n formatted\n }\n description\n invoiceDate\n valueDate\n creditor {\n id\n name\n }\n debtor {\n id\n name\n }\n chargeId\n ...EditMiscExpenseFields\n }\n}\n fragment EditMiscExpenseFields on MiscExpense {\n id\n amount {\n raw\n currency\n }\n description\n invoiceDate\n valueDate\n creditor {\n id\n }\n debtor {\n id\n }\n}`, {\"fragmentName\":\"TableMiscExpensesFields\"}) as unknown as TypedDocumentString<TableMiscExpensesFieldsFragment, unknown>;\nexport const TableSalariesFieldsFragmentDoc = new TypedDocumentString(`\n fragment TableSalariesFields on Charge {\n id\n __typename\n ... on SalaryCharge {\n salaryRecords {\n directAmount {\n formatted\n }\n baseAmount {\n formatted\n }\n employee {\n id\n name\n }\n pensionFund {\n id\n name\n }\n pensionEmployeeAmount {\n formatted\n }\n pensionEmployerAmount {\n formatted\n }\n compensationsAmount {\n formatted\n }\n trainingFund {\n id\n name\n }\n trainingFundEmployeeAmount {\n formatted\n }\n trainingFundEmployerAmount {\n formatted\n }\n socialSecurityEmployeeAmount {\n formatted\n }\n socialSecurityEmployerAmount {\n formatted\n }\n incomeTaxAmount {\n formatted\n }\n healthInsuranceAmount {\n formatted\n }\n }\n }\n}\n `, {\"fragmentName\":\"TableSalariesFields\"}) as unknown as TypedDocumentString<TableSalariesFieldsFragment, unknown>;\nexport const MonthlyIncomeExpenseChartInfoFragmentDoc = new TypedDocumentString(`\n fragment MonthlyIncomeExpenseChartInfo on IncomeExpenseChart {\n monthlyData {\n income {\n formatted\n raw\n }\n expense {\n formatted\n raw\n }\n balance {\n formatted\n raw\n }\n date\n }\n}\n `, {\"fragmentName\":\"MonthlyIncomeExpenseChartInfo\"}) as unknown as TypedDocumentString<MonthlyIncomeExpenseChartInfoFragment, unknown>;\nexport const BusinessTripAccountantApprovalFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripAccountantApprovalFields on BusinessTrip {\n id\n accountantApproval\n}\n `, {\"fragmentName\":\"BusinessTripAccountantApprovalFields\"}) as unknown as TypedDocumentString<BusinessTripAccountantApprovalFieldsFragment, unknown>;\nexport const BusinessTripReportHeaderFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripReportHeaderFields on BusinessTrip {\n id\n name\n dates {\n start\n end\n }\n purpose\n destination {\n id\n name\n }\n ...BusinessTripAccountantApprovalFields\n}\n fragment BusinessTripAccountantApprovalFields on BusinessTrip {\n id\n accountantApproval\n}`, {\"fragmentName\":\"BusinessTripReportHeaderFields\"}) as unknown as TypedDocumentString<BusinessTripReportHeaderFieldsFragment, unknown>;\nexport const BusinessTripReportSummaryFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripReportSummaryFields on BusinessTrip {\n id\n ... on BusinessTrip @defer {\n summary {\n excessExpenditure {\n formatted\n }\n excessTax\n rows {\n type\n totalForeignCurrency {\n formatted\n }\n totalLocalCurrency {\n formatted\n }\n taxableForeignCurrency {\n formatted\n }\n taxableLocalCurrency {\n formatted\n }\n maxTaxableForeignCurrency {\n formatted\n }\n maxTaxableLocalCurrency {\n formatted\n }\n excessExpenditure {\n formatted\n }\n }\n errors\n }\n }\n}\n `, {\"fragmentName\":\"BusinessTripReportSummaryFields\"}) as unknown as TypedDocumentString<BusinessTripReportSummaryFieldsFragment, unknown>;\nexport const BusinessTripReportFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripReportFields on BusinessTrip {\n id\n ...BusinessTripReportHeaderFields\n ...BusinessTripReportSummaryFields\n}\n fragment BusinessTripAccountantApprovalFields on BusinessTrip {\n id\n accountantApproval\n}\nfragment BusinessTripReportHeaderFields on BusinessTrip {\n id\n name\n dates {\n start\n end\n }\n purpose\n destination {\n id\n name\n }\n ...BusinessTripAccountantApprovalFields\n}\nfragment BusinessTripReportSummaryFields on BusinessTrip {\n id\n ... on BusinessTrip @defer {\n summary {\n excessExpenditure {\n formatted\n }\n excessTax\n rows {\n type\n totalForeignCurrency {\n formatted\n }\n totalLocalCurrency {\n formatted\n }\n taxableForeignCurrency {\n formatted\n }\n taxableLocalCurrency {\n formatted\n }\n maxTaxableForeignCurrency {\n formatted\n }\n maxTaxableLocalCurrency {\n formatted\n }\n excessExpenditure {\n formatted\n }\n }\n errors\n }\n }\n}`, {\"fragmentName\":\"BusinessTripReportFields\"}) as unknown as TypedDocumentString<BusinessTripReportFieldsFragment, unknown>;\nexport const BusinessTripReportCoreExpenseRowFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\n id\n date\n valueDate\n amount {\n formatted\n raw\n currency\n }\n employee {\n id\n name\n }\n payedByEmployee\n charges {\n id\n }\n}\n `, {\"fragmentName\":\"BusinessTripReportCoreExpenseRowFields\"}) as unknown as TypedDocumentString<BusinessTripReportCoreExpenseRowFieldsFragment, unknown>;\nexport const BusinessTripReportAccommodationsRowFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripReportAccommodationsRowFields on BusinessTripAccommodationExpense {\n id\n ...BusinessTripReportCoreExpenseRowFields\n payedByEmployee\n country {\n id\n name\n }\n nightsCount\n attendeesStay {\n id\n attendee {\n id\n name\n }\n nightsCount\n }\n}\n fragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\n id\n date\n valueDate\n amount {\n formatted\n raw\n currency\n }\n employee {\n id\n name\n }\n payedByEmployee\n charges {\n id\n }\n}`, {\"fragmentName\":\"BusinessTripReportAccommodationsRowFields\"}) as unknown as TypedDocumentString<BusinessTripReportAccommodationsRowFieldsFragment, unknown>;\nexport const BusinessTripReportAccommodationsTableFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripReportAccommodationsTableFields on BusinessTripAccommodationExpense {\n id\n date\n ...BusinessTripReportAccommodationsRowFields\n}\n fragment BusinessTripReportAccommodationsRowFields on BusinessTripAccommodationExpense {\n id\n ...BusinessTripReportCoreExpenseRowFields\n payedByEmployee\n country {\n id\n name\n }\n nightsCount\n attendeesStay {\n id\n attendee {\n id\n name\n }\n nightsCount\n }\n}\nfragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\n id\n date\n valueDate\n amount {\n formatted\n raw\n currency\n }\n employee {\n id\n name\n }\n payedByEmployee\n charges {\n id\n }\n}`, {\"fragmentName\":\"BusinessTripReportAccommodationsTableFields\"}) as unknown as TypedDocumentString<BusinessTripReportAccommodationsTableFieldsFragment, unknown>;\nexport const BusinessTripReportAccommodationsFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripReportAccommodationsFields on BusinessTrip {\n id\n accommodationExpenses {\n id\n ...BusinessTripReportAccommodationsTableFields\n }\n}\n fragment BusinessTripReportAccommodationsRowFields on BusinessTripAccommodationExpense {\n id\n ...BusinessTripReportCoreExpenseRowFields\n payedByEmployee\n country {\n id\n name\n }\n nightsCount\n attendeesStay {\n id\n attendee {\n id\n name\n }\n nightsCount\n }\n}\nfragment BusinessTripReportAccommodationsTableFields on BusinessTripAccommodationExpense {\n id\n date\n ...BusinessTripReportAccommodationsRowFields\n}\nfragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\n id\n date\n valueDate\n amount {\n formatted\n raw\n currency\n }\n employee {\n id\n name\n }\n payedByEmployee\n charges {\n id\n }\n}`, {\"fragmentName\":\"BusinessTripReportAccommodationsFields\"}) as unknown as TypedDocumentString<BusinessTripReportAccommodationsFieldsFragment, unknown>;\nexport const BusinessTripReportFlightsRowFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripReportFlightsRowFields on BusinessTripFlightExpense {\n id\n payedByEmployee\n ...BusinessTripReportCoreExpenseRowFields\n path\n class\n attendees {\n id\n name\n }\n}\n fragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\n id\n date\n valueDate\n amount {\n formatted\n raw\n currency\n }\n employee {\n id\n name\n }\n payedByEmployee\n charges {\n id\n }\n}`, {\"fragmentName\":\"BusinessTripReportFlightsRowFields\"}) as unknown as TypedDocumentString<BusinessTripReportFlightsRowFieldsFragment, unknown>;\nexport const BusinessTripReportFlightsTableFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripReportFlightsTableFields on BusinessTripFlightExpense {\n id\n date\n ...BusinessTripReportFlightsRowFields\n}\n fragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\n id\n date\n valueDate\n amount {\n formatted\n raw\n currency\n }\n employee {\n id\n name\n }\n payedByEmployee\n charges {\n id\n }\n}\nfragment BusinessTripReportFlightsRowFields on BusinessTripFlightExpense {\n id\n payedByEmployee\n ...BusinessTripReportCoreExpenseRowFields\n path\n class\n attendees {\n id\n name\n }\n}`, {\"fragmentName\":\"BusinessTripReportFlightsTableFields\"}) as unknown as TypedDocumentString<BusinessTripReportFlightsTableFieldsFragment, unknown>;\nexport const BusinessTripReportAttendeeRowFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripReportAttendeeRowFields on BusinessTripAttendee {\n id\n name\n arrivalDate\n departureDate\n flights {\n id\n ...BusinessTripReportFlightsTableFields\n }\n accommodations {\n id\n ...BusinessTripReportAccommodationsTableFields\n }\n}\n fragment BusinessTripReportAccommodationsRowFields on BusinessTripAccommodationExpense {\n id\n ...BusinessTripReportCoreExpenseRowFields\n payedByEmployee\n country {\n id\n name\n }\n nightsCount\n attendeesStay {\n id\n attendee {\n id\n name\n }\n nightsCount\n }\n}\nfragment BusinessTripReportAccommodationsTableFields on BusinessTripAccommodationExpense {\n id\n date\n ...BusinessTripReportAccommodationsRowFields\n}\nfragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\n id\n date\n valueDate\n amount {\n formatted\n raw\n currency\n }\n employee {\n id\n name\n }\n payedByEmployee\n charges {\n id\n }\n}\nfragment BusinessTripReportFlightsRowFields on BusinessTripFlightExpense {\n id\n payedByEmployee\n ...BusinessTripReportCoreExpenseRowFields\n path\n class\n attendees {\n id\n name\n }\n}\nfragment BusinessTripReportFlightsTableFields on BusinessTripFlightExpense {\n id\n date\n ...BusinessTripReportFlightsRowFields\n}`, {\"fragmentName\":\"BusinessTripReportAttendeeRowFields\"}) as unknown as TypedDocumentString<BusinessTripReportAttendeeRowFieldsFragment, unknown>;\nexport const BusinessTripReportAttendeesFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripReportAttendeesFields on BusinessTrip {\n id\n attendees {\n id\n name\n ...BusinessTripReportAttendeeRowFields\n }\n}\n fragment BusinessTripReportAccommodationsRowFields on BusinessTripAccommodationExpense {\n id\n ...BusinessTripReportCoreExpenseRowFields\n payedByEmployee\n country {\n id\n name\n }\n nightsCount\n attendeesStay {\n id\n attendee {\n id\n name\n }\n nightsCount\n }\n}\nfragment BusinessTripReportAccommodationsTableFields on BusinessTripAccommodationExpense {\n id\n date\n ...BusinessTripReportAccommodationsRowFields\n}\nfragment BusinessTripReportAttendeeRowFields on BusinessTripAttendee {\n id\n name\n arrivalDate\n departureDate\n flights {\n id\n ...BusinessTripReportFlightsTableFields\n }\n accommodations {\n id\n ...BusinessTripReportAccommodationsTableFields\n }\n}\nfragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\n id\n date\n valueDate\n amount {\n formatted\n raw\n currency\n }\n employee {\n id\n name\n }\n payedByEmployee\n charges {\n id\n }\n}\nfragment BusinessTripReportFlightsRowFields on BusinessTripFlightExpense {\n id\n payedByEmployee\n ...BusinessTripReportCoreExpenseRowFields\n path\n class\n attendees {\n id\n name\n }\n}\nfragment BusinessTripReportFlightsTableFields on BusinessTripFlightExpense {\n id\n date\n ...BusinessTripReportFlightsRowFields\n}`, {\"fragmentName\":\"BusinessTripReportAttendeesFields\"}) as unknown as TypedDocumentString<BusinessTripReportAttendeesFieldsFragment, unknown>;\nexport const BusinessTripReportCarRentalRowFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripReportCarRentalRowFields on BusinessTripCarRentalExpense {\n id\n payedByEmployee\n ...BusinessTripReportCoreExpenseRowFields\n days\n isFuelExpense\n}\n fragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\n id\n date\n valueDate\n amount {\n formatted\n raw\n currency\n }\n employee {\n id\n name\n }\n payedByEmployee\n charges {\n id\n }\n}`, {\"fragmentName\":\"BusinessTripReportCarRentalRowFields\"}) as unknown as TypedDocumentString<BusinessTripReportCarRentalRowFieldsFragment, unknown>;\nexport const BusinessTripReportCarRentalFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripReportCarRentalFields on BusinessTrip {\n id\n carRentalExpenses {\n id\n date\n ...BusinessTripReportCarRentalRowFields\n }\n}\n fragment BusinessTripReportCarRentalRowFields on BusinessTripCarRentalExpense {\n id\n payedByEmployee\n ...BusinessTripReportCoreExpenseRowFields\n days\n isFuelExpense\n}\nfragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\n id\n date\n valueDate\n amount {\n formatted\n raw\n currency\n }\n employee {\n id\n name\n }\n payedByEmployee\n charges {\n id\n }\n}`, {\"fragmentName\":\"BusinessTripReportCarRentalFields\"}) as unknown as TypedDocumentString<BusinessTripReportCarRentalFieldsFragment, unknown>;\nexport const BusinessTripReportFlightsFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripReportFlightsFields on BusinessTrip {\n id\n flightExpenses {\n id\n ...BusinessTripReportFlightsTableFields\n }\n attendees {\n id\n name\n }\n}\n fragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\n id\n date\n valueDate\n amount {\n formatted\n raw\n currency\n }\n employee {\n id\n name\n }\n payedByEmployee\n charges {\n id\n }\n}\nfragment BusinessTripReportFlightsRowFields on BusinessTripFlightExpense {\n id\n payedByEmployee\n ...BusinessTripReportCoreExpenseRowFields\n path\n class\n attendees {\n id\n name\n }\n}\nfragment BusinessTripReportFlightsTableFields on BusinessTripFlightExpense {\n id\n date\n ...BusinessTripReportFlightsRowFields\n}`, {\"fragmentName\":\"BusinessTripReportFlightsFields\"}) as unknown as TypedDocumentString<BusinessTripReportFlightsFieldsFragment, unknown>;\nexport const BusinessTripReportOtherRowFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripReportOtherRowFields on BusinessTripOtherExpense {\n id\n ...BusinessTripReportCoreExpenseRowFields\n payedByEmployee\n description\n deductibleExpense\n}\n fragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\n id\n date\n valueDate\n amount {\n formatted\n raw\n currency\n }\n employee {\n id\n name\n }\n payedByEmployee\n charges {\n id\n }\n}`, {\"fragmentName\":\"BusinessTripReportOtherRowFields\"}) as unknown as TypedDocumentString<BusinessTripReportOtherRowFieldsFragment, unknown>;\nexport const BusinessTripReportOtherFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripReportOtherFields on BusinessTrip {\n id\n otherExpenses {\n id\n date\n ...BusinessTripReportOtherRowFields\n }\n}\n fragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\n id\n date\n valueDate\n amount {\n formatted\n raw\n currency\n }\n employee {\n id\n name\n }\n payedByEmployee\n charges {\n id\n }\n}\nfragment BusinessTripReportOtherRowFields on BusinessTripOtherExpense {\n id\n ...BusinessTripReportCoreExpenseRowFields\n payedByEmployee\n description\n deductibleExpense\n}`, {\"fragmentName\":\"BusinessTripReportOtherFields\"}) as unknown as TypedDocumentString<BusinessTripReportOtherFieldsFragment, unknown>;\nexport const BusinessTripReportTravelAndSubsistenceRowFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripReportTravelAndSubsistenceRowFields on BusinessTripTravelAndSubsistenceExpense {\n id\n ...BusinessTripReportCoreExpenseRowFields\n payedByEmployee\n expenseType\n}\n fragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\n id\n date\n valueDate\n amount {\n formatted\n raw\n currency\n }\n employee {\n id\n name\n }\n payedByEmployee\n charges {\n id\n }\n}`, {\"fragmentName\":\"BusinessTripReportTravelAndSubsistenceRowFields\"}) as unknown as TypedDocumentString<BusinessTripReportTravelAndSubsistenceRowFieldsFragment, unknown>;\nexport const BusinessTripReportTravelAndSubsistenceFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripReportTravelAndSubsistenceFields on BusinessTrip {\n id\n travelAndSubsistenceExpenses {\n id\n date\n ...BusinessTripReportTravelAndSubsistenceRowFields\n }\n}\n fragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\n id\n date\n valueDate\n amount {\n formatted\n raw\n currency\n }\n employee {\n id\n name\n }\n payedByEmployee\n charges {\n id\n }\n}\nfragment BusinessTripReportTravelAndSubsistenceRowFields on BusinessTripTravelAndSubsistenceExpense {\n id\n ...BusinessTripReportCoreExpenseRowFields\n payedByEmployee\n expenseType\n}`, {\"fragmentName\":\"BusinessTripReportTravelAndSubsistenceFields\"}) as unknown as TypedDocumentString<BusinessTripReportTravelAndSubsistenceFieldsFragment, unknown>;\nexport const TransactionsTableEventDateFieldsFragmentDoc = new TypedDocumentString(`\n fragment TransactionsTableEventDateFields on Transaction {\n id\n eventDate\n}\n `, {\"fragmentName\":\"TransactionsTableEventDateFields\"}) as unknown as TypedDocumentString<TransactionsTableEventDateFieldsFragment, unknown>;\nexport const TransactionsTableDebitDateFieldsFragmentDoc = new TypedDocumentString(`\n fragment TransactionsTableDebitDateFields on Transaction {\n id\n effectiveDate\n sourceEffectiveDate\n}\n `, {\"fragmentName\":\"TransactionsTableDebitDateFields\"}) as unknown as TypedDocumentString<TransactionsTableDebitDateFieldsFragment, unknown>;\nexport const TransactionsTableAccountFieldsFragmentDoc = new TypedDocumentString(`\n fragment TransactionsTableAccountFields on Transaction {\n id\n account {\n id\n name\n type\n }\n}\n `, {\"fragmentName\":\"TransactionsTableAccountFields\"}) as unknown as TypedDocumentString<TransactionsTableAccountFieldsFragment, unknown>;\nexport const TransactionsTableDescriptionFieldsFragmentDoc = new TypedDocumentString(`\n fragment TransactionsTableDescriptionFields on Transaction {\n id\n sourceDescription\n}\n `, {\"fragmentName\":\"TransactionsTableDescriptionFields\"}) as unknown as TypedDocumentString<TransactionsTableDescriptionFieldsFragment, unknown>;\nexport const TransactionsTableSourceIdFieldsFragmentDoc = new TypedDocumentString(`\n fragment TransactionsTableSourceIDFields on Transaction {\n id\n referenceKey\n}\n `, {\"fragmentName\":\"TransactionsTableSourceIDFields\"}) as unknown as TypedDocumentString<TransactionsTableSourceIdFieldsFragment, unknown>;\nexport const TransactionsTableEntityFieldsFragmentDoc = new TypedDocumentString(`\n fragment TransactionsTableEntityFields on Transaction {\n id\n counterparty {\n name\n id\n }\n sourceDescription\n missingInfoSuggestions {\n business {\n id\n name\n }\n }\n}\n `, {\"fragmentName\":\"TransactionsTableEntityFields\"}) as unknown as TypedDocumentString<TransactionsTableEntityFieldsFragment, unknown>;\nexport const UncategorizedTransactionsTableAmountFieldsFragmentDoc = new TypedDocumentString(`\n fragment UncategorizedTransactionsTableAmountFields on UncategorizedTransaction {\n transaction {\n id\n amount {\n raw\n formatted\n }\n cryptoExchangeRate {\n rate\n }\n }\n categorizedAmount {\n raw\n formatted\n }\n errors\n}\n `, {\"fragmentName\":\"UncategorizedTransactionsTableAmountFields\"}) as unknown as TypedDocumentString<UncategorizedTransactionsTableAmountFieldsFragment, unknown>;\nexport const BusinessTripUncategorizedTransactionsFieldsFragmentDoc = new TypedDocumentString(`\n fragment BusinessTripUncategorizedTransactionsFields on BusinessTrip {\n id\n uncategorizedTransactions {\n transaction {\n id\n eventDate\n chargeId\n amount {\n raw\n }\n ...TransactionsTableEventDateFields\n ...TransactionsTableDebitDateFields\n ...TransactionsTableAccountFields\n ...TransactionsTableDescriptionFields\n ...TransactionsTableSourceIDFields\n ...TransactionsTableEntityFields\n }\n ...UncategorizedTransactionsTableAmountFields\n }\n}\n fragment UncategorizedTransactionsTableAmountFields on UncategorizedTransaction {\n transaction {\n id\n amount {\n raw\n formatted\n }\n cryptoExchangeRate {\n rate\n }\n }\n categorizedAmount {\n raw\n formatted\n }\n errors\n}\nfragment TransactionsTableAccountFields on Transaction {\n id\n account {\n id\n name\n type\n }\n}\nfragment TransactionsTableEntityFields on Transaction {\n id\n counterparty {\n name\n id\n }\n sourceDescription\n missingInfoSuggestions {\n business {\n id\n name\n }\n }\n}\nfragment TransactionsTableDebitDateFields on Transaction {\n id\n effectiveDate\n sourceEffectiveDate\n}\nfragment TransactionsTableDescriptionFields on Transaction {\n id\n sourceDescription\n}\nfragment TransactionsTableEventDateFields on Transaction {\n id\n eventDate\n}\nfragment TransactionsTableSourceIDFields on Transaction {\n id\n referenceKey\n}`, {\"fragmentName\":\"BusinessTripUncategorizedTransactionsFields\"}) as unknown as TypedDocumentString<BusinessTripUncategorizedTransactionsFieldsFragment, unknown>;\nexport const DepreciationRecordRowFieldsFragmentDoc = new TypedDocumentString(`\n fragment DepreciationRecordRowFields on DepreciationRecord {\n id\n amount {\n currency\n formatted\n raw\n }\n activationDate\n category {\n id\n name\n percentage\n }\n type\n charge {\n id\n totalAmount {\n currency\n formatted\n raw\n }\n }\n}\n `, {\"fragmentName\":\"DepreciationRecordRowFields\"}) as unknown as TypedDocumentString<DepreciationRecordRowFieldsFragment, unknown>;\nexport const EditTagFieldsFragmentDoc = new TypedDocumentString(`\n fragment EditTagFields on Tag {\n id\n name\n parent {\n id\n name\n }\n}\n `, {\"fragmentName\":\"EditTagFields\"}) as unknown as TypedDocumentString<EditTagFieldsFragment, unknown>;\nexport const IssueDocumentClientFieldsFragmentDoc = new TypedDocumentString(`\n fragment IssueDocumentClientFields on Client {\n id\n originalBusiness {\n id\n address\n city\n zipCode\n country {\n id\n code\n }\n governmentId\n name\n phoneNumber\n }\n emails\n}\n `, {\"fragmentName\":\"IssueDocumentClientFields\"}) as unknown as TypedDocumentString<IssueDocumentClientFieldsFragment, unknown>;\nexport const NewDocumentDraftFragmentDoc = new TypedDocumentString(`\n fragment NewDocumentDraft on DocumentDraft {\n description\n remarks\n footer\n type\n date\n dueDate\n language\n currency\n vatType\n discount {\n amount\n type\n }\n rounding\n signed\n maxPayments\n client {\n id\n originalBusiness {\n id\n name\n }\n integrations {\n id\n }\n emails\n ...IssueDocumentClientFields\n }\n income {\n currency\n currencyRate\n description\n itemId\n price\n quantity\n vatRate\n vatType\n }\n payment {\n currency\n currencyRate\n date\n price\n type\n bankName\n bankBranch\n bankAccount\n chequeNum\n accountId\n transactionId\n cardType\n cardNum\n numPayments\n firstPayment\n }\n linkedDocumentIds\n linkedPaymentId\n}\n fragment IssueDocumentClientFields on Client {\n id\n originalBusiness {\n id\n address\n city\n zipCode\n country {\n id\n code\n }\n governmentId\n name\n phoneNumber\n }\n emails\n}`, {\"fragmentName\":\"NewDocumentDraft\"}) as unknown as TypedDocumentString<NewDocumentDraftFragment, unknown>;\nexport const SimilarChargesTableFragmentDoc = new TypedDocumentString(`\n fragment SimilarChargesTable on Charge {\n id\n __typename\n counterparty {\n name\n id\n }\n minEventDate\n minDebitDate\n minDocumentsDate\n totalAmount {\n raw\n formatted\n }\n vat {\n raw\n formatted\n }\n userDescription\n tags {\n id\n name\n }\n taxCategory {\n id\n name\n }\n ... on BusinessTripCharge {\n businessTrip {\n id\n name\n }\n }\n metadata {\n transactionsCount\n documentsCount\n ledgerCount\n miscExpensesCount\n }\n}\n `, {\"fragmentName\":\"SimilarChargesTable\"}) as unknown as TypedDocumentString<SimilarChargesTableFragment, unknown>;\nexport const NewFetchedDocumentFieldsFragmentDoc = new TypedDocumentString(`\n fragment NewFetchedDocumentFields on Document {\n id\n documentType\n charge {\n id\n userDescription\n counterparty {\n id\n name\n }\n }\n}\n `, {\"fragmentName\":\"NewFetchedDocumentFields\"}) as unknown as TypedDocumentString<NewFetchedDocumentFieldsFragment, unknown>;\nexport const ContractForContractsTableFieldsFragmentDoc = new TypedDocumentString(`\n fragment ContractForContractsTableFields on Contract {\n id\n isActive\n client {\n id\n originalBusiness {\n id\n name\n }\n }\n purchaseOrders\n startDate\n endDate\n amount {\n raw\n formatted\n }\n billingCycle\n product\n plan\n operationsLimit\n msCloud\n}\n `, {\"fragmentName\":\"ContractForContractsTableFields\"}) as unknown as TypedDocumentString<ContractForContractsTableFieldsFragment, unknown>;\nexport const DocumentsGalleryFieldsFragmentDoc = new TypedDocumentString(`\n fragment DocumentsGalleryFields on Charge {\n id\n additionalDocuments {\n id\n image\n ... on FinancialDocument {\n documentType\n }\n }\n}\n `, {\"fragmentName\":\"DocumentsGalleryFields\"}) as unknown as TypedDocumentString<DocumentsGalleryFieldsFragment, unknown>;\nexport const CorporateTaxRulingReportRuleCellFieldsFragmentDoc = new TypedDocumentString(`\n fragment CorporateTaxRulingReportRuleCellFields on CorporateTaxRule {\n id\n rule\n percentage {\n formatted\n }\n isCompliant\n}\n `, {\"fragmentName\":\"CorporateTaxRulingReportRuleCellFields\"}) as unknown as TypedDocumentString<CorporateTaxRulingReportRuleCellFieldsFragment, unknown>;\nexport const ReportSubCommentaryTableFieldsFragmentDoc = new TypedDocumentString(`\n fragment ReportSubCommentaryTableFields on ReportCommentarySubRecord {\n financialEntity {\n id\n name\n }\n amount {\n formatted\n }\n}\n `, {\"fragmentName\":\"ReportSubCommentaryTableFields\"}) as unknown as TypedDocumentString<ReportSubCommentaryTableFieldsFragment, unknown>;\nexport const ReportCommentaryTableFieldsFragmentDoc = new TypedDocumentString(`\n fragment ReportCommentaryTableFields on ReportCommentary {\n records {\n sortCode {\n id\n key\n name\n }\n amount {\n formatted\n }\n records {\n ...ReportSubCommentaryTableFields\n }\n }\n}\n fragment ReportSubCommentaryTableFields on ReportCommentarySubRecord {\n financialEntity {\n id\n name\n }\n amount {\n formatted\n }\n}`, {\"fragmentName\":\"ReportCommentaryTableFields\"}) as unknown as TypedDocumentString<ReportCommentaryTableFieldsFragment, unknown>;\nexport const TrialBalanceTableFieldsFragmentDoc = new TypedDocumentString(`\n fragment TrialBalanceTableFields on BusinessTransactionsSumFromLedgerRecordsSuccessfulResult {\n businessTransactionsSum {\n business {\n id\n name\n sortCode {\n id\n key\n name\n }\n }\n credit {\n formatted\n raw\n }\n debit {\n formatted\n raw\n }\n total {\n formatted\n raw\n }\n }\n}\n `, {\"fragmentName\":\"TrialBalanceTableFields\"}) as unknown as TypedDocumentString<TrialBalanceTableFieldsFragment, unknown>;\nexport const ChargesTableAccountantApprovalFieldsFragmentDoc = new TypedDocumentString(`\n fragment ChargesTableAccountantApprovalFields on Charge {\n id\n accountantApproval\n}\n `, {\"fragmentName\":\"ChargesTableAccountantApprovalFields\"}) as unknown as TypedDocumentString<ChargesTableAccountantApprovalFieldsFragment, unknown>;\nexport const ChargesTableAmountFieldsFragmentDoc = new TypedDocumentString(`\n fragment ChargesTableAmountFields on Charge {\n __typename\n id\n totalAmount {\n raw\n formatted\n }\n ... on CreditcardBankCharge @defer {\n validCreditCardAmount\n }\n}\n `, {\"fragmentName\":\"ChargesTableAmountFields\"}) as unknown as TypedDocumentString<ChargesTableAmountFieldsFragment, unknown>;\nexport const ChargesTableBusinessTripFieldsFragmentDoc = new TypedDocumentString(`\n fragment ChargesTableBusinessTripFields on Charge {\n id\n ... on BusinessTripCharge {\n businessTrip {\n id\n name\n }\n }\n}\n `, {\"fragmentName\":\"ChargesTableBusinessTripFields\"}) as unknown as TypedDocumentString<ChargesTableBusinessTripFieldsFragment, unknown>;\nexport const ChargesTableDateFieldsFragmentDoc = new TypedDocumentString(`\n fragment ChargesTableDateFields on Charge {\n id\n minEventDate\n minDebitDate\n minDocumentsDate\n}\n `, {\"fragmentName\":\"ChargesTableDateFields\"}) as unknown as TypedDocumentString<ChargesTableDateFieldsFragment, unknown>;\nexport const ChargesTableDescriptionFieldsFragmentDoc = new TypedDocumentString(`\n fragment ChargesTableDescriptionFields on Charge {\n id\n userDescription\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n missingInfoSuggestions {\n description\n }\n }\n}\n `, {\"fragmentName\":\"ChargesTableDescriptionFields\"}) as unknown as TypedDocumentString<ChargesTableDescriptionFieldsFragment, unknown>;\nexport const ChargesTableEntityFieldsFragmentDoc = new TypedDocumentString(`\n fragment ChargesTableEntityFields on Charge {\n __typename\n id\n counterparty {\n name\n id\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\n `, {\"fragmentName\":\"ChargesTableEntityFields\"}) as unknown as TypedDocumentString<ChargesTableEntityFieldsFragment, unknown>;\nexport const ChargesTableMoreInfoFieldsFragmentDoc = new TypedDocumentString(`\n fragment ChargesTableMoreInfoFields on Charge {\n __typename\n id\n metadata {\n transactionsCount\n documentsCount\n ledgerCount\n miscExpensesCount\n ... on ChargeMetadata @defer {\n invalidLedger\n }\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\n `, {\"fragmentName\":\"ChargesTableMoreInfoFields\"}) as unknown as TypedDocumentString<ChargesTableMoreInfoFieldsFragment, unknown>;\nexport const ChargesTableTagsFieldsFragmentDoc = new TypedDocumentString(`\n fragment ChargesTableTagsFields on Charge {\n id\n tags {\n id\n name\n namePath\n }\n ... on Charge @defer {\n validationData {\n ... on ValidationData {\n missingInfo\n }\n }\n missingInfoSuggestions {\n ... on ChargeSuggestions {\n tags {\n id\n name\n namePath\n }\n }\n }\n }\n}\n `, {\"fragmentName\":\"ChargesTableTagsFields\"}) as unknown as TypedDocumentString<ChargesTableTagsFieldsFragment, unknown>;\nexport const ChargesTableTaxCategoryFieldsFragmentDoc = new TypedDocumentString(`\n fragment ChargesTableTaxCategoryFields on Charge {\n __typename\n id\n taxCategory {\n id\n name\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\n `, {\"fragmentName\":\"ChargesTableTaxCategoryFields\"}) as unknown as TypedDocumentString<ChargesTableTaxCategoryFieldsFragment, unknown>;\nexport const ChargesTableTypeFieldsFragmentDoc = new TypedDocumentString(`\n fragment ChargesTableTypeFields on Charge {\n __typename\n id\n}\n `, {\"fragmentName\":\"ChargesTableTypeFields\"}) as unknown as TypedDocumentString<ChargesTableTypeFieldsFragment, unknown>;\nexport const ChargesTableVatFieldsFragmentDoc = new TypedDocumentString(`\n fragment ChargesTableVatFields on Charge {\n __typename\n id\n vat {\n raw\n formatted\n }\n totalAmount {\n raw\n currency\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\n `, {\"fragmentName\":\"ChargesTableVatFields\"}) as unknown as TypedDocumentString<ChargesTableVatFieldsFragment, unknown>;\nexport const ChargesTableRowFieldsFragmentDoc = new TypedDocumentString(`\n fragment ChargesTableRowFields on Charge {\n id\n __typename\n metadata {\n ... on ChargeMetadata @defer {\n documentsCount\n ledgerCount\n transactionsCount\n miscExpensesCount\n }\n }\n totalAmount {\n raw\n }\n ...ChargesTableAccountantApprovalFields\n ...ChargesTableAmountFields\n ...ChargesTableBusinessTripFields @defer\n ...ChargesTableDateFields\n ...ChargesTableDescriptionFields\n ...ChargesTableEntityFields @defer\n ...ChargesTableMoreInfoFields\n ...ChargesTableTagsFields @defer\n ...ChargesTableTaxCategoryFields @defer\n ...ChargesTableTypeFields\n ...ChargesTableVatFields\n}\n fragment ChargesTableAccountantApprovalFields on Charge {\n id\n accountantApproval\n}\nfragment ChargesTableAmountFields on Charge {\n __typename\n id\n totalAmount {\n raw\n formatted\n }\n ... on CreditcardBankCharge @defer {\n validCreditCardAmount\n }\n}\nfragment ChargesTableBusinessTripFields on Charge {\n id\n ... on BusinessTripCharge {\n businessTrip {\n id\n name\n }\n }\n}\nfragment ChargesTableEntityFields on Charge {\n __typename\n id\n counterparty {\n name\n id\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableDateFields on Charge {\n id\n minEventDate\n minDebitDate\n minDocumentsDate\n}\nfragment ChargesTableDescriptionFields on Charge {\n id\n userDescription\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n missingInfoSuggestions {\n description\n }\n }\n}\nfragment ChargesTableMoreInfoFields on Charge {\n __typename\n id\n metadata {\n transactionsCount\n documentsCount\n ledgerCount\n miscExpensesCount\n ... on ChargeMetadata @defer {\n invalidLedger\n }\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTagsFields on Charge {\n id\n tags {\n id\n name\n namePath\n }\n ... on Charge @defer {\n validationData {\n ... on ValidationData {\n missingInfo\n }\n }\n missingInfoSuggestions {\n ... on ChargeSuggestions {\n tags {\n id\n name\n namePath\n }\n }\n }\n }\n}\nfragment ChargesTableTaxCategoryFields on Charge {\n __typename\n id\n taxCategory {\n id\n name\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTypeFields on Charge {\n __typename\n id\n}\nfragment ChargesTableVatFields on Charge {\n __typename\n id\n vat {\n raw\n formatted\n }\n totalAmount {\n raw\n currency\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}`, {\"fragmentName\":\"ChargesTableRowFields\",\"deferredFields\":{\"ChargesTableBusinessTripFields\":[\"id\"],\"ChargesTableEntityFields\":[\"__typename\",\"id\",\"counterparty\"],\"ChargesTableTagsFields\":[\"id\",\"tags\"],\"ChargesTableTaxCategoryFields\":[\"__typename\",\"id\",\"taxCategory\"]}}) as unknown as TypedDocumentString<ChargesTableRowFieldsFragment, unknown>;\nexport const ChargesTableFieldsFragmentDoc = new TypedDocumentString(`\n fragment ChargesTableFields on Charge {\n id\n owner {\n id\n }\n ...ChargesTableRowFields\n}\n fragment ChargesTableAccountantApprovalFields on Charge {\n id\n accountantApproval\n}\nfragment ChargesTableAmountFields on Charge {\n __typename\n id\n totalAmount {\n raw\n formatted\n }\n ... on CreditcardBankCharge @defer {\n validCreditCardAmount\n }\n}\nfragment ChargesTableBusinessTripFields on Charge {\n id\n ... on BusinessTripCharge {\n businessTrip {\n id\n name\n }\n }\n}\nfragment ChargesTableEntityFields on Charge {\n __typename\n id\n counterparty {\n name\n id\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableDateFields on Charge {\n id\n minEventDate\n minDebitDate\n minDocumentsDate\n}\nfragment ChargesTableDescriptionFields on Charge {\n id\n userDescription\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n missingInfoSuggestions {\n description\n }\n }\n}\nfragment ChargesTableMoreInfoFields on Charge {\n __typename\n id\n metadata {\n transactionsCount\n documentsCount\n ledgerCount\n miscExpensesCount\n ... on ChargeMetadata @defer {\n invalidLedger\n }\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTagsFields on Charge {\n id\n tags {\n id\n name\n namePath\n }\n ... on Charge @defer {\n validationData {\n ... on ValidationData {\n missingInfo\n }\n }\n missingInfoSuggestions {\n ... on ChargeSuggestions {\n tags {\n id\n name\n namePath\n }\n }\n }\n }\n}\nfragment ChargesTableTaxCategoryFields on Charge {\n __typename\n id\n taxCategory {\n id\n name\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTypeFields on Charge {\n __typename\n id\n}\nfragment ChargesTableVatFields on Charge {\n __typename\n id\n vat {\n raw\n formatted\n }\n totalAmount {\n raw\n currency\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableRowFields on Charge {\n id\n __typename\n metadata {\n ... on ChargeMetadata @defer {\n documentsCount\n ledgerCount\n transactionsCount\n miscExpensesCount\n }\n }\n totalAmount {\n raw\n }\n ...ChargesTableAccountantApprovalFields\n ...ChargesTableAmountFields\n ...ChargesTableBusinessTripFields @defer\n ...ChargesTableDateFields\n ...ChargesTableDescriptionFields\n ...ChargesTableEntityFields @defer\n ...ChargesTableMoreInfoFields\n ...ChargesTableTagsFields @defer\n ...ChargesTableTaxCategoryFields @defer\n ...ChargesTableTypeFields\n ...ChargesTableVatFields\n}`, {\"fragmentName\":\"ChargesTableFields\"}) as unknown as TypedDocumentString<ChargesTableFieldsFragment, unknown>;\nexport const VatReportBusinessTripsFieldsFragmentDoc = new TypedDocumentString(`\n fragment VatReportBusinessTripsFields on VatReportResult {\n businessTrips {\n id\n ...ChargesTableFields\n }\n}\n fragment ChargesTableAccountantApprovalFields on Charge {\n id\n accountantApproval\n}\nfragment ChargesTableAmountFields on Charge {\n __typename\n id\n totalAmount {\n raw\n formatted\n }\n ... on CreditcardBankCharge @defer {\n validCreditCardAmount\n }\n}\nfragment ChargesTableBusinessTripFields on Charge {\n id\n ... on BusinessTripCharge {\n businessTrip {\n id\n name\n }\n }\n}\nfragment ChargesTableEntityFields on Charge {\n __typename\n id\n counterparty {\n name\n id\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableDateFields on Charge {\n id\n minEventDate\n minDebitDate\n minDocumentsDate\n}\nfragment ChargesTableDescriptionFields on Charge {\n id\n userDescription\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n missingInfoSuggestions {\n description\n }\n }\n}\nfragment ChargesTableMoreInfoFields on Charge {\n __typename\n id\n metadata {\n transactionsCount\n documentsCount\n ledgerCount\n miscExpensesCount\n ... on ChargeMetadata @defer {\n invalidLedger\n }\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTagsFields on Charge {\n id\n tags {\n id\n name\n namePath\n }\n ... on Charge @defer {\n validationData {\n ... on ValidationData {\n missingInfo\n }\n }\n missingInfoSuggestions {\n ... on ChargeSuggestions {\n tags {\n id\n name\n namePath\n }\n }\n }\n }\n}\nfragment ChargesTableTaxCategoryFields on Charge {\n __typename\n id\n taxCategory {\n id\n name\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTypeFields on Charge {\n __typename\n id\n}\nfragment ChargesTableVatFields on Charge {\n __typename\n id\n vat {\n raw\n formatted\n }\n totalAmount {\n raw\n currency\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableRowFields on Charge {\n id\n __typename\n metadata {\n ... on ChargeMetadata @defer {\n documentsCount\n ledgerCount\n transactionsCount\n miscExpensesCount\n }\n }\n totalAmount {\n raw\n }\n ...ChargesTableAccountantApprovalFields\n ...ChargesTableAmountFields\n ...ChargesTableBusinessTripFields @defer\n ...ChargesTableDateFields\n ...ChargesTableDescriptionFields\n ...ChargesTableEntityFields @defer\n ...ChargesTableMoreInfoFields\n ...ChargesTableTagsFields @defer\n ...ChargesTableTaxCategoryFields @defer\n ...ChargesTableTypeFields\n ...ChargesTableVatFields\n}\nfragment ChargesTableFields on Charge {\n id\n owner {\n id\n }\n ...ChargesTableRowFields\n}`, {\"fragmentName\":\"VatReportBusinessTripsFields\"}) as unknown as TypedDocumentString<VatReportBusinessTripsFieldsFragment, unknown>;\nexport const VatReportAccountantApprovalFieldsFragmentDoc = new TypedDocumentString(`\n fragment VatReportAccountantApprovalFields on VatReportRecord {\n chargeId\n chargeAccountantStatus\n}\n `, {\"fragmentName\":\"VatReportAccountantApprovalFields\"}) as unknown as TypedDocumentString<VatReportAccountantApprovalFieldsFragment, unknown>;\nexport const VatReportExpensesRowFieldsFragmentDoc = new TypedDocumentString(`\n fragment VatReportExpensesRowFields on VatReportRecord {\n ...VatReportAccountantApprovalFields\n business {\n id\n name\n }\n vatNumber\n image\n allocationNumber\n documentSerial\n documentDate\n chargeDate\n chargeId\n amount {\n formatted\n raw\n }\n localAmount {\n formatted\n raw\n }\n localVat {\n formatted\n raw\n }\n foreignVatAfterDeduction {\n formatted\n raw\n }\n localVatAfterDeduction {\n formatted\n raw\n }\n roundedLocalVatAfterDeduction {\n formatted\n raw\n }\n taxReducedLocalAmount {\n formatted\n raw\n }\n recordType\n}\n fragment VatReportAccountantApprovalFields on VatReportRecord {\n chargeId\n chargeAccountantStatus\n}`, {\"fragmentName\":\"VatReportExpensesRowFields\"}) as unknown as TypedDocumentString<VatReportExpensesRowFieldsFragment, unknown>;\nexport const VatReportExpensesFieldsFragmentDoc = new TypedDocumentString(`\n fragment VatReportExpensesFields on VatReportResult {\n expenses {\n ...VatReportExpensesRowFields\n roundedLocalVatAfterDeduction {\n raw\n }\n taxReducedLocalAmount {\n raw\n }\n recordType\n }\n}\n fragment VatReportAccountantApprovalFields on VatReportRecord {\n chargeId\n chargeAccountantStatus\n}\nfragment VatReportExpensesRowFields on VatReportRecord {\n ...VatReportAccountantApprovalFields\n business {\n id\n name\n }\n vatNumber\n image\n allocationNumber\n documentSerial\n documentDate\n chargeDate\n chargeId\n amount {\n formatted\n raw\n }\n localAmount {\n formatted\n raw\n }\n localVat {\n formatted\n raw\n }\n foreignVatAfterDeduction {\n formatted\n raw\n }\n localVatAfterDeduction {\n formatted\n raw\n }\n roundedLocalVatAfterDeduction {\n formatted\n raw\n }\n taxReducedLocalAmount {\n formatted\n raw\n }\n recordType\n}`, {\"fragmentName\":\"VatReportExpensesFields\"}) as unknown as TypedDocumentString<VatReportExpensesFieldsFragment, unknown>;\nexport const VatReportIncomeRowFieldsFragmentDoc = new TypedDocumentString(`\n fragment VatReportIncomeRowFields on VatReportRecord {\n ...VatReportAccountantApprovalFields\n chargeId\n business {\n id\n name\n }\n vatNumber\n image\n allocationNumber\n documentSerial\n documentDate\n chargeDate\n taxReducedForeignAmount {\n formatted\n raw\n }\n taxReducedLocalAmount {\n formatted\n raw\n }\n recordType\n}\n fragment VatReportAccountantApprovalFields on VatReportRecord {\n chargeId\n chargeAccountantStatus\n}`, {\"fragmentName\":\"VatReportIncomeRowFields\"}) as unknown as TypedDocumentString<VatReportIncomeRowFieldsFragment, unknown>;\nexport const VatReportIncomeFieldsFragmentDoc = new TypedDocumentString(`\n fragment VatReportIncomeFields on VatReportResult {\n income {\n ...VatReportIncomeRowFields\n taxReducedLocalAmount {\n raw\n }\n recordType\n }\n}\n fragment VatReportAccountantApprovalFields on VatReportRecord {\n chargeId\n chargeAccountantStatus\n}\nfragment VatReportIncomeRowFields on VatReportRecord {\n ...VatReportAccountantApprovalFields\n chargeId\n business {\n id\n name\n }\n vatNumber\n image\n allocationNumber\n documentSerial\n documentDate\n chargeDate\n taxReducedForeignAmount {\n formatted\n raw\n }\n taxReducedLocalAmount {\n formatted\n raw\n }\n recordType\n}`, {\"fragmentName\":\"VatReportIncomeFields\"}) as unknown as TypedDocumentString<VatReportIncomeFieldsFragment, unknown>;\nexport const VatReportMiscTableFieldsFragmentDoc = new TypedDocumentString(`\n fragment VatReportMiscTableFields on VatReportResult {\n differentMonthDoc {\n id\n ...ChargesTableFields\n }\n}\n fragment ChargesTableAccountantApprovalFields on Charge {\n id\n accountantApproval\n}\nfragment ChargesTableAmountFields on Charge {\n __typename\n id\n totalAmount {\n raw\n formatted\n }\n ... on CreditcardBankCharge @defer {\n validCreditCardAmount\n }\n}\nfragment ChargesTableBusinessTripFields on Charge {\n id\n ... on BusinessTripCharge {\n businessTrip {\n id\n name\n }\n }\n}\nfragment ChargesTableEntityFields on Charge {\n __typename\n id\n counterparty {\n name\n id\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableDateFields on Charge {\n id\n minEventDate\n minDebitDate\n minDocumentsDate\n}\nfragment ChargesTableDescriptionFields on Charge {\n id\n userDescription\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n missingInfoSuggestions {\n description\n }\n }\n}\nfragment ChargesTableMoreInfoFields on Charge {\n __typename\n id\n metadata {\n transactionsCount\n documentsCount\n ledgerCount\n miscExpensesCount\n ... on ChargeMetadata @defer {\n invalidLedger\n }\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTagsFields on Charge {\n id\n tags {\n id\n name\n namePath\n }\n ... on Charge @defer {\n validationData {\n ... on ValidationData {\n missingInfo\n }\n }\n missingInfoSuggestions {\n ... on ChargeSuggestions {\n tags {\n id\n name\n namePath\n }\n }\n }\n }\n}\nfragment ChargesTableTaxCategoryFields on Charge {\n __typename\n id\n taxCategory {\n id\n name\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTypeFields on Charge {\n __typename\n id\n}\nfragment ChargesTableVatFields on Charge {\n __typename\n id\n vat {\n raw\n formatted\n }\n totalAmount {\n raw\n currency\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableRowFields on Charge {\n id\n __typename\n metadata {\n ... on ChargeMetadata @defer {\n documentsCount\n ledgerCount\n transactionsCount\n miscExpensesCount\n }\n }\n totalAmount {\n raw\n }\n ...ChargesTableAccountantApprovalFields\n ...ChargesTableAmountFields\n ...ChargesTableBusinessTripFields @defer\n ...ChargesTableDateFields\n ...ChargesTableDescriptionFields\n ...ChargesTableEntityFields @defer\n ...ChargesTableMoreInfoFields\n ...ChargesTableTagsFields @defer\n ...ChargesTableTaxCategoryFields @defer\n ...ChargesTableTypeFields\n ...ChargesTableVatFields\n}\nfragment ChargesTableFields on Charge {\n id\n owner {\n id\n }\n ...ChargesTableRowFields\n}`, {\"fragmentName\":\"VatReportMiscTableFields\"}) as unknown as TypedDocumentString<VatReportMiscTableFieldsFragment, unknown>;\nexport const VatReportMissingInfoFieldsFragmentDoc = new TypedDocumentString(`\n fragment VatReportMissingInfoFields on VatReportResult {\n missingInfo {\n id\n ...ChargesTableFields\n }\n}\n fragment ChargesTableAccountantApprovalFields on Charge {\n id\n accountantApproval\n}\nfragment ChargesTableAmountFields on Charge {\n __typename\n id\n totalAmount {\n raw\n formatted\n }\n ... on CreditcardBankCharge @defer {\n validCreditCardAmount\n }\n}\nfragment ChargesTableBusinessTripFields on Charge {\n id\n ... on BusinessTripCharge {\n businessTrip {\n id\n name\n }\n }\n}\nfragment ChargesTableEntityFields on Charge {\n __typename\n id\n counterparty {\n name\n id\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableDateFields on Charge {\n id\n minEventDate\n minDebitDate\n minDocumentsDate\n}\nfragment ChargesTableDescriptionFields on Charge {\n id\n userDescription\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n missingInfoSuggestions {\n description\n }\n }\n}\nfragment ChargesTableMoreInfoFields on Charge {\n __typename\n id\n metadata {\n transactionsCount\n documentsCount\n ledgerCount\n miscExpensesCount\n ... on ChargeMetadata @defer {\n invalidLedger\n }\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTagsFields on Charge {\n id\n tags {\n id\n name\n namePath\n }\n ... on Charge @defer {\n validationData {\n ... on ValidationData {\n missingInfo\n }\n }\n missingInfoSuggestions {\n ... on ChargeSuggestions {\n tags {\n id\n name\n namePath\n }\n }\n }\n }\n}\nfragment ChargesTableTaxCategoryFields on Charge {\n __typename\n id\n taxCategory {\n id\n name\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTypeFields on Charge {\n __typename\n id\n}\nfragment ChargesTableVatFields on Charge {\n __typename\n id\n vat {\n raw\n formatted\n }\n totalAmount {\n raw\n currency\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableRowFields on Charge {\n id\n __typename\n metadata {\n ... on ChargeMetadata @defer {\n documentsCount\n ledgerCount\n transactionsCount\n miscExpensesCount\n }\n }\n totalAmount {\n raw\n }\n ...ChargesTableAccountantApprovalFields\n ...ChargesTableAmountFields\n ...ChargesTableBusinessTripFields @defer\n ...ChargesTableDateFields\n ...ChargesTableDescriptionFields\n ...ChargesTableEntityFields @defer\n ...ChargesTableMoreInfoFields\n ...ChargesTableTagsFields @defer\n ...ChargesTableTaxCategoryFields @defer\n ...ChargesTableTypeFields\n ...ChargesTableVatFields\n}\nfragment ChargesTableFields on Charge {\n id\n owner {\n id\n }\n ...ChargesTableRowFields\n}`, {\"fragmentName\":\"VatReportMissingInfoFields\"}) as unknown as TypedDocumentString<VatReportMissingInfoFieldsFragment, unknown>;\nexport const VatReportSummaryFieldsFragmentDoc = new TypedDocumentString(`\n fragment VatReportSummaryFields on VatReportResult {\n expenses {\n roundedLocalVatAfterDeduction {\n raw\n }\n taxReducedLocalAmount {\n raw\n }\n recordType\n isProperty\n }\n income {\n roundedLocalVatAfterDeduction {\n raw\n }\n taxReducedLocalAmount {\n raw\n }\n recordType\n }\n}\n `, {\"fragmentName\":\"VatReportSummaryFields\"}) as unknown as TypedDocumentString<VatReportSummaryFieldsFragment, unknown>;\nexport const LedgerCsvFieldsFragmentDoc = new TypedDocumentString(`\n fragment LedgerCsvFields on YearlyLedgerReport {\n id\n year\n financialEntitiesInfo {\n entity {\n id\n name\n sortCode {\n id\n key\n }\n }\n openingBalance {\n raw\n }\n totalCredit {\n raw\n }\n totalDebit {\n raw\n }\n closingBalance {\n raw\n }\n records {\n id\n amount {\n raw\n formatted\n }\n invoiceDate\n valueDate\n description\n reference\n counterParty {\n id\n name\n }\n balance\n }\n }\n}\n `, {\"fragmentName\":\"LedgerCsvFields\"}) as unknown as TypedDocumentString<LedgerCsvFieldsFragment, unknown>;\nexport const SalariesRecordEmployeeFieldsFragmentDoc = new TypedDocumentString(`\n fragment SalariesRecordEmployeeFields on Salary {\n month\n employee {\n id\n name\n }\n}\n `, {\"fragmentName\":\"SalariesRecordEmployeeFields\"}) as unknown as TypedDocumentString<SalariesRecordEmployeeFieldsFragment, unknown>;\nexport const SalariesRecordMainSalaryFieldsFragmentDoc = new TypedDocumentString(`\n fragment SalariesRecordMainSalaryFields on Salary {\n month\n employee {\n id\n }\n baseAmount {\n formatted\n }\n directAmount {\n formatted\n }\n globalAdditionalHoursAmount {\n formatted\n }\n bonus {\n formatted\n raw\n }\n gift {\n formatted\n raw\n }\n recovery {\n formatted\n raw\n }\n vacationTakeout {\n formatted\n raw\n }\n}\n `, {\"fragmentName\":\"SalariesRecordMainSalaryFields\"}) as unknown as TypedDocumentString<SalariesRecordMainSalaryFieldsFragment, unknown>;\nexport const SalariesRecordFundsFieldsFragmentDoc = new TypedDocumentString(`\n fragment SalariesRecordFundsFields on Salary {\n month\n employee {\n id\n }\n pensionFund {\n id\n name\n }\n pensionEmployeeAmount {\n formatted\n raw\n }\n pensionEmployeePercentage\n pensionEmployerAmount {\n formatted\n raw\n }\n pensionEmployerPercentage\n compensationsAmount {\n formatted\n raw\n }\n compensationsPercentage\n trainingFund {\n id\n name\n }\n trainingFundEmployeeAmount {\n formatted\n raw\n }\n trainingFundEmployeePercentage\n trainingFundEmployerAmount {\n formatted\n raw\n }\n trainingFundEmployerPercentage\n}\n `, {\"fragmentName\":\"SalariesRecordFundsFields\"}) as unknown as TypedDocumentString<SalariesRecordFundsFieldsFragment, unknown>;\nexport const SalariesRecordInsurancesAndTaxesFieldsFragmentDoc = new TypedDocumentString(`\n fragment SalariesRecordInsurancesAndTaxesFields on Salary {\n month\n employee {\n id\n }\n healthInsuranceAmount {\n formatted\n raw\n }\n socialSecurityEmployeeAmount {\n formatted\n raw\n }\n socialSecurityEmployerAmount {\n formatted\n raw\n }\n incomeTaxAmount {\n formatted\n raw\n }\n notionalExpense {\n formatted\n raw\n }\n}\n `, {\"fragmentName\":\"SalariesRecordInsurancesAndTaxesFields\"}) as unknown as TypedDocumentString<SalariesRecordInsurancesAndTaxesFieldsFragment, unknown>;\nexport const SalariesRecordWorkFrameFieldsFragmentDoc = new TypedDocumentString(`\n fragment SalariesRecordWorkFrameFields on Salary {\n month\n employee {\n id\n }\n vacationDays {\n added\n taken\n balance\n }\n workDays\n sicknessDays {\n balance\n }\n}\n `, {\"fragmentName\":\"SalariesRecordWorkFrameFields\"}) as unknown as TypedDocumentString<SalariesRecordWorkFrameFieldsFragment, unknown>;\nexport const SalariesRecordFieldsFragmentDoc = new TypedDocumentString(`\n fragment SalariesRecordFields on Salary {\n month\n employee {\n id\n }\n ...SalariesRecordEmployeeFields\n ...SalariesRecordMainSalaryFields\n ...SalariesRecordFundsFields\n ...SalariesRecordInsurancesAndTaxesFields\n ...SalariesRecordWorkFrameFields\n}\n fragment SalariesRecordEmployeeFields on Salary {\n month\n employee {\n id\n name\n }\n}\nfragment SalariesRecordFundsFields on Salary {\n month\n employee {\n id\n }\n pensionFund {\n id\n name\n }\n pensionEmployeeAmount {\n formatted\n raw\n }\n pensionEmployeePercentage\n pensionEmployerAmount {\n formatted\n raw\n }\n pensionEmployerPercentage\n compensationsAmount {\n formatted\n raw\n }\n compensationsPercentage\n trainingFund {\n id\n name\n }\n trainingFundEmployeeAmount {\n formatted\n raw\n }\n trainingFundEmployeePercentage\n trainingFundEmployerAmount {\n formatted\n raw\n }\n trainingFundEmployerPercentage\n}\nfragment SalariesRecordInsurancesAndTaxesFields on Salary {\n month\n employee {\n id\n }\n healthInsuranceAmount {\n formatted\n raw\n }\n socialSecurityEmployeeAmount {\n formatted\n raw\n }\n socialSecurityEmployerAmount {\n formatted\n raw\n }\n incomeTaxAmount {\n formatted\n raw\n }\n notionalExpense {\n formatted\n raw\n }\n}\nfragment SalariesRecordMainSalaryFields on Salary {\n month\n employee {\n id\n }\n baseAmount {\n formatted\n }\n directAmount {\n formatted\n }\n globalAdditionalHoursAmount {\n formatted\n }\n bonus {\n formatted\n raw\n }\n gift {\n formatted\n raw\n }\n recovery {\n formatted\n raw\n }\n vacationTakeout {\n formatted\n raw\n }\n}\nfragment SalariesRecordWorkFrameFields on Salary {\n month\n employee {\n id\n }\n vacationDays {\n added\n taken\n balance\n }\n workDays\n sicknessDays {\n balance\n }\n}`, {\"fragmentName\":\"SalariesRecordFields\"}) as unknown as TypedDocumentString<SalariesRecordFieldsFragment, unknown>;\nexport const SalariesMonthFieldsFragmentDoc = new TypedDocumentString(`\n fragment SalariesMonthFields on Salary {\n month\n employee {\n id\n }\n ...SalariesRecordFields\n}\n fragment SalariesRecordEmployeeFields on Salary {\n month\n employee {\n id\n name\n }\n}\nfragment SalariesRecordFundsFields on Salary {\n month\n employee {\n id\n }\n pensionFund {\n id\n name\n }\n pensionEmployeeAmount {\n formatted\n raw\n }\n pensionEmployeePercentage\n pensionEmployerAmount {\n formatted\n raw\n }\n pensionEmployerPercentage\n compensationsAmount {\n formatted\n raw\n }\n compensationsPercentage\n trainingFund {\n id\n name\n }\n trainingFundEmployeeAmount {\n formatted\n raw\n }\n trainingFundEmployeePercentage\n trainingFundEmployerAmount {\n formatted\n raw\n }\n trainingFundEmployerPercentage\n}\nfragment SalariesRecordInsurancesAndTaxesFields on Salary {\n month\n employee {\n id\n }\n healthInsuranceAmount {\n formatted\n raw\n }\n socialSecurityEmployeeAmount {\n formatted\n raw\n }\n socialSecurityEmployerAmount {\n formatted\n raw\n }\n incomeTaxAmount {\n formatted\n raw\n }\n notionalExpense {\n formatted\n raw\n }\n}\nfragment SalariesRecordMainSalaryFields on Salary {\n month\n employee {\n id\n }\n baseAmount {\n formatted\n }\n directAmount {\n formatted\n }\n globalAdditionalHoursAmount {\n formatted\n }\n bonus {\n formatted\n raw\n }\n gift {\n formatted\n raw\n }\n recovery {\n formatted\n raw\n }\n vacationTakeout {\n formatted\n raw\n }\n}\nfragment SalariesRecordWorkFrameFields on Salary {\n month\n employee {\n id\n }\n vacationDays {\n added\n taken\n balance\n }\n workDays\n sicknessDays {\n balance\n }\n}\nfragment SalariesRecordFields on Salary {\n month\n employee {\n id\n }\n ...SalariesRecordEmployeeFields\n ...SalariesRecordMainSalaryFields\n ...SalariesRecordFundsFields\n ...SalariesRecordInsurancesAndTaxesFields\n ...SalariesRecordWorkFrameFields\n}`, {\"fragmentName\":\"SalariesMonthFields\"}) as unknown as TypedDocumentString<SalariesMonthFieldsFragment, unknown>;\nexport const SalariesTableFieldsFragmentDoc = new TypedDocumentString(`\n fragment SalariesTableFields on Salary {\n month\n employee {\n id\n }\n ...SalariesMonthFields\n}\n fragment SalariesRecordEmployeeFields on Salary {\n month\n employee {\n id\n name\n }\n}\nfragment SalariesRecordFundsFields on Salary {\n month\n employee {\n id\n }\n pensionFund {\n id\n name\n }\n pensionEmployeeAmount {\n formatted\n raw\n }\n pensionEmployeePercentage\n pensionEmployerAmount {\n formatted\n raw\n }\n pensionEmployerPercentage\n compensationsAmount {\n formatted\n raw\n }\n compensationsPercentage\n trainingFund {\n id\n name\n }\n trainingFundEmployeeAmount {\n formatted\n raw\n }\n trainingFundEmployeePercentage\n trainingFundEmployerAmount {\n formatted\n raw\n }\n trainingFundEmployerPercentage\n}\nfragment SalariesRecordInsurancesAndTaxesFields on Salary {\n month\n employee {\n id\n }\n healthInsuranceAmount {\n formatted\n raw\n }\n socialSecurityEmployeeAmount {\n formatted\n raw\n }\n socialSecurityEmployerAmount {\n formatted\n raw\n }\n incomeTaxAmount {\n formatted\n raw\n }\n notionalExpense {\n formatted\n raw\n }\n}\nfragment SalariesRecordMainSalaryFields on Salary {\n month\n employee {\n id\n }\n baseAmount {\n formatted\n }\n directAmount {\n formatted\n }\n globalAdditionalHoursAmount {\n formatted\n }\n bonus {\n formatted\n raw\n }\n gift {\n formatted\n raw\n }\n recovery {\n formatted\n raw\n }\n vacationTakeout {\n formatted\n raw\n }\n}\nfragment SalariesRecordWorkFrameFields on Salary {\n month\n employee {\n id\n }\n vacationDays {\n added\n taken\n balance\n }\n workDays\n sicknessDays {\n balance\n }\n}\nfragment SalariesMonthFields on Salary {\n month\n employee {\n id\n }\n ...SalariesRecordFields\n}\nfragment SalariesRecordFields on Salary {\n month\n employee {\n id\n }\n ...SalariesRecordEmployeeFields\n ...SalariesRecordMainSalaryFields\n ...SalariesRecordFundsFields\n ...SalariesRecordInsurancesAndTaxesFields\n ...SalariesRecordWorkFrameFields\n}`, {\"fragmentName\":\"SalariesTableFields\"}) as unknown as TypedDocumentString<SalariesTableFieldsFragment, unknown>;\nexport const AnnualRevenueReportRecordFragmentDoc = new TypedDocumentString(`\n fragment AnnualRevenueReportRecord on AnnualRevenueReportClientRecord {\n id\n revenueLocal {\n raw\n formatted\n currency\n }\n revenueDefaultForeign {\n raw\n formatted\n currency\n }\n revenueOriginal {\n raw\n formatted\n currency\n }\n chargeId\n date\n description\n reference\n}\n `, {\"fragmentName\":\"AnnualRevenueReportRecord\"}) as unknown as TypedDocumentString<AnnualRevenueReportRecordFragment, unknown>;\nexport const AnnualRevenueReportClientFragmentDoc = new TypedDocumentString(`\n fragment AnnualRevenueReportClient on AnnualRevenueReportCountryClient {\n id\n name\n revenueLocal {\n raw\n formatted\n currency\n }\n revenueDefaultForeign {\n raw\n formatted\n currency\n }\n records {\n id\n date\n ...AnnualRevenueReportRecord\n }\n}\n fragment AnnualRevenueReportRecord on AnnualRevenueReportClientRecord {\n id\n revenueLocal {\n raw\n formatted\n currency\n }\n revenueDefaultForeign {\n raw\n formatted\n currency\n }\n revenueOriginal {\n raw\n formatted\n currency\n }\n chargeId\n date\n description\n reference\n}`, {\"fragmentName\":\"AnnualRevenueReportClient\"}) as unknown as TypedDocumentString<AnnualRevenueReportClientFragment, unknown>;\nexport const AnnualRevenueReportCountryFragmentDoc = new TypedDocumentString(`\n fragment AnnualRevenueReportCountry on AnnualRevenueReportCountry {\n id\n code\n name\n revenueLocal {\n raw\n formatted\n currency\n }\n revenueDefaultForeign {\n raw\n formatted\n currency\n }\n clients {\n id\n revenueDefaultForeign {\n raw\n }\n ...AnnualRevenueReportClient\n }\n}\n fragment AnnualRevenueReportClient on AnnualRevenueReportCountryClient {\n id\n name\n revenueLocal {\n raw\n formatted\n currency\n }\n revenueDefaultForeign {\n raw\n formatted\n currency\n }\n records {\n id\n date\n ...AnnualRevenueReportRecord\n }\n}\nfragment AnnualRevenueReportRecord on AnnualRevenueReportClientRecord {\n id\n revenueLocal {\n raw\n formatted\n currency\n }\n revenueDefaultForeign {\n raw\n formatted\n currency\n }\n revenueOriginal {\n raw\n formatted\n currency\n }\n chargeId\n date\n description\n reference\n}`, {\"fragmentName\":\"AnnualRevenueReportCountry\"}) as unknown as TypedDocumentString<AnnualRevenueReportCountryFragment, unknown>;\nexport const DepreciationReportRecordCoreFragmentDoc = new TypedDocumentString(`\n fragment DepreciationReportRecordCore on DepreciationCoreRecord {\n id\n originalCost\n reportYearDelta\n totalDepreciableCosts\n reportYearClaimedDepreciation\n pastYearsAccumulatedDepreciation\n totalDepreciation\n netValue\n}\n `, {\"fragmentName\":\"DepreciationReportRecordCore\"}) as unknown as TypedDocumentString<DepreciationReportRecordCoreFragment, unknown>;\nexport const Shaam6111DataContentHeaderBusinessFragmentDoc = new TypedDocumentString(`\n fragment Shaam6111DataContentHeaderBusiness on Business {\n id\n name\n}\n `, {\"fragmentName\":\"Shaam6111DataContentHeaderBusiness\"}) as unknown as TypedDocumentString<Shaam6111DataContentHeaderBusinessFragment, unknown>;\nexport const Shaam6111DataContentHeaderFragmentDoc = new TypedDocumentString(`\n fragment Shaam6111DataContentHeader on Shaam6111Data {\n id\n header {\n taxYear\n businessDescription\n taxFileNumber\n idNumber\n vatFileNumber\n withholdingTaxFileNumber\n businessType\n reportingMethod\n currencyType\n amountsInThousands\n accountingMethod\n accountingSystem\n softwareRegistrationNumber\n isPartnership\n partnershipCount\n partnershipProfitShare\n ifrsImplementationYear\n ifrsReportingOption\n includesProfitLoss\n includesTaxAdjustment\n includesBalanceSheet\n industryCode\n auditOpinionType\n }\n}\n `, {\"fragmentName\":\"Shaam6111DataContentHeader\"}) as unknown as TypedDocumentString<Shaam6111DataContentHeaderFragment, unknown>;\nexport const Shaam6111DataContentProfitLossFragmentDoc = new TypedDocumentString(`\n fragment Shaam6111DataContentProfitLoss on Shaam6111Data {\n id\n profitAndLoss {\n code\n amount\n label\n }\n}\n `, {\"fragmentName\":\"Shaam6111DataContentProfitLoss\"}) as unknown as TypedDocumentString<Shaam6111DataContentProfitLossFragment, unknown>;\nexport const Shaam6111DataContentTaxAdjustmentFragmentDoc = new TypedDocumentString(`\n fragment Shaam6111DataContentTaxAdjustment on Shaam6111Data {\n id\n taxAdjustment {\n code\n amount\n label\n }\n}\n `, {\"fragmentName\":\"Shaam6111DataContentTaxAdjustment\"}) as unknown as TypedDocumentString<Shaam6111DataContentTaxAdjustmentFragment, unknown>;\nexport const Shaam6111DataContentBalanceSheetFragmentDoc = new TypedDocumentString(`\n fragment Shaam6111DataContentBalanceSheet on Shaam6111Data {\n id\n balanceSheet {\n code\n amount\n label\n }\n}\n `, {\"fragmentName\":\"Shaam6111DataContentBalanceSheet\"}) as unknown as TypedDocumentString<Shaam6111DataContentBalanceSheetFragment, unknown>;\nexport const Shaam6111DataContentFragmentDoc = new TypedDocumentString(`\n fragment Shaam6111DataContent on Shaam6111Data {\n id\n ...Shaam6111DataContentHeader\n ...Shaam6111DataContentProfitLoss\n ...Shaam6111DataContentTaxAdjustment\n ...Shaam6111DataContentBalanceSheet\n}\n fragment Shaam6111DataContentBalanceSheet on Shaam6111Data {\n id\n balanceSheet {\n code\n amount\n label\n }\n}\nfragment Shaam6111DataContentHeader on Shaam6111Data {\n id\n header {\n taxYear\n businessDescription\n taxFileNumber\n idNumber\n vatFileNumber\n withholdingTaxFileNumber\n businessType\n reportingMethod\n currencyType\n amountsInThousands\n accountingMethod\n accountingSystem\n softwareRegistrationNumber\n isPartnership\n partnershipCount\n partnershipProfitShare\n ifrsImplementationYear\n ifrsReportingOption\n includesProfitLoss\n includesTaxAdjustment\n includesBalanceSheet\n industryCode\n auditOpinionType\n }\n}\nfragment Shaam6111DataContentProfitLoss on Shaam6111Data {\n id\n profitAndLoss {\n code\n amount\n label\n }\n}\nfragment Shaam6111DataContentTaxAdjustment on Shaam6111Data {\n id\n taxAdjustment {\n code\n amount\n label\n }\n}`, {\"fragmentName\":\"Shaam6111DataContent\"}) as unknown as TypedDocumentString<Shaam6111DataContentFragment, unknown>;\nexport const TransactionToDownloadForTransactionsTableFieldsFragmentDoc = new TypedDocumentString(`\n fragment TransactionToDownloadForTransactionsTableFields on Transaction {\n id\n account {\n id\n name\n type\n }\n amount {\n currency\n raw\n }\n counterparty {\n id\n name\n }\n effectiveDate\n eventDate\n referenceKey\n sourceDescription\n}\n `, {\"fragmentName\":\"TransactionToDownloadForTransactionsTableFields\"}) as unknown as TypedDocumentString<TransactionToDownloadForTransactionsTableFieldsFragment, unknown>;\nexport const SharedDepositTransactionsDocument = new TypedDocumentString(`\n query SharedDepositTransactions($depositId: String!) {\n deposit(depositId: $depositId) {\n id\n currency\n transactions {\n id\n ...DepositTransactionFields\n }\n }\n}\n fragment DepositTransactionFields on Transaction {\n id\n eventDate\n chargeId\n amount {\n raw\n formatted\n currency\n }\n debitExchangeRates {\n aud\n cad\n eur\n gbp\n jpy\n sek\n usd\n date\n }\n eventExchangeRates {\n aud\n cad\n eur\n gbp\n jpy\n sek\n usd\n date\n }\n}`) as unknown as TypedDocumentString<SharedDepositTransactionsQuery, SharedDepositTransactionsQueryVariables>;\nexport const BusinessLedgerInfoDocument = new TypedDocumentString(`\n query BusinessLedgerInfo($filters: BusinessTransactionsFilter) {\n businessTransactionsFromLedgerRecords(filters: $filters) {\n ... on BusinessTransactionsFromLedgerRecordsSuccessfulResult {\n businessTransactions {\n amount {\n formatted\n raw\n }\n business {\n id\n name\n }\n foreignAmount {\n formatted\n raw\n currency\n }\n invoiceDate\n reference\n details\n counterAccount {\n __typename\n id\n name\n }\n chargeId\n }\n }\n ... on CommonError {\n __typename\n message\n }\n }\n}\n `) as unknown as TypedDocumentString<BusinessLedgerInfoQuery, BusinessLedgerInfoQueryVariables>;\nexport const BusinessLedgerRecordsSummeryDocument = new TypedDocumentString(`\n query BusinessLedgerRecordsSummery($filters: BusinessTransactionsFilter) {\n businessTransactionsSumFromLedgerRecords(filters: $filters) {\n ... on BusinessTransactionsSumFromLedgerRecordsSuccessfulResult {\n businessTransactionsSum {\n business {\n id\n name\n }\n credit {\n formatted\n }\n debit {\n formatted\n }\n total {\n formatted\n raw\n }\n foreignCurrenciesSum {\n currency\n credit {\n formatted\n }\n debit {\n formatted\n }\n total {\n formatted\n raw\n }\n }\n }\n }\n ... on CommonError {\n __typename\n message\n }\n }\n}\n `) as unknown as TypedDocumentString<BusinessLedgerRecordsSummeryQuery, BusinessLedgerRecordsSummeryQueryVariables>;\nexport const BusinessTripScreenDocument = new TypedDocumentString(`\n query BusinessTripScreen($businessTripId: UUID!) {\n businessTrip(id: $businessTripId) {\n id\n name\n dates {\n start\n }\n }\n}\n `) as unknown as TypedDocumentString<BusinessTripScreenQuery, BusinessTripScreenQueryVariables>;\nexport const BusinessTripsRowValidationDocument = new TypedDocumentString(`\n query BusinessTripsRowValidation($id: UUID!) {\n businessTrip(id: $id) {\n id\n uncategorizedTransactions {\n transaction {\n ... on Transaction @defer {\n id\n }\n }\n }\n summary {\n ... on BusinessTripSummary @defer {\n errors\n }\n }\n }\n}\n `) as unknown as TypedDocumentString<BusinessTripsRowValidationQuery, BusinessTripsRowValidationQueryVariables>;\nexport const EditableBusinessTripDocument = new TypedDocumentString(`\n query EditableBusinessTrip($businessTripId: UUID!) {\n businessTrip(id: $businessTripId) {\n id\n ...BusinessTripReportHeaderFields\n ...BusinessTripReportAttendeesFields\n ...BusinessTripUncategorizedTransactionsFields\n ...BusinessTripReportFlightsFields\n ...BusinessTripReportAccommodationsFields\n ...BusinessTripReportTravelAndSubsistenceFields\n ...BusinessTripReportCarRentalFields\n ...BusinessTripReportOtherFields\n ...BusinessTripReportSummaryFields\n ... on BusinessTrip {\n uncategorizedTransactions {\n transaction {\n id\n }\n }\n }\n }\n}\n fragment BusinessTripAccountantApprovalFields on BusinessTrip {\n id\n accountantApproval\n}\nfragment BusinessTripReportAccommodationsRowFields on BusinessTripAccommodationExpense {\n id\n ...BusinessTripReportCoreExpenseRowFields\n payedByEmployee\n country {\n id\n name\n }\n nightsCount\n attendeesStay {\n id\n attendee {\n id\n name\n }\n nightsCount\n }\n}\nfragment BusinessTripReportAccommodationsTableFields on BusinessTripAccommodationExpense {\n id\n date\n ...BusinessTripReportAccommodationsRowFields\n}\nfragment BusinessTripReportAccommodationsFields on BusinessTrip {\n id\n accommodationExpenses {\n id\n ...BusinessTripReportAccommodationsTableFields\n }\n}\nfragment BusinessTripReportAttendeeRowFields on BusinessTripAttendee {\n id\n name\n arrivalDate\n departureDate\n flights {\n id\n ...BusinessTripReportFlightsTableFields\n }\n accommodations {\n id\n ...BusinessTripReportAccommodationsTableFields\n }\n}\nfragment BusinessTripReportAttendeesFields on BusinessTrip {\n id\n attendees {\n id\n name\n ...BusinessTripReportAttendeeRowFields\n }\n}\nfragment BusinessTripReportCarRentalRowFields on BusinessTripCarRentalExpense {\n id\n payedByEmployee\n ...BusinessTripReportCoreExpenseRowFields\n days\n isFuelExpense\n}\nfragment BusinessTripReportCarRentalFields on BusinessTrip {\n id\n carRentalExpenses {\n id\n date\n ...BusinessTripReportCarRentalRowFields\n }\n}\nfragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\n id\n date\n valueDate\n amount {\n formatted\n raw\n currency\n }\n employee {\n id\n name\n }\n payedByEmployee\n charges {\n id\n }\n}\nfragment BusinessTripReportFlightsRowFields on BusinessTripFlightExpense {\n id\n payedByEmployee\n ...BusinessTripReportCoreExpenseRowFields\n path\n class\n attendees {\n id\n name\n }\n}\nfragment BusinessTripReportFlightsTableFields on BusinessTripFlightExpense {\n id\n date\n ...BusinessTripReportFlightsRowFields\n}\nfragment BusinessTripReportFlightsFields on BusinessTrip {\n id\n flightExpenses {\n id\n ...BusinessTripReportFlightsTableFields\n }\n attendees {\n id\n name\n }\n}\nfragment BusinessTripReportOtherRowFields on BusinessTripOtherExpense {\n id\n ...BusinessTripReportCoreExpenseRowFields\n payedByEmployee\n description\n deductibleExpense\n}\nfragment BusinessTripReportOtherFields on BusinessTrip {\n id\n otherExpenses {\n id\n date\n ...BusinessTripReportOtherRowFields\n }\n}\nfragment BusinessTripReportHeaderFields on BusinessTrip {\n id\n name\n dates {\n start\n end\n }\n purpose\n destination {\n id\n name\n }\n ...BusinessTripAccountantApprovalFields\n}\nfragment BusinessTripReportSummaryFields on BusinessTrip {\n id\n ... on BusinessTrip @defer {\n summary {\n excessExpenditure {\n formatted\n }\n excessTax\n rows {\n type\n totalForeignCurrency {\n formatted\n }\n totalLocalCurrency {\n formatted\n }\n taxableForeignCurrency {\n formatted\n }\n taxableLocalCurrency {\n formatted\n }\n maxTaxableForeignCurrency {\n formatted\n }\n maxTaxableLocalCurrency {\n formatted\n }\n excessExpenditure {\n formatted\n }\n }\n errors\n }\n }\n}\nfragment BusinessTripReportTravelAndSubsistenceRowFields on BusinessTripTravelAndSubsistenceExpense {\n id\n ...BusinessTripReportCoreExpenseRowFields\n payedByEmployee\n expenseType\n}\nfragment BusinessTripReportTravelAndSubsistenceFields on BusinessTrip {\n id\n travelAndSubsistenceExpenses {\n id\n date\n ...BusinessTripReportTravelAndSubsistenceRowFields\n }\n}\nfragment BusinessTripUncategorizedTransactionsFields on BusinessTrip {\n id\n uncategorizedTransactions {\n transaction {\n id\n eventDate\n chargeId\n amount {\n raw\n }\n ...TransactionsTableEventDateFields\n ...TransactionsTableDebitDateFields\n ...TransactionsTableAccountFields\n ...TransactionsTableDescriptionFields\n ...TransactionsTableSourceIDFields\n ...TransactionsTableEntityFields\n }\n ...UncategorizedTransactionsTableAmountFields\n }\n}\nfragment UncategorizedTransactionsTableAmountFields on UncategorizedTransaction {\n transaction {\n id\n amount {\n raw\n formatted\n }\n cryptoExchangeRate {\n rate\n }\n }\n categorizedAmount {\n raw\n formatted\n }\n errors\n}\nfragment TransactionsTableAccountFields on Transaction {\n id\n account {\n id\n name\n type\n }\n}\nfragment TransactionsTableEntityFields on Transaction {\n id\n counterparty {\n name\n id\n }\n sourceDescription\n missingInfoSuggestions {\n business {\n id\n name\n }\n }\n}\nfragment TransactionsTableDebitDateFields on Transaction {\n id\n effectiveDate\n sourceEffectiveDate\n}\nfragment TransactionsTableDescriptionFields on Transaction {\n id\n sourceDescription\n}\nfragment TransactionsTableEventDateFields on Transaction {\n id\n eventDate\n}\nfragment TransactionsTableSourceIDFields on Transaction {\n id\n referenceKey\n}`) as unknown as TypedDocumentString<EditableBusinessTripQuery, EditableBusinessTripQueryVariables>;\nexport const BusinessTripsScreenDocument = new TypedDocumentString(`\n query BusinessTripsScreen {\n allBusinessTrips {\n id\n name\n dates {\n start\n }\n ...BusinessTripsRowFields\n }\n}\n fragment BusinessTripsRowFields on BusinessTrip {\n id\n name\n accountantApproval\n}`) as unknown as TypedDocumentString<BusinessTripsScreenQuery, BusinessTripsScreenQueryVariables>;\nexport const AdminFinancialAccountsSectionDocument = new TypedDocumentString(`\n query AdminFinancialAccountsSection($adminId: UUID!) {\n financialAccountsByOwner(ownerId: $adminId) {\n id\n __typename\n name\n number\n type\n privateOrBusiness\n accountTaxCategories {\n id\n currency\n taxCategory {\n id\n name\n }\n }\n ... on BankFinancialAccount {\n bankNumber\n branchNumber\n iban\n swiftCode\n extendedBankNumber\n partyPreferredIndication\n partyAccountInvolvementCode\n accountDealDate\n accountUpdateDate\n metegDoarNet\n kodHarshaatPeilut\n accountClosingReasonCode\n accountAgreementOpeningDate\n serviceAuthorizationDesc\n branchTypeCode\n mymailEntitlementSwitch\n productLabel\n }\n }\n}\n `) as unknown as TypedDocumentString<AdminFinancialAccountsSectionQuery, AdminFinancialAccountsSectionQueryVariables>;\nexport const BusinessChargesSectionDocument = new TypedDocumentString(`\n query BusinessChargesSection($page: Int, $limit: Int, $filters: ChargeFilter) {\n allCharges(page: $page, limit: $limit, filters: $filters) {\n nodes {\n id\n ...ChargesTableFields\n }\n pageInfo {\n totalPages\n }\n }\n}\n fragment ChargesTableAccountantApprovalFields on Charge {\n id\n accountantApproval\n}\nfragment ChargesTableAmountFields on Charge {\n __typename\n id\n totalAmount {\n raw\n formatted\n }\n ... on CreditcardBankCharge @defer {\n validCreditCardAmount\n }\n}\nfragment ChargesTableBusinessTripFields on Charge {\n id\n ... on BusinessTripCharge {\n businessTrip {\n id\n name\n }\n }\n}\nfragment ChargesTableEntityFields on Charge {\n __typename\n id\n counterparty {\n name\n id\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableDateFields on Charge {\n id\n minEventDate\n minDebitDate\n minDocumentsDate\n}\nfragment ChargesTableDescriptionFields on Charge {\n id\n userDescription\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n missingInfoSuggestions {\n description\n }\n }\n}\nfragment ChargesTableMoreInfoFields on Charge {\n __typename\n id\n metadata {\n transactionsCount\n documentsCount\n ledgerCount\n miscExpensesCount\n ... on ChargeMetadata @defer {\n invalidLedger\n }\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTagsFields on Charge {\n id\n tags {\n id\n name\n namePath\n }\n ... on Charge @defer {\n validationData {\n ... on ValidationData {\n missingInfo\n }\n }\n missingInfoSuggestions {\n ... on ChargeSuggestions {\n tags {\n id\n name\n namePath\n }\n }\n }\n }\n}\nfragment ChargesTableTaxCategoryFields on Charge {\n __typename\n id\n taxCategory {\n id\n name\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTypeFields on Charge {\n __typename\n id\n}\nfragment ChargesTableVatFields on Charge {\n __typename\n id\n vat {\n raw\n formatted\n }\n totalAmount {\n raw\n currency\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableRowFields on Charge {\n id\n __typename\n metadata {\n ... on ChargeMetadata @defer {\n documentsCount\n ledgerCount\n transactionsCount\n miscExpensesCount\n }\n }\n totalAmount {\n raw\n }\n ...ChargesTableAccountantApprovalFields\n ...ChargesTableAmountFields\n ...ChargesTableBusinessTripFields @defer\n ...ChargesTableDateFields\n ...ChargesTableDescriptionFields\n ...ChargesTableEntityFields @defer\n ...ChargesTableMoreInfoFields\n ...ChargesTableTagsFields @defer\n ...ChargesTableTaxCategoryFields @defer\n ...ChargesTableTypeFields\n ...ChargesTableVatFields\n}\nfragment ChargesTableFields on Charge {\n id\n owner {\n id\n }\n ...ChargesTableRowFields\n}`) as unknown as TypedDocumentString<BusinessChargesSectionQuery, BusinessChargesSectionQueryVariables>;\nexport const ClientContractsSectionDocument = new TypedDocumentString(`\n query ClientContractsSection($clientId: UUID!) {\n contractsByClient(clientId: $clientId) {\n id\n purchaseOrders\n startDate\n endDate\n amount {\n raw\n currency\n }\n billingCycle\n isActive\n product\n documentType\n remarks\n plan\n msCloud\n operationsLimit\n }\n}\n `) as unknown as TypedDocumentString<ClientContractsSectionQuery, ClientContractsSectionQueryVariables>;\nexport const ClientIntegrationsSectionGreenInvoiceDocument = new TypedDocumentString(`\n query ClientIntegrationsSectionGreenInvoice($clientId: UUID!) {\n greenInvoiceClient(clientId: $clientId) {\n businessId\n greenInvoiceId\n country {\n id\n name\n }\n emails\n name\n phone\n taxId\n address\n city\n zip\n fax\n mobile\n }\n}\n `) as unknown as TypedDocumentString<ClientIntegrationsSectionGreenInvoiceQuery, ClientIntegrationsSectionGreenInvoiceQueryVariables>;\nexport const ContractBasedDocumentDraftDocument = new TypedDocumentString(`\n query ContractBasedDocumentDraft($issueMonth: TimelessDate!, $contractId: UUID!) {\n periodicalDocumentDraftsByContracts(\n issueMonth: $issueMonth\n contractIds: [$contractId]\n ) {\n ...NewDocumentDraft\n }\n}\n fragment IssueDocumentClientFields on Client {\n id\n originalBusiness {\n id\n address\n city\n zipCode\n country {\n id\n code\n }\n governmentId\n name\n phoneNumber\n }\n emails\n}\nfragment NewDocumentDraft on DocumentDraft {\n description\n remarks\n footer\n type\n date\n dueDate\n language\n currency\n vatType\n discount {\n amount\n type\n }\n rounding\n signed\n maxPayments\n client {\n id\n originalBusiness {\n id\n name\n }\n integrations {\n id\n }\n emails\n ...IssueDocumentClientFields\n }\n income {\n currency\n currencyRate\n description\n itemId\n price\n quantity\n vatRate\n vatType\n }\n payment {\n currency\n currencyRate\n date\n price\n type\n bankName\n bankBranch\n bankAccount\n chequeNum\n accountId\n transactionId\n cardType\n cardNum\n numPayments\n firstPayment\n }\n linkedDocumentIds\n linkedPaymentId\n}`) as unknown as TypedDocumentString<ContractBasedDocumentDraftQuery, ContractBasedDocumentDraftQueryVariables>;\nexport const BusinessLedgerSectionDocument = new TypedDocumentString(`\n query BusinessLedgerSection($businessId: UUID!) {\n ledgerRecordsByFinancialEntity(financialEntityId: $businessId) {\n id\n ...LedgerRecordsTableFields\n }\n}\n fragment LedgerRecordsTableFields on LedgerRecord {\n id\n creditAccount1 {\n __typename\n id\n name\n }\n creditAccount2 {\n __typename\n id\n name\n }\n debitAccount1 {\n __typename\n id\n name\n }\n debitAccount2 {\n __typename\n id\n name\n }\n creditAmount1 {\n formatted\n currency\n }\n creditAmount2 {\n formatted\n currency\n }\n debitAmount1 {\n formatted\n currency\n }\n debitAmount2 {\n formatted\n currency\n }\n localCurrencyCreditAmount1 {\n formatted\n raw\n }\n localCurrencyCreditAmount2 {\n formatted\n raw\n }\n localCurrencyDebitAmount1 {\n formatted\n raw\n }\n localCurrencyDebitAmount2 {\n formatted\n raw\n }\n invoiceDate\n valueDate\n description\n reference\n}`) as unknown as TypedDocumentString<BusinessLedgerSectionQuery, BusinessLedgerSectionQueryVariables>;\nexport const BusinessTransactionsSectionDocument = new TypedDocumentString(`\n query BusinessTransactionsSection($businessId: UUID!) {\n transactionsByFinancialEntity(financialEntityID: $businessId) {\n id\n ...TransactionForTransactionsTableFields\n ...TransactionToDownloadForTransactionsTableFields\n }\n}\n fragment TransactionForTransactionsTableFields on Transaction {\n id\n chargeId\n eventDate\n effectiveDate\n sourceEffectiveDate\n amount {\n raw\n formatted\n }\n cryptoExchangeRate {\n rate\n }\n account {\n id\n name\n type\n }\n sourceDescription\n referenceKey\n counterparty {\n name\n id\n }\n missingInfoSuggestions {\n business {\n id\n name\n }\n }\n}\nfragment TransactionToDownloadForTransactionsTableFields on Transaction {\n id\n account {\n id\n name\n type\n }\n amount {\n currency\n raw\n }\n counterparty {\n id\n name\n }\n effectiveDate\n eventDate\n referenceKey\n sourceDescription\n}`) as unknown as TypedDocumentString<BusinessTransactionsSectionQuery, BusinessTransactionsSectionQueryVariables>;\nexport const AllBusinessesForScreenDocument = new TypedDocumentString(`\n query AllBusinessesForScreen($page: Int, $limit: Int, $name: String) {\n allBusinesses(page: $page, limit: $limit, name: $name) {\n nodes {\n __typename\n id\n name\n ... on LtdFinancialEntity {\n ...BusinessHeader\n }\n }\n pageInfo {\n totalPages\n totalRecords\n }\n }\n}\n fragment BusinessHeader on Business {\n __typename\n id\n name\n createdAt\n isActive\n ... on LtdFinancialEntity {\n governmentId\n adminInfo {\n id\n }\n clientInfo {\n id\n }\n }\n}`) as unknown as TypedDocumentString<AllBusinessesForScreenQuery, AllBusinessesForScreenQueryVariables>;\nexport const ChargeExtendedInfoForChargeMatchesDocument = new TypedDocumentString(`\n query ChargeExtendedInfoForChargeMatches($chargeId: UUID!) {\n charge(chargeId: $chargeId) {\n id\n transactions {\n id\n ...TransactionForTransactionsTableFields\n }\n additionalDocuments {\n id\n ...TableDocumentsRowFields\n }\n }\n}\n fragment TableDocumentsRowFields on Document {\n id\n documentType\n image\n file\n description\n remarks\n charge {\n id\n }\n ... on FinancialDocument {\n amount {\n raw\n formatted\n currency\n }\n missingInfoSuggestions {\n amount {\n raw\n formatted\n currency\n }\n isIncome\n counterparty {\n id\n name\n }\n owner {\n id\n name\n }\n }\n date\n vat {\n raw\n formatted\n currency\n }\n serialNumber\n allocationNumber\n creditor {\n id\n name\n }\n debtor {\n id\n name\n }\n issuedDocumentInfo {\n id\n status\n originalDocument {\n income {\n description\n }\n }\n }\n }\n}\nfragment TransactionForTransactionsTableFields on Transaction {\n id\n chargeId\n eventDate\n effectiveDate\n sourceEffectiveDate\n amount {\n raw\n formatted\n }\n cryptoExchangeRate {\n rate\n }\n account {\n id\n name\n type\n }\n sourceDescription\n referenceKey\n counterparty {\n name\n id\n }\n missingInfoSuggestions {\n business {\n id\n name\n }\n }\n}`) as unknown as TypedDocumentString<ChargeExtendedInfoForChargeMatchesQuery, ChargeExtendedInfoForChargeMatchesQueryVariables>;\nexport const ChargesLedgerValidationDocument = new TypedDocumentString(`\n query ChargesLedgerValidation($limit: Int, $filters: ChargeFilter) {\n chargesWithLedgerChanges(limit: $limit, filters: $filters) @stream {\n progress\n charge {\n id\n ...ChargesTableFields\n }\n }\n}\n fragment ChargesTableAccountantApprovalFields on Charge {\n id\n accountantApproval\n}\nfragment ChargesTableAmountFields on Charge {\n __typename\n id\n totalAmount {\n raw\n formatted\n }\n ... on CreditcardBankCharge @defer {\n validCreditCardAmount\n }\n}\nfragment ChargesTableBusinessTripFields on Charge {\n id\n ... on BusinessTripCharge {\n businessTrip {\n id\n name\n }\n }\n}\nfragment ChargesTableEntityFields on Charge {\n __typename\n id\n counterparty {\n name\n id\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableDateFields on Charge {\n id\n minEventDate\n minDebitDate\n minDocumentsDate\n}\nfragment ChargesTableDescriptionFields on Charge {\n id\n userDescription\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n missingInfoSuggestions {\n description\n }\n }\n}\nfragment ChargesTableMoreInfoFields on Charge {\n __typename\n id\n metadata {\n transactionsCount\n documentsCount\n ledgerCount\n miscExpensesCount\n ... on ChargeMetadata @defer {\n invalidLedger\n }\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTagsFields on Charge {\n id\n tags {\n id\n name\n namePath\n }\n ... on Charge @defer {\n validationData {\n ... on ValidationData {\n missingInfo\n }\n }\n missingInfoSuggestions {\n ... on ChargeSuggestions {\n tags {\n id\n name\n namePath\n }\n }\n }\n }\n}\nfragment ChargesTableTaxCategoryFields on Charge {\n __typename\n id\n taxCategory {\n id\n name\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTypeFields on Charge {\n __typename\n id\n}\nfragment ChargesTableVatFields on Charge {\n __typename\n id\n vat {\n raw\n formatted\n }\n totalAmount {\n raw\n currency\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableRowFields on Charge {\n id\n __typename\n metadata {\n ... on ChargeMetadata @defer {\n documentsCount\n ledgerCount\n transactionsCount\n miscExpensesCount\n }\n }\n totalAmount {\n raw\n }\n ...ChargesTableAccountantApprovalFields\n ...ChargesTableAmountFields\n ...ChargesTableBusinessTripFields @defer\n ...ChargesTableDateFields\n ...ChargesTableDescriptionFields\n ...ChargesTableEntityFields @defer\n ...ChargesTableMoreInfoFields\n ...ChargesTableTagsFields @defer\n ...ChargesTableTaxCategoryFields @defer\n ...ChargesTableTypeFields\n ...ChargesTableVatFields\n}\nfragment ChargesTableFields on Charge {\n id\n owner {\n id\n }\n ...ChargesTableRowFields\n}`) as unknown as TypedDocumentString<ChargesLedgerValidationQuery, ChargesLedgerValidationQueryVariables>;\nexport const FetchChargeDocument = new TypedDocumentString(`\n query FetchCharge($chargeId: UUID!) {\n charge(chargeId: $chargeId) {\n __typename\n id\n metadata {\n transactionsCount\n documentsCount\n receiptsCount\n invoicesCount\n ledgerCount\n isLedgerLocked\n openDocuments\n }\n totalAmount {\n raw\n }\n ...DocumentsGalleryFields @defer\n ...TableDocumentsFields @defer\n ...ChargeLedgerRecordsTableFields @defer\n ...ChargeTableTransactionsFields @defer\n ...ConversionChargeInfo @defer\n ...CreditcardBankChargeInfo @defer\n ...TableSalariesFields @defer\n ... on BusinessTripCharge {\n businessTrip {\n id\n ... on BusinessTrip @defer {\n ...BusinessTripReportFields\n }\n }\n }\n ...ChargesTableErrorsFields @defer\n miscExpenses {\n id\n }\n ...TableMiscExpensesFields @defer\n ...ExchangeRatesInfo @defer\n }\n}\n fragment ChargesTableErrorsFields on Charge {\n id\n ... on Charge @defer {\n errorsLedger: ledger {\n ... on Ledger @defer {\n validate {\n ... on LedgerValidation @defer {\n errors\n }\n }\n }\n }\n }\n}\nfragment TableDocumentsFields on Charge {\n id\n additionalDocuments {\n id\n ...TableDocumentsRowFields\n }\n}\nfragment ChargeLedgerRecordsTableFields on Charge {\n id\n ledger {\n __typename\n records {\n id\n ...LedgerRecordsTableFields\n }\n ... on Ledger @defer {\n validate {\n ... on LedgerValidation @defer {\n matches\n differences {\n id\n ...LedgerRecordsTableFields\n }\n }\n }\n }\n }\n}\nfragment ChargeTableTransactionsFields on Charge {\n id\n transactions {\n id\n ...TransactionForTransactionsTableFields\n }\n}\nfragment ConversionChargeInfo on Charge {\n id\n __typename\n ... on ConversionCharge {\n eventRate {\n from\n to\n rate\n }\n officialRate {\n from\n to\n rate\n }\n }\n}\nfragment CreditcardBankChargeInfo on Charge {\n id\n __typename\n ... on CreditcardBankCharge {\n creditCardTransactions {\n id\n ...TransactionForTransactionsTableFields\n }\n }\n}\nfragment ExchangeRatesInfo on Charge {\n id\n __typename\n ... on FinancialCharge {\n exchangeRates {\n aud\n cad\n eur\n gbp\n ils\n jpy\n sek\n usd\n eth\n grt\n usdc\n }\n }\n}\nfragment TableMiscExpensesFields on Charge {\n id\n miscExpenses {\n id\n amount {\n formatted\n }\n description\n invoiceDate\n valueDate\n creditor {\n id\n name\n }\n debtor {\n id\n name\n }\n chargeId\n ...EditMiscExpenseFields\n }\n}\nfragment TableSalariesFields on Charge {\n id\n __typename\n ... on SalaryCharge {\n salaryRecords {\n directAmount {\n formatted\n }\n baseAmount {\n formatted\n }\n employee {\n id\n name\n }\n pensionFund {\n id\n name\n }\n pensionEmployeeAmount {\n formatted\n }\n pensionEmployerAmount {\n formatted\n }\n compensationsAmount {\n formatted\n }\n trainingFund {\n id\n name\n }\n trainingFundEmployeeAmount {\n formatted\n }\n trainingFundEmployerAmount {\n formatted\n }\n socialSecurityEmployeeAmount {\n formatted\n }\n socialSecurityEmployerAmount {\n formatted\n }\n incomeTaxAmount {\n formatted\n }\n healthInsuranceAmount {\n formatted\n }\n }\n }\n}\nfragment BusinessTripReportFields on BusinessTrip {\n id\n ...BusinessTripReportHeaderFields\n ...BusinessTripReportSummaryFields\n}\nfragment BusinessTripAccountantApprovalFields on BusinessTrip {\n id\n accountantApproval\n}\nfragment BusinessTripReportHeaderFields on BusinessTrip {\n id\n name\n dates {\n start\n end\n }\n purpose\n destination {\n id\n name\n }\n ...BusinessTripAccountantApprovalFields\n}\nfragment BusinessTripReportSummaryFields on BusinessTrip {\n id\n ... on BusinessTrip @defer {\n summary {\n excessExpenditure {\n formatted\n }\n excessTax\n rows {\n type\n totalForeignCurrency {\n formatted\n }\n totalLocalCurrency {\n formatted\n }\n taxableForeignCurrency {\n formatted\n }\n taxableLocalCurrency {\n formatted\n }\n maxTaxableForeignCurrency {\n formatted\n }\n maxTaxableLocalCurrency {\n formatted\n }\n excessExpenditure {\n formatted\n }\n }\n errors\n }\n }\n}\nfragment EditMiscExpenseFields on MiscExpense {\n id\n amount {\n raw\n currency\n }\n description\n invoiceDate\n valueDate\n creditor {\n id\n }\n debtor {\n id\n }\n}\nfragment TableDocumentsRowFields on Document {\n id\n documentType\n image\n file\n description\n remarks\n charge {\n id\n }\n ... on FinancialDocument {\n amount {\n raw\n formatted\n currency\n }\n missingInfoSuggestions {\n amount {\n raw\n formatted\n currency\n }\n isIncome\n counterparty {\n id\n name\n }\n owner {\n id\n name\n }\n }\n date\n vat {\n raw\n formatted\n currency\n }\n serialNumber\n allocationNumber\n creditor {\n id\n name\n }\n debtor {\n id\n name\n }\n issuedDocumentInfo {\n id\n status\n originalDocument {\n income {\n description\n }\n }\n }\n }\n}\nfragment DocumentsGalleryFields on Charge {\n id\n additionalDocuments {\n id\n image\n ... on FinancialDocument {\n documentType\n }\n }\n}\nfragment LedgerRecordsTableFields on LedgerRecord {\n id\n creditAccount1 {\n __typename\n id\n name\n }\n creditAccount2 {\n __typename\n id\n name\n }\n debitAccount1 {\n __typename\n id\n name\n }\n debitAccount2 {\n __typename\n id\n name\n }\n creditAmount1 {\n formatted\n currency\n }\n creditAmount2 {\n formatted\n currency\n }\n debitAmount1 {\n formatted\n currency\n }\n debitAmount2 {\n formatted\n currency\n }\n localCurrencyCreditAmount1 {\n formatted\n raw\n }\n localCurrencyCreditAmount2 {\n formatted\n raw\n }\n localCurrencyDebitAmount1 {\n formatted\n raw\n }\n localCurrencyDebitAmount2 {\n formatted\n raw\n }\n invoiceDate\n valueDate\n description\n reference\n}\nfragment TransactionForTransactionsTableFields on Transaction {\n id\n chargeId\n eventDate\n effectiveDate\n sourceEffectiveDate\n amount {\n raw\n formatted\n }\n cryptoExchangeRate {\n rate\n }\n account {\n id\n name\n type\n }\n sourceDescription\n referenceKey\n counterparty {\n name\n id\n }\n missingInfoSuggestions {\n business {\n id\n name\n }\n }\n}`, {\"deferredFields\":{\"DocumentsGalleryFields\":[\"id\",\"additionalDocuments\"],\"TableDocumentsFields\":[\"id\",\"additionalDocuments\"],\"ChargeLedgerRecordsTableFields\":[\"id\",\"ledger\"],\"ChargeTableTransactionsFields\":[\"id\",\"transactions\"],\"ConversionChargeInfo\":[\"id\",\"__typename\"],\"CreditcardBankChargeInfo\":[\"id\",\"__typename\"],\"TableSalariesFields\":[\"id\",\"__typename\"],\"ChargesTableErrorsFields\":[\"id\"],\"TableMiscExpensesFields\":[\"id\",\"miscExpenses\"],\"ExchangeRatesInfo\":[\"id\",\"__typename\"]}}) as unknown as TypedDocumentString<FetchChargeQuery, FetchChargeQueryVariables>;\nexport const ChargeForRowDocument = new TypedDocumentString(`\n query ChargeForRow($chargeId: UUID!) {\n charge(chargeId: $chargeId) {\n id\n ...ChargesTableRowFields\n }\n}\n fragment ChargesTableAccountantApprovalFields on Charge {\n id\n accountantApproval\n}\nfragment ChargesTableAmountFields on Charge {\n __typename\n id\n totalAmount {\n raw\n formatted\n }\n ... on CreditcardBankCharge @defer {\n validCreditCardAmount\n }\n}\nfragment ChargesTableBusinessTripFields on Charge {\n id\n ... on BusinessTripCharge {\n businessTrip {\n id\n name\n }\n }\n}\nfragment ChargesTableEntityFields on Charge {\n __typename\n id\n counterparty {\n name\n id\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableDateFields on Charge {\n id\n minEventDate\n minDebitDate\n minDocumentsDate\n}\nfragment ChargesTableDescriptionFields on Charge {\n id\n userDescription\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n missingInfoSuggestions {\n description\n }\n }\n}\nfragment ChargesTableMoreInfoFields on Charge {\n __typename\n id\n metadata {\n transactionsCount\n documentsCount\n ledgerCount\n miscExpensesCount\n ... on ChargeMetadata @defer {\n invalidLedger\n }\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTagsFields on Charge {\n id\n tags {\n id\n name\n namePath\n }\n ... on Charge @defer {\n validationData {\n ... on ValidationData {\n missingInfo\n }\n }\n missingInfoSuggestions {\n ... on ChargeSuggestions {\n tags {\n id\n name\n namePath\n }\n }\n }\n }\n}\nfragment ChargesTableTaxCategoryFields on Charge {\n __typename\n id\n taxCategory {\n id\n name\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTypeFields on Charge {\n __typename\n id\n}\nfragment ChargesTableVatFields on Charge {\n __typename\n id\n vat {\n raw\n formatted\n }\n totalAmount {\n raw\n currency\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableRowFields on Charge {\n id\n __typename\n metadata {\n ... on ChargeMetadata @defer {\n documentsCount\n ledgerCount\n transactionsCount\n miscExpensesCount\n }\n }\n totalAmount {\n raw\n }\n ...ChargesTableAccountantApprovalFields\n ...ChargesTableAmountFields\n ...ChargesTableBusinessTripFields @defer\n ...ChargesTableDateFields\n ...ChargesTableDescriptionFields\n ...ChargesTableEntityFields @defer\n ...ChargesTableMoreInfoFields\n ...ChargesTableTagsFields @defer\n ...ChargesTableTaxCategoryFields @defer\n ...ChargesTableTypeFields\n ...ChargesTableVatFields\n}`) as unknown as TypedDocumentString<ChargeForRowQuery, ChargeForRowQueryVariables>;\nexport const BankDepositInfoDocument = new TypedDocumentString(`\n query BankDepositInfo($chargeId: UUID!) {\n depositByCharge(chargeId: $chargeId) {\n id\n currentBalance {\n formatted\n }\n transactions {\n id\n chargeId\n ...TransactionForTransactionsTableFields\n }\n isOpen\n }\n}\n fragment TransactionForTransactionsTableFields on Transaction {\n id\n chargeId\n eventDate\n effectiveDate\n sourceEffectiveDate\n amount {\n raw\n formatted\n }\n cryptoExchangeRate {\n rate\n }\n account {\n id\n name\n type\n }\n sourceDescription\n referenceKey\n counterparty {\n name\n id\n }\n missingInfoSuggestions {\n business {\n id\n name\n }\n }\n}`) as unknown as TypedDocumentString<BankDepositInfoQuery, BankDepositInfoQueryVariables>;\nexport const ChargeTransactionIdsDocument = new TypedDocumentString(`\n query ChargeTransactionIds($chargeId: UUID!) {\n charge(chargeId: $chargeId) {\n id\n transactions {\n id\n }\n }\n}\n `) as unknown as TypedDocumentString<ChargeTransactionIdsQuery, ChargeTransactionIdsQueryVariables>;\nexport const ChargeMatchesDocument = new TypedDocumentString(`\n query ChargeMatches($chargeId: UUID!) {\n findChargeMatches(chargeId: $chargeId) {\n matches {\n chargeId\n ...ChargeMatchesTableFields\n }\n }\n}\n fragment ChargeMatchesTableFields on ChargeMatch {\n charge {\n id\n __typename\n minEventDate\n minDebitDate\n minDocumentsDate\n totalAmount {\n raw\n formatted\n }\n vat {\n raw\n formatted\n }\n counterparty {\n name\n id\n }\n userDescription\n tags {\n id\n name\n namePath\n }\n taxCategory {\n id\n name\n }\n }\n confidenceScore\n}`) as unknown as TypedDocumentString<ChargeMatchesQuery, ChargeMatchesQueryVariables>;\nexport const IncomeChargesChartDocument = new TypedDocumentString(`\n query IncomeChargesChart($filters: ChargeFilter) {\n allCharges(filters: $filters) {\n nodes {\n id\n transactions {\n id\n eventDate\n effectiveDate\n amount {\n currency\n formatted\n raw\n }\n eventExchangeRates {\n aud\n cad\n eur\n gbp\n jpy\n sek\n usd\n date\n }\n debitExchangeRates {\n aud\n cad\n eur\n gbp\n jpy\n sek\n usd\n date\n }\n }\n }\n }\n}\n `) as unknown as TypedDocumentString<IncomeChargesChartQuery, IncomeChargesChartQueryVariables>;\nexport const MonthlyIncomeExpenseChartDocument = new TypedDocumentString(`\n query MonthlyIncomeExpenseChart($filters: IncomeExpenseChartFilters!) {\n incomeExpenseChart(filters: $filters) {\n fromDate\n toDate\n currency\n ...MonthlyIncomeExpenseChartInfo\n }\n}\n fragment MonthlyIncomeExpenseChartInfo on IncomeExpenseChart {\n monthlyData {\n income {\n formatted\n raw\n }\n expense {\n formatted\n raw\n }\n balance {\n formatted\n raw\n }\n date\n }\n}`) as unknown as TypedDocumentString<MonthlyIncomeExpenseChartQuery, MonthlyIncomeExpenseChartQueryVariables>;\nexport const ContractsEditModalDocument = new TypedDocumentString(`\n query ContractsEditModal($contractId: UUID!) {\n contractsById(id: $contractId) {\n id\n startDate\n endDate\n purchaseOrders\n amount {\n raw\n currency\n }\n product\n msCloud\n billingCycle\n plan\n isActive\n remarks\n documentType\n operationsLimit\n }\n}\n `) as unknown as TypedDocumentString<ContractsEditModalQuery, ContractsEditModalQueryVariables>;\nexport const UncategorizedTransactionsByBusinessTripDocument = new TypedDocumentString(`\n query UncategorizedTransactionsByBusinessTrip($businessTripId: UUID!) {\n businessTrip(id: $businessTripId) {\n id\n uncategorizedTransactions {\n transaction {\n id\n eventDate\n sourceDescription\n referenceKey\n counterparty {\n id\n name\n }\n amount {\n formatted\n raw\n }\n }\n }\n }\n}\n `) as unknown as TypedDocumentString<UncategorizedTransactionsByBusinessTripQuery, UncategorizedTransactionsByBusinessTripQueryVariables>;\nexport const ChargeDepreciationDocument = new TypedDocumentString(`\n query ChargeDepreciation($chargeId: UUID!) {\n depreciationRecordsByCharge(chargeId: $chargeId) {\n id\n ...DepreciationRecordRowFields\n }\n}\n fragment DepreciationRecordRowFields on DepreciationRecord {\n id\n amount {\n currency\n formatted\n raw\n }\n activationDate\n category {\n id\n name\n percentage\n }\n type\n charge {\n id\n totalAmount {\n currency\n formatted\n raw\n }\n }\n}`) as unknown as TypedDocumentString<ChargeDepreciationQuery, ChargeDepreciationQueryVariables>;\nexport const RecentBusinessIssuedDocumentsDocument = new TypedDocumentString(`\n query RecentBusinessIssuedDocuments($businessId: UUID!, $limit: Int) {\n recentDocumentsByBusiness(businessId: $businessId, limit: $limit) {\n id\n ... on FinancialDocument {\n issuedDocumentInfo {\n id\n status\n externalId\n }\n }\n ...TableDocumentsRowFields\n }\n}\n fragment TableDocumentsRowFields on Document {\n id\n documentType\n image\n file\n description\n remarks\n charge {\n id\n }\n ... on FinancialDocument {\n amount {\n raw\n formatted\n currency\n }\n missingInfoSuggestions {\n amount {\n raw\n formatted\n currency\n }\n isIncome\n counterparty {\n id\n name\n }\n owner {\n id\n name\n }\n }\n date\n vat {\n raw\n formatted\n currency\n }\n serialNumber\n allocationNumber\n creditor {\n id\n name\n }\n debtor {\n id\n name\n }\n issuedDocumentInfo {\n id\n status\n originalDocument {\n income {\n description\n }\n }\n }\n }\n}`) as unknown as TypedDocumentString<RecentBusinessIssuedDocumentsQuery, RecentBusinessIssuedDocumentsQueryVariables>;\nexport const RecentIssuedDocumentsOfSameTypeDocument = new TypedDocumentString(`\n query RecentIssuedDocumentsOfSameType($documentType: DocumentType!) {\n recentIssuedDocumentsByType(documentType: $documentType) {\n id\n ...TableDocumentsRowFields\n }\n}\n fragment TableDocumentsRowFields on Document {\n id\n documentType\n image\n file\n description\n remarks\n charge {\n id\n }\n ... on FinancialDocument {\n amount {\n raw\n formatted\n currency\n }\n missingInfoSuggestions {\n amount {\n raw\n formatted\n currency\n }\n isIncome\n counterparty {\n id\n name\n }\n owner {\n id\n name\n }\n }\n date\n vat {\n raw\n formatted\n currency\n }\n serialNumber\n allocationNumber\n creditor {\n id\n name\n }\n debtor {\n id\n name\n }\n issuedDocumentInfo {\n id\n status\n originalDocument {\n income {\n description\n }\n }\n }\n }\n}`) as unknown as TypedDocumentString<RecentIssuedDocumentsOfSameTypeQuery, RecentIssuedDocumentsOfSameTypeQueryVariables>;\nexport const EditDocumentDocument = new TypedDocumentString(`\n query EditDocument($documentId: UUID!) {\n documentById(documentId: $documentId) {\n id\n image\n file\n documentType\n description\n remarks\n __typename\n ... on FinancialDocument {\n vat {\n raw\n currency\n }\n serialNumber\n date\n amount {\n raw\n currency\n }\n debtor {\n id\n name\n }\n creditor {\n id\n name\n }\n vatReportDateOverride\n noVatAmount\n allocationNumber\n exchangeRateOverride\n }\n }\n}\n `) as unknown as TypedDocumentString<EditDocumentQuery, EditDocumentQueryVariables>;\nexport const EditTransactionDocument = new TypedDocumentString(`\n query EditTransaction($transactionIDs: [UUID!]!) {\n transactionsByIDs(transactionIDs: $transactionIDs) {\n id\n counterparty {\n id\n name\n }\n effectiveDate\n isFee\n account {\n type\n id\n }\n }\n}\n `) as unknown as TypedDocumentString<EditTransactionQuery, EditTransactionQueryVariables>;\nexport const ClientInfoForDocumentIssuingDocument = new TypedDocumentString(`\n query ClientInfoForDocumentIssuing($businessId: UUID!) {\n client(businessId: $businessId) {\n id\n integrations {\n id\n greenInvoiceInfo {\n greenInvoiceId\n businessId\n name\n }\n }\n ...IssueDocumentClientFields\n }\n}\n fragment IssueDocumentClientFields on Client {\n id\n originalBusiness {\n id\n address\n city\n zipCode\n country {\n id\n code\n }\n governmentId\n name\n phoneNumber\n }\n emails\n}`) as unknown as TypedDocumentString<ClientInfoForDocumentIssuingQuery, ClientInfoForDocumentIssuingQueryVariables>;\nexport const AllBusinessTripsDocument = new TypedDocumentString(`\n query AllBusinessTrips {\n allBusinessTrips {\n id\n name\n }\n}\n `) as unknown as TypedDocumentString<AllBusinessTripsQuery, AllBusinessTripsQueryVariables>;\nexport const AllDepreciationCategoriesDocument = new TypedDocumentString(`\n query AllDepreciationCategories {\n depreciationCategories {\n id\n name\n percentage\n }\n}\n `) as unknown as TypedDocumentString<AllDepreciationCategoriesQuery, AllDepreciationCategoriesQueryVariables>;\nexport const AllEmployeesByEmployerDocument = new TypedDocumentString(`\n query AllEmployeesByEmployer($employerId: UUID!) {\n employeesByEmployerId(employerId: $employerId) {\n id\n name\n }\n}\n `) as unknown as TypedDocumentString<AllEmployeesByEmployerQuery, AllEmployeesByEmployerQueryVariables>;\nexport const AllPensionFundsDocument = new TypedDocumentString(`\n query AllPensionFunds {\n allPensionFunds {\n id\n name\n }\n}\n `) as unknown as TypedDocumentString<AllPensionFundsQuery, AllPensionFundsQueryVariables>;\nexport const AllTrainingFundsDocument = new TypedDocumentString(`\n query AllTrainingFunds {\n allTrainingFunds {\n id\n name\n }\n}\n `) as unknown as TypedDocumentString<AllTrainingFundsQuery, AllTrainingFundsQueryVariables>;\nexport const AttendeesByBusinessTripDocument = new TypedDocumentString(`\n query AttendeesByBusinessTrip($businessTripId: UUID!) {\n businessTrip(id: $businessTripId) {\n id\n attendees {\n id\n name\n }\n }\n}\n `) as unknown as TypedDocumentString<AttendeesByBusinessTripQuery, AttendeesByBusinessTripQueryVariables>;\nexport const FetchMultipleBusinessesDocument = new TypedDocumentString(`\n query FetchMultipleBusinesses($businessIds: [UUID!]!) {\n businesses(ids: $businessIds) {\n id\n name\n }\n}\n `) as unknown as TypedDocumentString<FetchMultipleBusinessesQuery, FetchMultipleBusinessesQueryVariables>;\nexport const FetchMultipleChargesDocument = new TypedDocumentString(`\n query FetchMultipleCharges($chargeIds: [UUID!]!) {\n chargesByIDs(chargeIDs: $chargeIds) {\n id\n __typename\n metadata {\n transactionsCount\n invoicesCount\n }\n owner {\n id\n name\n }\n tags {\n id\n name\n namePath\n }\n decreasedVAT\n property\n isInvoicePaymentDifferentCurrency\n userDescription\n optionalVAT\n optionalDocuments\n }\n}\n `) as unknown as TypedDocumentString<FetchMultipleChargesQuery, FetchMultipleChargesQueryVariables>;\nexport const EditChargeDocument = new TypedDocumentString(`\n query EditCharge($chargeId: UUID!) {\n charge(chargeId: $chargeId) {\n id\n __typename\n counterparty {\n id\n name\n }\n owner {\n id\n name\n }\n property\n decreasedVAT\n isInvoicePaymentDifferentCurrency\n userDescription\n taxCategory {\n id\n name\n }\n tags {\n id\n }\n missingInfoSuggestions {\n ... on ChargeSuggestions {\n tags {\n id\n }\n }\n }\n optionalVAT\n optionalDocuments\n ... on BusinessTripCharge {\n businessTrip {\n id\n name\n }\n }\n yearsOfRelevance {\n year\n amount\n }\n }\n}\n `) as unknown as TypedDocumentString<EditChargeQuery, EditChargeQueryVariables>;\nexport const EditSalaryRecordDocument = new TypedDocumentString(`\n query EditSalaryRecord($month: TimelessDate!, $employeeIDs: [UUID!]!) {\n salaryRecordsByDates(\n fromDate: $month\n toDate: $month\n employeeIDs: $employeeIDs\n ) {\n month\n charge {\n id\n }\n directAmount {\n raw\n }\n baseAmount {\n raw\n }\n employee {\n id\n name\n }\n employer {\n id\n name\n }\n pensionFund {\n id\n name\n }\n pensionEmployeeAmount {\n raw\n }\n pensionEmployeePercentage\n pensionEmployerAmount {\n raw\n }\n pensionEmployerPercentage\n compensationsAmount {\n raw\n }\n compensationsPercentage\n trainingFund {\n id\n name\n }\n trainingFundEmployeeAmount {\n raw\n }\n trainingFundEmployeePercentage\n trainingFundEmployerAmount {\n raw\n }\n trainingFundEmployerPercentage\n socialSecurityEmployeeAmount {\n raw\n }\n socialSecurityEmployerAmount {\n raw\n }\n incomeTaxAmount {\n raw\n }\n healthInsuranceAmount {\n raw\n }\n globalAdditionalHoursAmount {\n raw\n }\n bonus {\n raw\n }\n gift {\n raw\n }\n travelAndSubsistence {\n raw\n }\n recovery {\n raw\n }\n notionalExpense {\n raw\n }\n vacationDays {\n added\n balance\n }\n vacationTakeout {\n raw\n }\n workDays\n sicknessDays {\n balance\n }\n }\n}\n `) as unknown as TypedDocumentString<EditSalaryRecordQuery, EditSalaryRecordQueryVariables>;\nexport const SortCodeToUpdateDocument = new TypedDocumentString(`\n query SortCodeToUpdate($key: Int!) {\n sortCode(key: $key) {\n id\n key\n name\n defaultIrsCode\n }\n}\n `) as unknown as TypedDocumentString<SortCodeToUpdateQuery, SortCodeToUpdateQueryVariables>;\nexport const TaxCategoryToUpdateDocument = new TypedDocumentString(`\n query TaxCategoryToUpdate($id: UUID!) {\n taxCategory(id: $id) {\n id\n name\n sortCode {\n id\n key\n name\n }\n irsCode\n }\n}\n `) as unknown as TypedDocumentString<TaxCategoryToUpdateQuery, TaxCategoryToUpdateQueryVariables>;\nexport const MiscExpenseTransactionFieldsDocument = new TypedDocumentString(`\n query MiscExpenseTransactionFields($transactionId: UUID!) {\n transactionsByIDs(transactionIDs: [$transactionId]) {\n id\n chargeId\n amount {\n raw\n currency\n }\n eventDate\n effectiveDate\n exactEffectiveDate\n counterparty {\n id\n }\n }\n}\n `) as unknown as TypedDocumentString<MiscExpenseTransactionFieldsQuery, MiscExpenseTransactionFieldsQueryVariables>;\nexport const NewDocumentDraftByChargeDocument = new TypedDocumentString(`\n query NewDocumentDraftByCharge($chargeId: UUID!) {\n newDocumentDraftByCharge(chargeId: $chargeId) {\n ...NewDocumentDraft\n }\n}\n fragment IssueDocumentClientFields on Client {\n id\n originalBusiness {\n id\n address\n city\n zipCode\n country {\n id\n code\n }\n governmentId\n name\n phoneNumber\n }\n emails\n}\nfragment NewDocumentDraft on DocumentDraft {\n description\n remarks\n footer\n type\n date\n dueDate\n language\n currency\n vatType\n discount {\n amount\n type\n }\n rounding\n signed\n maxPayments\n client {\n id\n originalBusiness {\n id\n name\n }\n integrations {\n id\n }\n emails\n ...IssueDocumentClientFields\n }\n income {\n currency\n currencyRate\n description\n itemId\n price\n quantity\n vatRate\n vatType\n }\n payment {\n currency\n currencyRate\n date\n price\n type\n bankName\n bankBranch\n bankAccount\n chequeNum\n accountId\n transactionId\n cardType\n cardNum\n numPayments\n firstPayment\n }\n linkedDocumentIds\n linkedPaymentId\n}`) as unknown as TypedDocumentString<NewDocumentDraftByChargeQuery, NewDocumentDraftByChargeQueryVariables>;\nexport const NewDocumentDraftByDocumentDocument = new TypedDocumentString(`\n query NewDocumentDraftByDocument($documentId: UUID!) {\n newDocumentDraftByDocument(documentId: $documentId) {\n ...NewDocumentDraft\n }\n}\n fragment IssueDocumentClientFields on Client {\n id\n originalBusiness {\n id\n address\n city\n zipCode\n country {\n id\n code\n }\n governmentId\n name\n phoneNumber\n }\n emails\n}\nfragment NewDocumentDraft on DocumentDraft {\n description\n remarks\n footer\n type\n date\n dueDate\n language\n currency\n vatType\n discount {\n amount\n type\n }\n rounding\n signed\n maxPayments\n client {\n id\n originalBusiness {\n id\n name\n }\n integrations {\n id\n }\n emails\n ...IssueDocumentClientFields\n }\n income {\n currency\n currencyRate\n description\n itemId\n price\n quantity\n vatRate\n vatType\n }\n payment {\n currency\n currencyRate\n date\n price\n type\n bankName\n bankBranch\n bankAccount\n chequeNum\n accountId\n transactionId\n cardType\n cardNum\n numPayments\n firstPayment\n }\n linkedDocumentIds\n linkedPaymentId\n}`) as unknown as TypedDocumentString<NewDocumentDraftByDocumentQuery, NewDocumentDraftByDocumentQueryVariables>;\nexport const SimilarChargesByBusinessDocument = new TypedDocumentString(`\n query SimilarChargesByBusiness($businessId: UUID!, $tagsDifferentThan: [String!], $descriptionDifferentThan: String) {\n similarChargesByBusiness(\n businessId: $businessId\n tagsDifferentThan: $tagsDifferentThan\n descriptionDifferentThan: $descriptionDifferentThan\n ) {\n id\n ...SimilarChargesTable\n }\n}\n fragment SimilarChargesTable on Charge {\n id\n __typename\n counterparty {\n name\n id\n }\n minEventDate\n minDebitDate\n minDocumentsDate\n totalAmount {\n raw\n formatted\n }\n vat {\n raw\n formatted\n }\n userDescription\n tags {\n id\n name\n }\n taxCategory {\n id\n name\n }\n ... on BusinessTripCharge {\n businessTrip {\n id\n name\n }\n }\n metadata {\n transactionsCount\n documentsCount\n ledgerCount\n miscExpensesCount\n }\n}`) as unknown as TypedDocumentString<SimilarChargesByBusinessQuery, SimilarChargesByBusinessQueryVariables>;\nexport const SimilarChargesDocument = new TypedDocumentString(`\n query SimilarCharges($chargeId: UUID!, $withMissingTags: Boolean!, $withMissingDescription: Boolean!, $tagsDifferentThan: [String!], $descriptionDifferentThan: String) {\n similarCharges(\n chargeId: $chargeId\n withMissingTags: $withMissingTags\n withMissingDescription: $withMissingDescription\n tagsDifferentThan: $tagsDifferentThan\n descriptionDifferentThan: $descriptionDifferentThan\n ) {\n id\n ...SimilarChargesTable\n }\n}\n fragment SimilarChargesTable on Charge {\n id\n __typename\n counterparty {\n name\n id\n }\n minEventDate\n minDebitDate\n minDocumentsDate\n totalAmount {\n raw\n formatted\n }\n vat {\n raw\n formatted\n }\n userDescription\n tags {\n id\n name\n }\n taxCategory {\n id\n name\n }\n ... on BusinessTripCharge {\n businessTrip {\n id\n name\n }\n }\n metadata {\n transactionsCount\n documentsCount\n ledgerCount\n miscExpensesCount\n }\n}`) as unknown as TypedDocumentString<SimilarChargesQuery, SimilarChargesQueryVariables>;\nexport const SimilarTransactionsDocument = new TypedDocumentString(`\n query SimilarTransactions($transactionId: UUID!, $withMissingInfo: Boolean!) {\n similarTransactions(\n transactionId: $transactionId\n withMissingInfo: $withMissingInfo\n ) {\n id\n account {\n id\n name\n type\n }\n amount {\n formatted\n raw\n }\n effectiveDate\n eventDate\n sourceDescription\n }\n}\n `) as unknown as TypedDocumentString<SimilarTransactionsQuery, SimilarTransactionsQueryVariables>;\nexport const UniformFormatDocument = new TypedDocumentString(`\n query UniformFormat($fromDate: TimelessDate!, $toDate: TimelessDate!) {\n uniformFormat(fromDate: $fromDate, toDate: $toDate) {\n bkmvdata\n ini\n }\n}\n `) as unknown as TypedDocumentString<UniformFormatQuery, UniformFormatQueryVariables>;\nexport const ContractBasedDocumentDraftsDocument = new TypedDocumentString(`\n query ContractBasedDocumentDrafts($issueMonth: TimelessDate!, $contractIds: [UUID!]!) {\n periodicalDocumentDraftsByContracts(\n issueMonth: $issueMonth\n contractIds: $contractIds\n ) {\n ...NewDocumentDraft\n }\n}\n fragment IssueDocumentClientFields on Client {\n id\n originalBusiness {\n id\n address\n city\n zipCode\n country {\n id\n code\n }\n governmentId\n name\n phoneNumber\n }\n emails\n}\nfragment NewDocumentDraft on DocumentDraft {\n description\n remarks\n footer\n type\n date\n dueDate\n language\n currency\n vatType\n discount {\n amount\n type\n }\n rounding\n signed\n maxPayments\n client {\n id\n originalBusiness {\n id\n name\n }\n integrations {\n id\n }\n emails\n ...IssueDocumentClientFields\n }\n income {\n currency\n currencyRate\n description\n itemId\n price\n quantity\n vatRate\n vatType\n }\n payment {\n currency\n currencyRate\n date\n price\n type\n bankName\n bankBranch\n bankAccount\n chequeNum\n accountId\n transactionId\n cardType\n cardNum\n numPayments\n firstPayment\n }\n linkedDocumentIds\n linkedPaymentId\n}`) as unknown as TypedDocumentString<ContractBasedDocumentDraftsQuery, ContractBasedDocumentDraftsQueryVariables>;\nexport const AccountantApprovalsChargesTableDocument = new TypedDocumentString(`\n query AccountantApprovalsChargesTable($page: Int, $limit: Int, $filters: ChargeFilter) {\n allCharges(page: $page, limit: $limit, filters: $filters) {\n nodes {\n id\n accountantApproval\n }\n }\n}\n `) as unknown as TypedDocumentString<AccountantApprovalsChargesTableQuery, AccountantApprovalsChargesTableQueryVariables>;\nexport const AllContoReportsDocument = new TypedDocumentString(`\n query AllContoReports {\n allDynamicReports {\n id\n name\n updated\n }\n}\n `) as unknown as TypedDocumentString<AllContoReportsQuery, AllContoReportsQueryVariables>;\nexport const ContoReportDocument = new TypedDocumentString(`\n query ContoReport($filters: BusinessTransactionsFilter) {\n businessTransactionsSumFromLedgerRecords(filters: $filters) {\n ... on BusinessTransactionsSumFromLedgerRecordsSuccessfulResult {\n businessTransactionsSum {\n business {\n id\n name\n sortCode {\n id\n key\n name\n }\n }\n credit {\n formatted\n raw\n }\n debit {\n formatted\n raw\n }\n total {\n formatted\n raw\n }\n }\n }\n ... on CommonError {\n __typename\n }\n }\n}\n `) as unknown as TypedDocumentString<ContoReportQuery, ContoReportQueryVariables>;\nexport const TemplateForContoReportDocument = new TypedDocumentString(`\n query TemplateForContoReport($name: String!) {\n dynamicReport(name: $name) {\n id\n name\n template {\n id\n parent\n text\n droppable\n data {\n descendantSortCodes\n descendantFinancialEntities\n mergedSortCodes\n isOpen\n hebrewText\n }\n }\n }\n}\n `) as unknown as TypedDocumentString<TemplateForContoReportQuery, TemplateForContoReportQueryVariables>;\nexport const CorporateTaxRulingComplianceReportDocument = new TypedDocumentString(`\n query CorporateTaxRulingComplianceReport($years: [Int!]!) {\n corporateTaxRulingComplianceReport(years: $years) {\n id\n year\n totalIncome {\n formatted\n raw\n currency\n }\n researchAndDevelopmentExpenses {\n formatted\n raw\n currency\n }\n rndRelativeToIncome {\n rule\n ...CorporateTaxRulingReportRuleCellFields\n }\n localDevelopmentExpenses {\n formatted\n raw\n currency\n }\n localDevelopmentRelativeToRnd {\n rule\n ...CorporateTaxRulingReportRuleCellFields\n }\n foreignDevelopmentExpenses {\n formatted\n raw\n currency\n }\n foreignDevelopmentRelativeToRnd {\n rule\n ...CorporateTaxRulingReportRuleCellFields\n }\n businessTripRndExpenses {\n formatted\n raw\n currency\n }\n ... on CorporateTaxRulingComplianceReport @defer {\n differences {\n id\n totalIncome {\n formatted\n raw\n currency\n }\n researchAndDevelopmentExpenses {\n formatted\n raw\n currency\n }\n rndRelativeToIncome {\n ...CorporateTaxRulingReportRuleCellFields\n }\n localDevelopmentExpenses {\n formatted\n raw\n currency\n }\n localDevelopmentRelativeToRnd {\n ...CorporateTaxRulingReportRuleCellFields\n }\n foreignDevelopmentExpenses {\n formatted\n raw\n currency\n }\n foreignDevelopmentRelativeToRnd {\n ...CorporateTaxRulingReportRuleCellFields\n }\n businessTripRndExpenses {\n formatted\n raw\n currency\n }\n }\n }\n }\n}\n fragment CorporateTaxRulingReportRuleCellFields on CorporateTaxRule {\n id\n rule\n percentage {\n formatted\n }\n isCompliant\n}`) as unknown as TypedDocumentString<CorporateTaxRulingComplianceReportQuery, CorporateTaxRulingComplianceReportQueryVariables>;\nexport const ProfitAndLossReportDocument = new TypedDocumentString(`\n query ProfitAndLossReport($reportYear: Int!, $referenceYears: [Int!]!) {\n profitAndLossReport(reportYear: $reportYear, referenceYears: $referenceYears) {\n id\n report {\n id\n year\n revenue {\n amount {\n formatted\n }\n ...ReportCommentaryTableFields\n }\n costOfSales {\n amount {\n formatted\n }\n ...ReportCommentaryTableFields\n }\n grossProfit {\n formatted\n }\n researchAndDevelopmentExpenses {\n amount {\n formatted\n }\n ...ReportCommentaryTableFields\n }\n marketingExpenses {\n amount {\n formatted\n }\n ...ReportCommentaryTableFields\n }\n managementAndGeneralExpenses {\n amount {\n formatted\n }\n ...ReportCommentaryTableFields\n }\n operatingProfit {\n formatted\n }\n financialExpenses {\n amount {\n formatted\n }\n ...ReportCommentaryTableFields\n }\n otherIncome {\n amount {\n formatted\n }\n ...ReportCommentaryTableFields\n }\n profitBeforeTax {\n formatted\n }\n tax {\n formatted\n }\n netProfit {\n formatted\n }\n }\n reference {\n id\n year\n revenue {\n amount {\n formatted\n }\n }\n costOfSales {\n amount {\n formatted\n }\n }\n grossProfit {\n formatted\n }\n researchAndDevelopmentExpenses {\n amount {\n formatted\n }\n }\n marketingExpenses {\n amount {\n formatted\n }\n }\n managementAndGeneralExpenses {\n amount {\n formatted\n }\n }\n operatingProfit {\n formatted\n }\n financialExpenses {\n amount {\n formatted\n }\n }\n otherIncome {\n amount {\n formatted\n }\n }\n profitBeforeTax {\n formatted\n }\n tax {\n formatted\n }\n netProfit {\n formatted\n }\n }\n }\n}\n fragment ReportCommentaryTableFields on ReportCommentary {\n records {\n sortCode {\n id\n key\n name\n }\n amount {\n formatted\n }\n records {\n ...ReportSubCommentaryTableFields\n }\n }\n}\nfragment ReportSubCommentaryTableFields on ReportCommentarySubRecord {\n financialEntity {\n id\n name\n }\n amount {\n formatted\n }\n}`) as unknown as TypedDocumentString<ProfitAndLossReportQuery, ProfitAndLossReportQueryVariables>;\nexport const TaxReportDocument = new TypedDocumentString(`\n query TaxReport($reportYear: Int!, $referenceYears: [Int!]!) {\n taxReport(reportYear: $reportYear, referenceYears: $referenceYears) {\n id\n report {\n id\n year\n profitBeforeTax {\n amount {\n formatted\n }\n ...ReportCommentaryTableFields\n }\n researchAndDevelopmentExpensesByRecords {\n amount {\n formatted\n }\n ...ReportCommentaryTableFields\n }\n researchAndDevelopmentExpensesForTax {\n formatted\n }\n fines {\n amount {\n formatted\n }\n ...ReportCommentaryTableFields\n }\n untaxableGifts {\n amount {\n formatted\n }\n ...ReportCommentaryTableFields\n }\n businessTripsExcessExpensesAmount {\n formatted\n }\n salaryExcessExpensesAmount {\n formatted\n }\n reserves {\n amount {\n formatted\n }\n ...ReportCommentaryTableFields\n }\n nontaxableLinkage {\n amount {\n formatted\n }\n ...ReportCommentaryTableFields\n }\n taxableIncome {\n formatted\n }\n taxRate\n specialTaxableIncome {\n amount {\n formatted\n }\n ...ReportCommentaryTableFields\n }\n specialTaxRate\n annualTaxExpense {\n formatted\n }\n }\n reference {\n id\n year\n profitBeforeTax {\n amount {\n formatted\n }\n }\n researchAndDevelopmentExpensesByRecords {\n amount {\n formatted\n }\n }\n researchAndDevelopmentExpensesForTax {\n formatted\n }\n fines {\n amount {\n formatted\n }\n }\n untaxableGifts {\n amount {\n formatted\n }\n }\n businessTripsExcessExpensesAmount {\n formatted\n }\n salaryExcessExpensesAmount {\n formatted\n }\n reserves {\n amount {\n formatted\n }\n }\n nontaxableLinkage {\n amount {\n formatted\n }\n }\n taxableIncome {\n formatted\n }\n taxRate\n specialTaxableIncome {\n amount {\n formatted\n }\n ...ReportCommentaryTableFields\n }\n specialTaxRate\n annualTaxExpense {\n formatted\n }\n }\n }\n}\n fragment ReportCommentaryTableFields on ReportCommentary {\n records {\n sortCode {\n id\n key\n name\n }\n amount {\n formatted\n }\n records {\n ...ReportSubCommentaryTableFields\n }\n }\n}\nfragment ReportSubCommentaryTableFields on ReportCommentarySubRecord {\n financialEntity {\n id\n name\n }\n amount {\n formatted\n }\n}`) as unknown as TypedDocumentString<TaxReportQuery, TaxReportQueryVariables>;\nexport const TrialBalanceReportDocument = new TypedDocumentString(`\n query TrialBalanceReport($filters: BusinessTransactionsFilter) {\n businessTransactionsSumFromLedgerRecords(filters: $filters) {\n ... on BusinessTransactionsSumFromLedgerRecordsSuccessfulResult {\n ...TrialBalanceTableFields\n }\n ... on CommonError {\n __typename\n }\n }\n}\n fragment TrialBalanceTableFields on BusinessTransactionsSumFromLedgerRecordsSuccessfulResult {\n businessTransactionsSum {\n business {\n id\n name\n sortCode {\n id\n key\n name\n }\n }\n credit {\n formatted\n raw\n }\n debit {\n formatted\n raw\n }\n total {\n formatted\n raw\n }\n }\n}`) as unknown as TypedDocumentString<TrialBalanceReportQuery, TrialBalanceReportQueryVariables>;\nexport const ValidatePcn874ReportsDocument = new TypedDocumentString(`\n query ValidatePcn874Reports($businessId: UUID, $fromMonthDate: TimelessDate!, $toMonthDate: TimelessDate!) {\n pcnByDate(\n businessId: $businessId\n fromMonthDate: $fromMonthDate\n toMonthDate: $toMonthDate\n ) @stream {\n id\n business {\n id\n name\n }\n date\n content\n diffContent\n }\n}\n `) as unknown as TypedDocumentString<ValidatePcn874ReportsQuery, ValidatePcn874ReportsQueryVariables>;\nexport const VatMonthlyReportDocument = new TypedDocumentString(`\n query VatMonthlyReport($filters: VatReportFilter) {\n vatReport(filters: $filters) {\n ...VatReportSummaryFields\n ...VatReportIncomeFields\n ...VatReportExpensesFields\n ...VatReportMissingInfoFields\n ...VatReportMiscTableFields\n ...VatReportBusinessTripsFields\n }\n}\n fragment ChargesTableAccountantApprovalFields on Charge {\n id\n accountantApproval\n}\nfragment ChargesTableAmountFields on Charge {\n __typename\n id\n totalAmount {\n raw\n formatted\n }\n ... on CreditcardBankCharge @defer {\n validCreditCardAmount\n }\n}\nfragment ChargesTableBusinessTripFields on Charge {\n id\n ... on BusinessTripCharge {\n businessTrip {\n id\n name\n }\n }\n}\nfragment ChargesTableEntityFields on Charge {\n __typename\n id\n counterparty {\n name\n id\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableDateFields on Charge {\n id\n minEventDate\n minDebitDate\n minDocumentsDate\n}\nfragment ChargesTableDescriptionFields on Charge {\n id\n userDescription\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n missingInfoSuggestions {\n description\n }\n }\n}\nfragment ChargesTableMoreInfoFields on Charge {\n __typename\n id\n metadata {\n transactionsCount\n documentsCount\n ledgerCount\n miscExpensesCount\n ... on ChargeMetadata @defer {\n invalidLedger\n }\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTagsFields on Charge {\n id\n tags {\n id\n name\n namePath\n }\n ... on Charge @defer {\n validationData {\n ... on ValidationData {\n missingInfo\n }\n }\n missingInfoSuggestions {\n ... on ChargeSuggestions {\n tags {\n id\n name\n namePath\n }\n }\n }\n }\n}\nfragment ChargesTableTaxCategoryFields on Charge {\n __typename\n id\n taxCategory {\n id\n name\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTypeFields on Charge {\n __typename\n id\n}\nfragment ChargesTableVatFields on Charge {\n __typename\n id\n vat {\n raw\n formatted\n }\n totalAmount {\n raw\n currency\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableRowFields on Charge {\n id\n __typename\n metadata {\n ... on ChargeMetadata @defer {\n documentsCount\n ledgerCount\n transactionsCount\n miscExpensesCount\n }\n }\n totalAmount {\n raw\n }\n ...ChargesTableAccountantApprovalFields\n ...ChargesTableAmountFields\n ...ChargesTableBusinessTripFields @defer\n ...ChargesTableDateFields\n ...ChargesTableDescriptionFields\n ...ChargesTableEntityFields @defer\n ...ChargesTableMoreInfoFields\n ...ChargesTableTagsFields @defer\n ...ChargesTableTaxCategoryFields @defer\n ...ChargesTableTypeFields\n ...ChargesTableVatFields\n}\nfragment ChargesTableFields on Charge {\n id\n owner {\n id\n }\n ...ChargesTableRowFields\n}\nfragment VatReportBusinessTripsFields on VatReportResult {\n businessTrips {\n id\n ...ChargesTableFields\n }\n}\nfragment VatReportAccountantApprovalFields on VatReportRecord {\n chargeId\n chargeAccountantStatus\n}\nfragment VatReportExpensesRowFields on VatReportRecord {\n ...VatReportAccountantApprovalFields\n business {\n id\n name\n }\n vatNumber\n image\n allocationNumber\n documentSerial\n documentDate\n chargeDate\n chargeId\n amount {\n formatted\n raw\n }\n localAmount {\n formatted\n raw\n }\n localVat {\n formatted\n raw\n }\n foreignVatAfterDeduction {\n formatted\n raw\n }\n localVatAfterDeduction {\n formatted\n raw\n }\n roundedLocalVatAfterDeduction {\n formatted\n raw\n }\n taxReducedLocalAmount {\n formatted\n raw\n }\n recordType\n}\nfragment VatReportExpensesFields on VatReportResult {\n expenses {\n ...VatReportExpensesRowFields\n roundedLocalVatAfterDeduction {\n raw\n }\n taxReducedLocalAmount {\n raw\n }\n recordType\n }\n}\nfragment VatReportIncomeRowFields on VatReportRecord {\n ...VatReportAccountantApprovalFields\n chargeId\n business {\n id\n name\n }\n vatNumber\n image\n allocationNumber\n documentSerial\n documentDate\n chargeDate\n taxReducedForeignAmount {\n formatted\n raw\n }\n taxReducedLocalAmount {\n formatted\n raw\n }\n recordType\n}\nfragment VatReportIncomeFields on VatReportResult {\n income {\n ...VatReportIncomeRowFields\n taxReducedLocalAmount {\n raw\n }\n recordType\n }\n}\nfragment VatReportMiscTableFields on VatReportResult {\n differentMonthDoc {\n id\n ...ChargesTableFields\n }\n}\nfragment VatReportMissingInfoFields on VatReportResult {\n missingInfo {\n id\n ...ChargesTableFields\n }\n}\nfragment VatReportSummaryFields on VatReportResult {\n expenses {\n roundedLocalVatAfterDeduction {\n raw\n }\n taxReducedLocalAmount {\n raw\n }\n recordType\n isProperty\n }\n income {\n roundedLocalVatAfterDeduction {\n raw\n }\n taxReducedLocalAmount {\n raw\n }\n recordType\n }\n}`) as unknown as TypedDocumentString<VatMonthlyReportQuery, VatMonthlyReportQueryVariables>;\nexport const GeneratePcnDocument = new TypedDocumentString(`\n query GeneratePCN($monthDate: TimelessDate!, $financialEntityId: UUID!) {\n pcnFile(monthDate: $monthDate, financialEntityId: $financialEntityId) {\n reportContent\n fileName\n }\n}\n `) as unknown as TypedDocumentString<GeneratePcnQuery, GeneratePcnQueryVariables>;\nexport const YearlyLedgerDocument = new TypedDocumentString(`\n query YearlyLedger($year: Int!) {\n yearlyLedgerReport(year: $year) {\n id\n year\n financialEntitiesInfo {\n entity {\n id\n name\n sortCode {\n id\n key\n }\n }\n openingBalance {\n raw\n }\n totalCredit {\n raw\n }\n totalDebit {\n raw\n }\n closingBalance {\n raw\n }\n records {\n id\n amount {\n raw\n formatted\n }\n invoiceDate\n valueDate\n description\n reference\n counterParty {\n id\n name\n }\n balance\n }\n }\n ...LedgerCsvFields\n }\n}\n fragment LedgerCsvFields on YearlyLedgerReport {\n id\n year\n financialEntitiesInfo {\n entity {\n id\n name\n sortCode {\n id\n key\n }\n }\n openingBalance {\n raw\n }\n totalCredit {\n raw\n }\n totalDebit {\n raw\n }\n closingBalance {\n raw\n }\n records {\n id\n amount {\n raw\n formatted\n }\n invoiceDate\n valueDate\n description\n reference\n counterParty {\n id\n name\n }\n balance\n }\n }\n}`) as unknown as TypedDocumentString<YearlyLedgerQuery, YearlyLedgerQueryVariables>;\nexport const SalaryScreenRecordsDocument = new TypedDocumentString(`\n query SalaryScreenRecords($fromDate: TimelessDate!, $toDate: TimelessDate!, $employeeIDs: [UUID!]) {\n salaryRecordsByDates(\n fromDate: $fromDate\n toDate: $toDate\n employeeIDs: $employeeIDs\n ) {\n month\n employee {\n id\n }\n ...SalariesTableFields\n }\n}\n fragment SalariesRecordEmployeeFields on Salary {\n month\n employee {\n id\n name\n }\n}\nfragment SalariesRecordFundsFields on Salary {\n month\n employee {\n id\n }\n pensionFund {\n id\n name\n }\n pensionEmployeeAmount {\n formatted\n raw\n }\n pensionEmployeePercentage\n pensionEmployerAmount {\n formatted\n raw\n }\n pensionEmployerPercentage\n compensationsAmount {\n formatted\n raw\n }\n compensationsPercentage\n trainingFund {\n id\n name\n }\n trainingFundEmployeeAmount {\n formatted\n raw\n }\n trainingFundEmployeePercentage\n trainingFundEmployerAmount {\n formatted\n raw\n }\n trainingFundEmployerPercentage\n}\nfragment SalariesRecordInsurancesAndTaxesFields on Salary {\n month\n employee {\n id\n }\n healthInsuranceAmount {\n formatted\n raw\n }\n socialSecurityEmployeeAmount {\n formatted\n raw\n }\n socialSecurityEmployerAmount {\n formatted\n raw\n }\n incomeTaxAmount {\n formatted\n raw\n }\n notionalExpense {\n formatted\n raw\n }\n}\nfragment SalariesRecordMainSalaryFields on Salary {\n month\n employee {\n id\n }\n baseAmount {\n formatted\n }\n directAmount {\n formatted\n }\n globalAdditionalHoursAmount {\n formatted\n }\n bonus {\n formatted\n raw\n }\n gift {\n formatted\n raw\n }\n recovery {\n formatted\n raw\n }\n vacationTakeout {\n formatted\n raw\n }\n}\nfragment SalariesRecordWorkFrameFields on Salary {\n month\n employee {\n id\n }\n vacationDays {\n added\n taken\n balance\n }\n workDays\n sicknessDays {\n balance\n }\n}\nfragment SalariesMonthFields on Salary {\n month\n employee {\n id\n }\n ...SalariesRecordFields\n}\nfragment SalariesTableFields on Salary {\n month\n employee {\n id\n }\n ...SalariesMonthFields\n}\nfragment SalariesRecordFields on Salary {\n month\n employee {\n id\n }\n ...SalariesRecordEmployeeFields\n ...SalariesRecordMainSalaryFields\n ...SalariesRecordFundsFields\n ...SalariesRecordInsurancesAndTaxesFields\n ...SalariesRecordWorkFrameFields\n}`) as unknown as TypedDocumentString<SalaryScreenRecordsQuery, SalaryScreenRecordsQueryVariables>;\nexport const AllDepositsDocument = new TypedDocumentString(`\n query AllDeposits {\n allDeposits {\n id\n currency\n openDate\n closeDate\n isOpen\n currencyError\n currentBalance {\n raw\n formatted\n }\n totalDeposit {\n raw\n formatted\n }\n totalInterest {\n raw\n formatted\n }\n }\n}\n `) as unknown as TypedDocumentString<AllDepositsQuery, AllDepositsQueryVariables>;\nexport const BusinessScreenDocument = new TypedDocumentString(`\n query BusinessScreen($businessId: UUID!) {\n business(id: $businessId) {\n id\n ...BusinessPage\n }\n}\n fragment BusinessAdminSection on Business {\n id\n ... on LtdFinancialEntity {\n adminInfo {\n id\n registrationDate\n withholdingTaxAnnualIds {\n id\n year\n }\n withholdingTaxCompanyId\n socialSecurityEmployerIds {\n id\n year\n }\n socialSecurityDeductionsId\n taxAdvancesAnnualIds {\n id\n year\n }\n taxAdvancesRates {\n date\n rate\n }\n }\n }\n}\nfragment BusinessHeader on Business {\n __typename\n id\n name\n createdAt\n isActive\n ... on LtdFinancialEntity {\n governmentId\n adminInfo {\n id\n }\n clientInfo {\n id\n }\n }\n}\nfragment ClientIntegrationsSection on LtdFinancialEntity {\n id\n clientInfo {\n id\n integrations {\n id\n greenInvoiceInfo {\n businessId\n greenInvoiceId\n }\n hiveId\n linearId\n slackChannelKey\n notionId\n workflowyUrl\n }\n }\n}\nfragment BusinessConfigurationSection on Business {\n __typename\n id\n pcn874RecordType\n irsCode\n isActive\n ... on LtdFinancialEntity {\n optionalVAT\n exemptDealer\n isReceiptEnough\n isDocumentsOptional\n sortCode {\n id\n key\n defaultIrsCode\n }\n taxCategory {\n id\n }\n suggestions {\n phrases\n emails\n tags {\n id\n }\n description\n emailListener {\n internalEmailLinks\n emailBody\n attachments\n }\n }\n clientInfo {\n id\n }\n }\n}\nfragment BusinessContactSection on Business {\n __typename\n id\n ... on LtdFinancialEntity {\n name\n hebrewName\n country {\n id\n code\n }\n governmentId\n address\n city\n zipCode\n email\n phoneNumber\n website\n clientInfo {\n id\n emails\n }\n }\n}\nfragment BusinessPage on Business {\n id\n ... on LtdFinancialEntity {\n clientInfo {\n id\n }\n adminInfo {\n id\n }\n }\n ...ClientIntegrationsSection\n ...BusinessHeader\n ...BusinessContactSection\n ...BusinessConfigurationSection\n ...BusinessAdminSection\n}`) as unknown as TypedDocumentString<BusinessScreenQuery, BusinessScreenQueryVariables>;\nexport const ContractsScreenDocument = new TypedDocumentString(`\n query ContractsScreen($adminId: UUID!) {\n contractsByAdmin(adminId: $adminId) {\n id\n ...ContractForContractsTableFields\n }\n}\n fragment ContractForContractsTableFields on Contract {\n id\n isActive\n client {\n id\n originalBusiness {\n id\n name\n }\n }\n purchaseOrders\n startDate\n endDate\n amount {\n raw\n formatted\n }\n billingCycle\n product\n plan\n operationsLimit\n msCloud\n}`) as unknown as TypedDocumentString<ContractsScreenQuery, ContractsScreenQueryVariables>;\nexport const AllChargesDocument = new TypedDocumentString(`\n query AllCharges($page: Int, $limit: Int, $filters: ChargeFilter) {\n allCharges(page: $page, limit: $limit, filters: $filters) {\n nodes {\n id\n ...ChargesTableFields\n }\n pageInfo {\n totalPages\n }\n }\n}\n fragment ChargesTableAccountantApprovalFields on Charge {\n id\n accountantApproval\n}\nfragment ChargesTableAmountFields on Charge {\n __typename\n id\n totalAmount {\n raw\n formatted\n }\n ... on CreditcardBankCharge @defer {\n validCreditCardAmount\n }\n}\nfragment ChargesTableBusinessTripFields on Charge {\n id\n ... on BusinessTripCharge {\n businessTrip {\n id\n name\n }\n }\n}\nfragment ChargesTableEntityFields on Charge {\n __typename\n id\n counterparty {\n name\n id\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableDateFields on Charge {\n id\n minEventDate\n minDebitDate\n minDocumentsDate\n}\nfragment ChargesTableDescriptionFields on Charge {\n id\n userDescription\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n missingInfoSuggestions {\n description\n }\n }\n}\nfragment ChargesTableMoreInfoFields on Charge {\n __typename\n id\n metadata {\n transactionsCount\n documentsCount\n ledgerCount\n miscExpensesCount\n ... on ChargeMetadata @defer {\n invalidLedger\n }\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTagsFields on Charge {\n id\n tags {\n id\n name\n namePath\n }\n ... on Charge @defer {\n validationData {\n ... on ValidationData {\n missingInfo\n }\n }\n missingInfoSuggestions {\n ... on ChargeSuggestions {\n tags {\n id\n name\n namePath\n }\n }\n }\n }\n}\nfragment ChargesTableTaxCategoryFields on Charge {\n __typename\n id\n taxCategory {\n id\n name\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTypeFields on Charge {\n __typename\n id\n}\nfragment ChargesTableVatFields on Charge {\n __typename\n id\n vat {\n raw\n formatted\n }\n totalAmount {\n raw\n currency\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableRowFields on Charge {\n id\n __typename\n metadata {\n ... on ChargeMetadata @defer {\n documentsCount\n ledgerCount\n transactionsCount\n miscExpensesCount\n }\n }\n totalAmount {\n raw\n }\n ...ChargesTableAccountantApprovalFields\n ...ChargesTableAmountFields\n ...ChargesTableBusinessTripFields @defer\n ...ChargesTableDateFields\n ...ChargesTableDescriptionFields\n ...ChargesTableEntityFields @defer\n ...ChargesTableMoreInfoFields\n ...ChargesTableTagsFields @defer\n ...ChargesTableTaxCategoryFields @defer\n ...ChargesTableTypeFields\n ...ChargesTableVatFields\n}\nfragment ChargesTableFields on Charge {\n id\n owner {\n id\n }\n ...ChargesTableRowFields\n}`) as unknown as TypedDocumentString<AllChargesQuery, AllChargesQueryVariables>;\nexport const ChargeScreenDocument = new TypedDocumentString(`\n query ChargeScreen($chargeId: UUID!) {\n charge(chargeId: $chargeId) {\n id\n ...ChargesTableFields\n }\n}\n fragment ChargesTableAccountantApprovalFields on Charge {\n id\n accountantApproval\n}\nfragment ChargesTableAmountFields on Charge {\n __typename\n id\n totalAmount {\n raw\n formatted\n }\n ... on CreditcardBankCharge @defer {\n validCreditCardAmount\n }\n}\nfragment ChargesTableBusinessTripFields on Charge {\n id\n ... on BusinessTripCharge {\n businessTrip {\n id\n name\n }\n }\n}\nfragment ChargesTableEntityFields on Charge {\n __typename\n id\n counterparty {\n name\n id\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableDateFields on Charge {\n id\n minEventDate\n minDebitDate\n minDocumentsDate\n}\nfragment ChargesTableDescriptionFields on Charge {\n id\n userDescription\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n missingInfoSuggestions {\n description\n }\n }\n}\nfragment ChargesTableMoreInfoFields on Charge {\n __typename\n id\n metadata {\n transactionsCount\n documentsCount\n ledgerCount\n miscExpensesCount\n ... on ChargeMetadata @defer {\n invalidLedger\n }\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTagsFields on Charge {\n id\n tags {\n id\n name\n namePath\n }\n ... on Charge @defer {\n validationData {\n ... on ValidationData {\n missingInfo\n }\n }\n missingInfoSuggestions {\n ... on ChargeSuggestions {\n tags {\n id\n name\n namePath\n }\n }\n }\n }\n}\nfragment ChargesTableTaxCategoryFields on Charge {\n __typename\n id\n taxCategory {\n id\n name\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTypeFields on Charge {\n __typename\n id\n}\nfragment ChargesTableVatFields on Charge {\n __typename\n id\n vat {\n raw\n formatted\n }\n totalAmount {\n raw\n currency\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableRowFields on Charge {\n id\n __typename\n metadata {\n ... on ChargeMetadata @defer {\n documentsCount\n ledgerCount\n transactionsCount\n miscExpensesCount\n }\n }\n totalAmount {\n raw\n }\n ...ChargesTableAccountantApprovalFields\n ...ChargesTableAmountFields\n ...ChargesTableBusinessTripFields @defer\n ...ChargesTableDateFields\n ...ChargesTableDescriptionFields\n ...ChargesTableEntityFields @defer\n ...ChargesTableMoreInfoFields\n ...ChargesTableTagsFields @defer\n ...ChargesTableTaxCategoryFields @defer\n ...ChargesTableTypeFields\n ...ChargesTableVatFields\n}\nfragment ChargesTableFields on Charge {\n id\n owner {\n id\n }\n ...ChargesTableRowFields\n}`) as unknown as TypedDocumentString<ChargeScreenQuery, ChargeScreenQueryVariables>;\nexport const MissingInfoChargesDocument = new TypedDocumentString(`\n query MissingInfoCharges($page: Int, $limit: Int) {\n chargesWithMissingRequiredInfo(page: $page, limit: $limit) {\n nodes {\n id\n ...ChargesTableFields\n }\n pageInfo {\n totalPages\n }\n }\n}\n fragment ChargesTableAccountantApprovalFields on Charge {\n id\n accountantApproval\n}\nfragment ChargesTableAmountFields on Charge {\n __typename\n id\n totalAmount {\n raw\n formatted\n }\n ... on CreditcardBankCharge @defer {\n validCreditCardAmount\n }\n}\nfragment ChargesTableBusinessTripFields on Charge {\n id\n ... on BusinessTripCharge {\n businessTrip {\n id\n name\n }\n }\n}\nfragment ChargesTableEntityFields on Charge {\n __typename\n id\n counterparty {\n name\n id\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableDateFields on Charge {\n id\n minEventDate\n minDebitDate\n minDocumentsDate\n}\nfragment ChargesTableDescriptionFields on Charge {\n id\n userDescription\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n missingInfoSuggestions {\n description\n }\n }\n}\nfragment ChargesTableMoreInfoFields on Charge {\n __typename\n id\n metadata {\n transactionsCount\n documentsCount\n ledgerCount\n miscExpensesCount\n ... on ChargeMetadata @defer {\n invalidLedger\n }\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTagsFields on Charge {\n id\n tags {\n id\n name\n namePath\n }\n ... on Charge @defer {\n validationData {\n ... on ValidationData {\n missingInfo\n }\n }\n missingInfoSuggestions {\n ... on ChargeSuggestions {\n tags {\n id\n name\n namePath\n }\n }\n }\n }\n}\nfragment ChargesTableTaxCategoryFields on Charge {\n __typename\n id\n taxCategory {\n id\n name\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableTypeFields on Charge {\n __typename\n id\n}\nfragment ChargesTableVatFields on Charge {\n __typename\n id\n vat {\n raw\n formatted\n }\n totalAmount {\n raw\n currency\n }\n ... on Charge @defer {\n validationData {\n missingInfo\n }\n }\n}\nfragment ChargesTableRowFields on Charge {\n id\n __typename\n metadata {\n ... on ChargeMetadata @defer {\n documentsCount\n ledgerCount\n transactionsCount\n miscExpensesCount\n }\n }\n totalAmount {\n raw\n }\n ...ChargesTableAccountantApprovalFields\n ...ChargesTableAmountFields\n ...ChargesTableBusinessTripFields @defer\n ...ChargesTableDateFields\n ...ChargesTableDescriptionFields\n ...ChargesTableEntityFields @defer\n ...ChargesTableMoreInfoFields\n ...ChargesTableTagsFields @defer\n ...ChargesTableTaxCategoryFields @defer\n ...ChargesTableTypeFields\n ...ChargesTableVatFields\n}\nfragment ChargesTableFields on Charge {\n id\n owner {\n id\n }\n ...ChargesTableRowFields\n}`) as unknown as TypedDocumentString<MissingInfoChargesQuery, MissingInfoChargesQueryVariables>;\nexport const DocumentsScreenDocument = new TypedDocumentString(`\n query DocumentsScreen($filters: DocumentsFilters!) {\n documentsByFilters(filters: $filters) {\n id\n image\n file\n charge {\n id\n userDescription\n __typename\n vat {\n formatted\n __typename\n }\n transactions {\n id\n eventDate\n sourceDescription\n effectiveDate\n amount {\n formatted\n __typename\n }\n }\n }\n __typename\n ... on FinancialDocument {\n creditor {\n id\n name\n }\n debtor {\n id\n name\n }\n vat {\n raw\n formatted\n currency\n }\n serialNumber\n date\n amount {\n raw\n formatted\n currency\n }\n }\n }\n}\n `) as unknown as TypedDocumentString<DocumentsScreenQuery, DocumentsScreenQueryVariables>;\nexport const MonthlyDocumentDraftByClientDocument = new TypedDocumentString(`\n query MonthlyDocumentDraftByClient($clientId: UUID!, $issueMonth: TimelessDate!) {\n clientMonthlyChargeDraft(clientId: $clientId, issueMonth: $issueMonth) {\n ...NewDocumentDraft\n }\n}\n fragment IssueDocumentClientFields on Client {\n id\n originalBusiness {\n id\n address\n city\n zipCode\n country {\n id\n code\n }\n governmentId\n name\n phoneNumber\n }\n emails\n}\nfragment NewDocumentDraft on DocumentDraft {\n description\n remarks\n footer\n type\n date\n dueDate\n language\n currency\n vatType\n discount {\n amount\n type\n }\n rounding\n signed\n maxPayments\n client {\n id\n originalBusiness {\n id\n name\n }\n integrations {\n id\n }\n emails\n ...IssueDocumentClientFields\n }\n income {\n currency\n currencyRate\n description\n itemId\n price\n quantity\n vatRate\n vatType\n }\n payment {\n currency\n currencyRate\n date\n price\n type\n bankName\n bankBranch\n bankAccount\n chequeNum\n accountId\n transactionId\n cardType\n cardNum\n numPayments\n firstPayment\n }\n linkedDocumentIds\n linkedPaymentId\n}`) as unknown as TypedDocumentString<MonthlyDocumentDraftByClientQuery, MonthlyDocumentDraftByClientQueryVariables>;\nexport const MonthlyDocumentsDraftsDocument = new TypedDocumentString(`\n query MonthlyDocumentsDrafts($issueMonth: TimelessDate!) {\n periodicalDocumentDrafts(issueMonth: $issueMonth) {\n ...NewDocumentDraft\n }\n}\n fragment IssueDocumentClientFields on Client {\n id\n originalBusiness {\n id\n address\n city\n zipCode\n country {\n id\n code\n }\n governmentId\n name\n phoneNumber\n }\n emails\n}\nfragment NewDocumentDraft on DocumentDraft {\n description\n remarks\n footer\n type\n date\n dueDate\n language\n currency\n vatType\n discount {\n amount\n type\n }\n rounding\n signed\n maxPayments\n client {\n id\n originalBusiness {\n id\n name\n }\n integrations {\n id\n }\n emails\n ...IssueDocumentClientFields\n }\n income {\n currency\n currencyRate\n description\n itemId\n price\n quantity\n vatRate\n vatType\n }\n payment {\n currency\n currencyRate\n date\n price\n type\n bankName\n bankBranch\n bankAccount\n chequeNum\n accountId\n transactionId\n cardType\n cardNum\n numPayments\n firstPayment\n }\n linkedDocumentIds\n linkedPaymentId\n}`) as unknown as TypedDocumentString<MonthlyDocumentsDraftsQuery, MonthlyDocumentsDraftsQueryVariables>;\nexport const AllOpenContractsDocument = new TypedDocumentString(`\n query AllOpenContracts {\n allOpenContracts {\n id\n client {\n id\n originalBusiness {\n id\n name\n }\n }\n billingCycle\n }\n}\n `) as unknown as TypedDocumentString<AllOpenContractsQuery, AllOpenContractsQueryVariables>;\nexport const AccountantApprovalStatusDocument = new TypedDocumentString(`\n query AccountantApprovalStatus($fromDate: TimelessDate!, $toDate: TimelessDate!) {\n accountantApprovalStatus(from: $fromDate, to: $toDate) {\n totalCharges\n approvedCount\n pendingCount\n unapprovedCount\n }\n}\n `) as unknown as TypedDocumentString<AccountantApprovalStatusQuery, AccountantApprovalStatusQueryVariables>;\nexport const LedgerValidationStatusDocument = new TypedDocumentString(`\n query LedgerValidationStatus($limit: Int, $filters: ChargeFilter) {\n chargesWithLedgerChanges(limit: $limit, filters: $filters) {\n charge {\n id\n }\n }\n}\n `) as unknown as TypedDocumentString<LedgerValidationStatusQuery, LedgerValidationStatusQueryVariables>;\nexport const AdminLedgerLockDateDocument = new TypedDocumentString(`\n query AdminLedgerLockDate($ownerId: UUID) {\n adminContext(ownerId: $ownerId) {\n id\n ledgerLock\n }\n}\n `) as unknown as TypedDocumentString<AdminLedgerLockDateQuery, AdminLedgerLockDateQueryVariables>;\nexport const AnnualRevenueReportScreenDocument = new TypedDocumentString(`\n query AnnualRevenueReportScreen($filters: AnnualRevenueReportFilter!) {\n annualRevenueReport(filters: $filters) {\n id\n year\n countries {\n id\n name\n revenueLocal {\n raw\n currency\n }\n revenueDefaultForeign {\n raw\n currency\n }\n clients {\n id\n name\n revenueLocal {\n raw\n }\n revenueDefaultForeign {\n raw\n }\n records {\n id\n date\n description\n reference\n chargeId\n revenueLocal {\n raw\n }\n revenueDefaultForeign {\n raw\n }\n }\n }\n ...AnnualRevenueReportCountry\n }\n }\n}\n fragment AnnualRevenueReportClient on AnnualRevenueReportCountryClient {\n id\n name\n revenueLocal {\n raw\n formatted\n currency\n }\n revenueDefaultForeign {\n raw\n formatted\n currency\n }\n records {\n id\n date\n ...AnnualRevenueReportRecord\n }\n}\nfragment AnnualRevenueReportCountry on AnnualRevenueReportCountry {\n id\n code\n name\n revenueLocal {\n raw\n formatted\n currency\n }\n revenueDefaultForeign {\n raw\n formatted\n currency\n }\n clients {\n id\n revenueDefaultForeign {\n raw\n }\n ...AnnualRevenueReportClient\n }\n}\nfragment AnnualRevenueReportRecord on AnnualRevenueReportClientRecord {\n id\n revenueLocal {\n raw\n formatted\n currency\n }\n revenueDefaultForeign {\n raw\n formatted\n currency\n }\n revenueOriginal {\n raw\n formatted\n currency\n }\n chargeId\n date\n description\n reference\n}`) as unknown as TypedDocumentString<AnnualRevenueReportScreenQuery, AnnualRevenueReportScreenQueryVariables>;\nexport const BalanceReportExtendedTransactionsDocument = new TypedDocumentString(`\n query BalanceReportExtendedTransactions($transactionIDs: [UUID!]!) {\n transactionsByIDs(transactionIDs: $transactionIDs) {\n id\n ...TransactionForTransactionsTableFields\n ...TransactionToDownloadForTransactionsTableFields\n }\n}\n fragment TransactionForTransactionsTableFields on Transaction {\n id\n chargeId\n eventDate\n effectiveDate\n sourceEffectiveDate\n amount {\n raw\n formatted\n }\n cryptoExchangeRate {\n rate\n }\n account {\n id\n name\n type\n }\n sourceDescription\n referenceKey\n counterparty {\n name\n id\n }\n missingInfoSuggestions {\n business {\n id\n name\n }\n }\n}\nfragment TransactionToDownloadForTransactionsTableFields on Transaction {\n id\n account {\n id\n name\n type\n }\n amount {\n currency\n raw\n }\n counterparty {\n id\n name\n }\n effectiveDate\n eventDate\n referenceKey\n sourceDescription\n}`) as unknown as TypedDocumentString<BalanceReportExtendedTransactionsQuery, BalanceReportExtendedTransactionsQueryVariables>;\nexport const BalanceReportScreenDocument = new TypedDocumentString(`\n query BalanceReportScreen($fromDate: TimelessDate!, $toDate: TimelessDate!, $ownerId: UUID) {\n transactionsForBalanceReport(\n fromDate: $fromDate\n toDate: $toDate\n ownerId: $ownerId\n ) {\n id\n amountUsd {\n formatted\n raw\n }\n amount {\n currency\n raw\n }\n date\n month\n year\n counterparty {\n id\n }\n account {\n id\n name\n }\n isFee\n description\n charge {\n id\n tags {\n id\n name\n }\n }\n }\n}\n `) as unknown as TypedDocumentString<BalanceReportScreenQuery, BalanceReportScreenQueryVariables>;\nexport const DepreciationReportScreenDocument = new TypedDocumentString(`\n query DepreciationReportScreen($filters: DepreciationReportFilter!) {\n depreciationReport(filters: $filters) {\n id\n year\n categories {\n id\n category {\n id\n name\n percentage\n }\n records {\n id\n chargeId\n description\n purchaseDate\n activationDate\n statutoryDepreciationRate\n claimedDepreciationRate\n ...DepreciationReportRecordCore\n }\n summary {\n id\n ...DepreciationReportRecordCore\n }\n }\n summary {\n id\n ...DepreciationReportRecordCore\n }\n }\n}\n fragment DepreciationReportRecordCore on DepreciationCoreRecord {\n id\n originalCost\n reportYearDelta\n totalDepreciableCosts\n reportYearClaimedDepreciation\n pastYearsAccumulatedDepreciation\n totalDepreciation\n netValue\n}`) as unknown as TypedDocumentString<DepreciationReportScreenQuery, DepreciationReportScreenQueryVariables>;\nexport const Shaam6111ReportScreenDocument = new TypedDocumentString(`\n query Shaam6111ReportScreen($year: Int!, $businessId: UUID) {\n shaam6111(year: $year, businessId: $businessId) {\n id\n year\n data {\n id\n ...Shaam6111DataContent\n }\n business {\n id\n ...Shaam6111DataContentHeaderBusiness\n }\n }\n}\n fragment Shaam6111DataContentBalanceSheet on Shaam6111Data {\n id\n balanceSheet {\n code\n amount\n label\n }\n}\nfragment Shaam6111DataContentHeader on Shaam6111Data {\n id\n header {\n taxYear\n businessDescription\n taxFileNumber\n idNumber\n vatFileNumber\n withholdingTaxFileNumber\n businessType\n reportingMethod\n currencyType\n amountsInThousands\n accountingMethod\n accountingSystem\n softwareRegistrationNumber\n isPartnership\n partnershipCount\n partnershipProfitShare\n ifrsImplementationYear\n ifrsReportingOption\n includesProfitLoss\n includesTaxAdjustment\n includesBalanceSheet\n industryCode\n auditOpinionType\n }\n}\nfragment Shaam6111DataContentHeaderBusiness on Business {\n id\n name\n}\nfragment Shaam6111DataContentProfitLoss on Shaam6111Data {\n id\n profitAndLoss {\n code\n amount\n label\n }\n}\nfragment Shaam6111DataContent on Shaam6111Data {\n id\n ...Shaam6111DataContentHeader\n ...Shaam6111DataContentProfitLoss\n ...Shaam6111DataContentTaxAdjustment\n ...Shaam6111DataContentBalanceSheet\n}\nfragment Shaam6111DataContentTaxAdjustment on Shaam6111Data {\n id\n taxAdjustment {\n code\n amount\n label\n }\n}`) as unknown as TypedDocumentString<Shaam6111ReportScreenQuery, Shaam6111ReportScreenQueryVariables>;\nexport const AllSortCodesForScreenDocument = new TypedDocumentString(`\n query AllSortCodesForScreen {\n allSortCodes {\n id\n key\n name\n defaultIrsCode\n }\n}\n `) as unknown as TypedDocumentString<AllSortCodesForScreenQuery, AllSortCodesForScreenQueryVariables>;\nexport const AllTagsScreenDocument = new TypedDocumentString(`\n query AllTagsScreen {\n allTags {\n id\n name\n namePath\n parent {\n id\n }\n ...EditTagFields\n }\n}\n fragment EditTagFields on Tag {\n id\n name\n parent {\n id\n name\n }\n}`) as unknown as TypedDocumentString<AllTagsScreenQuery, AllTagsScreenQueryVariables>;\nexport const AllTaxCategoriesForScreenDocument = new TypedDocumentString(`\n query AllTaxCategoriesForScreen {\n taxCategories {\n id\n name\n sortCode {\n id\n key\n name\n }\n }\n}\n `) as unknown as TypedDocumentString<AllTaxCategoriesForScreenQuery, AllTaxCategoriesForScreenQueryVariables>;\nexport const AcceptInvitationDocument = new TypedDocumentString(`\n mutation AcceptInvitation($token: String!) {\n acceptInvitation(token: $token) {\n success\n businessId\n roleId\n }\n}\n `) as unknown as TypedDocumentString<AcceptInvitationMutation, AcceptInvitationMutationVariables>;\nexport const AddBusinessTripAccommodationsExpenseDocument = new TypedDocumentString(`\n mutation AddBusinessTripAccommodationsExpense($fields: AddBusinessTripAccommodationsExpenseInput!) {\n addBusinessTripAccommodationsExpense(fields: $fields)\n}\n `) as unknown as TypedDocumentString<AddBusinessTripAccommodationsExpenseMutation, AddBusinessTripAccommodationsExpenseMutationVariables>;\nexport const AddBusinessTripCarRentalExpenseDocument = new TypedDocumentString(`\n mutation AddBusinessTripCarRentalExpense($fields: AddBusinessTripCarRentalExpenseInput!) {\n addBusinessTripCarRentalExpense(fields: $fields)\n}\n `) as unknown as TypedDocumentString<AddBusinessTripCarRentalExpenseMutation, AddBusinessTripCarRentalExpenseMutationVariables>;\nexport const AddBusinessTripFlightsExpenseDocument = new TypedDocumentString(`\n mutation AddBusinessTripFlightsExpense($fields: AddBusinessTripFlightsExpenseInput!) {\n addBusinessTripFlightsExpense(fields: $fields)\n}\n `) as unknown as TypedDocumentString<AddBusinessTripFlightsExpenseMutation, AddBusinessTripFlightsExpenseMutationVariables>;\nexport const AddBusinessTripOtherExpenseDocument = new TypedDocumentString(`\n mutation AddBusinessTripOtherExpense($fields: AddBusinessTripOtherExpenseInput!) {\n addBusinessTripOtherExpense(fields: $fields)\n}\n `) as unknown as TypedDocumentString<AddBusinessTripOtherExpenseMutation, AddBusinessTripOtherExpenseMutationVariables>;\nexport const AddBusinessTripTravelAndSubsistenceExpenseDocument = new TypedDocumentString(`\n mutation AddBusinessTripTravelAndSubsistenceExpense($fields: AddBusinessTripTravelAndSubsistenceExpenseInput!) {\n addBusinessTripTravelAndSubsistenceExpense(fields: $fields)\n}\n `) as unknown as TypedDocumentString<AddBusinessTripTravelAndSubsistenceExpenseMutation, AddBusinessTripTravelAndSubsistenceExpenseMutationVariables>;\nexport const AddDepreciationRecordDocument = new TypedDocumentString(`\n mutation AddDepreciationRecord($fields: InsertDepreciationRecordInput!) {\n insertDepreciationRecord(input: $fields) {\n __typename\n ... on CommonError {\n message\n }\n ... on DepreciationRecord {\n id\n }\n }\n}\n `) as unknown as TypedDocumentString<AddDepreciationRecordMutation, AddDepreciationRecordMutationVariables>;\nexport const AddSortCodeDocument = new TypedDocumentString(`\n mutation AddSortCode($key: Int!, $name: String!, $defaultIrsCode: Int) {\n addSortCode(key: $key, name: $name, defaultIrsCode: $defaultIrsCode)\n}\n `) as unknown as TypedDocumentString<AddSortCodeMutation, AddSortCodeMutationVariables>;\nexport const AddTagDocument = new TypedDocumentString(`\n mutation AddTag($tagName: String!, $parentTag: UUID) {\n addTag(name: $tagName, parentId: $parentTag)\n}\n `) as unknown as TypedDocumentString<AddTagMutation, AddTagMutationVariables>;\nexport const AssignChargeToDepositDocument = new TypedDocumentString(`\n mutation AssignChargeToDeposit($chargeId: UUID!, $depositId: String!) {\n assignChargeToDeposit(chargeId: $chargeId, depositId: $depositId) {\n id\n isOpen\n currentBalance {\n formatted\n }\n transactions {\n id\n }\n }\n}\n `) as unknown as TypedDocumentString<AssignChargeToDepositMutation, AssignChargeToDepositMutationVariables>;\nexport const GenerateBalanceChargeDocument = new TypedDocumentString(`\n mutation GenerateBalanceCharge($description: String!, $balanceRecords: [InsertMiscExpenseInput!]!) {\n generateBalanceCharge(\n description: $description\n balanceRecords: $balanceRecords\n ) {\n id\n }\n}\n `) as unknown as TypedDocumentString<GenerateBalanceChargeMutation, GenerateBalanceChargeMutationVariables>;\nexport const BatchUpdateChargesDocument = new TypedDocumentString(`\n mutation BatchUpdateCharges($chargeIds: [UUID!]!, $fields: UpdateChargeInput!) {\n batchUpdateCharges(chargeIds: $chargeIds, fields: $fields) {\n __typename\n ... on BatchUpdateChargesSuccessfulResult {\n charges {\n id\n }\n }\n ... on CommonError {\n message\n }\n }\n}\n `) as unknown as TypedDocumentString<BatchUpdateChargesMutation, BatchUpdateChargesMutationVariables>;\nexport const CategorizeBusinessTripExpenseDocument = new TypedDocumentString(`\n mutation CategorizeBusinessTripExpense($fields: CategorizeBusinessTripExpenseInput!) {\n categorizeBusinessTripExpense(fields: $fields)\n}\n `) as unknown as TypedDocumentString<CategorizeBusinessTripExpenseMutation, CategorizeBusinessTripExpenseMutationVariables>;\nexport const CategorizeIntoExistingBusinessTripExpenseDocument = new TypedDocumentString(`\n mutation CategorizeIntoExistingBusinessTripExpense($fields: CategorizeIntoExistingBusinessTripExpenseInput!) {\n categorizeIntoExistingBusinessTripExpense(fields: $fields)\n}\n `) as unknown as TypedDocumentString<CategorizeIntoExistingBusinessTripExpenseMutation, CategorizeIntoExistingBusinessTripExpenseMutationVariables>;\nexport const CloseDocumentDocument = new TypedDocumentString(`\n mutation CloseDocument($documentId: UUID!) {\n closeDocument(id: $documentId)\n}\n `) as unknown as TypedDocumentString<CloseDocumentMutation, CloseDocumentMutationVariables>;\nexport const FlagForeignFeeTransactionsDocument = new TypedDocumentString(`\n mutation FlagForeignFeeTransactions {\n flagForeignFeeTransactions {\n success\n errors\n }\n}\n `) as unknown as TypedDocumentString<FlagForeignFeeTransactionsMutation, FlagForeignFeeTransactionsMutationVariables>;\nexport const MergeChargesByTransactionReferenceDocument = new TypedDocumentString(`\n mutation MergeChargesByTransactionReference {\n mergeChargesByTransactionReference {\n success\n errors\n }\n}\n `) as unknown as TypedDocumentString<MergeChargesByTransactionReferenceMutation, MergeChargesByTransactionReferenceMutationVariables>;\nexport const CalculateCreditcardTransactionsDebitDateDocument = new TypedDocumentString(`\n mutation CalculateCreditcardTransactionsDebitDate {\n calculateCreditcardTransactionsDebitDate\n}\n `) as unknown as TypedDocumentString<CalculateCreditcardTransactionsDebitDateMutation, CalculateCreditcardTransactionsDebitDateMutationVariables>;\nexport const CreateContractDocument = new TypedDocumentString(`\n mutation CreateContract($input: CreateContractInput!) {\n createContract(input: $input) {\n id\n }\n}\n `) as unknown as TypedDocumentString<CreateContractMutation, CreateContractMutationVariables>;\nexport const CreateDepositDocument = new TypedDocumentString(`\n mutation CreateDeposit($currency: Currency!) {\n createDeposit(currency: $currency) {\n id\n currency\n isOpen\n }\n}\n `) as unknown as TypedDocumentString<CreateDepositMutation, CreateDepositMutationVariables>;\nexport const CreateFinancialAccountDocument = new TypedDocumentString(`\n mutation CreateFinancialAccount($input: CreateFinancialAccountInput!) {\n createFinancialAccount(input: $input) {\n id\n }\n}\n `) as unknown as TypedDocumentString<CreateFinancialAccountMutation, CreateFinancialAccountMutationVariables>;\nexport const CreditShareholdersBusinessTripTravelAndSubsistenceDocument = new TypedDocumentString(`\n mutation CreditShareholdersBusinessTripTravelAndSubsistence($businessTripId: UUID!) {\n creditShareholdersBusinessTripTravelAndSubsistence(\n businessTripId: $businessTripId\n )\n}\n `) as unknown as TypedDocumentString<CreditShareholdersBusinessTripTravelAndSubsistenceMutation, CreditShareholdersBusinessTripTravelAndSubsistenceMutationVariables>;\nexport const DeleteBusinessTripAttendeeDocument = new TypedDocumentString(`\n mutation DeleteBusinessTripAttendee($fields: DeleteBusinessTripAttendeeInput!) {\n deleteBusinessTripAttendee(fields: $fields)\n}\n `) as unknown as TypedDocumentString<DeleteBusinessTripAttendeeMutation, DeleteBusinessTripAttendeeMutationVariables>;\nexport const DeleteBusinessTripExpenseDocument = new TypedDocumentString(`\n mutation DeleteBusinessTripExpense($businessTripExpenseId: UUID!) {\n deleteBusinessTripExpense(businessTripExpenseId: $businessTripExpenseId)\n}\n `) as unknown as TypedDocumentString<DeleteBusinessTripExpenseMutation, DeleteBusinessTripExpenseMutationVariables>;\nexport const DeleteChargeDocument = new TypedDocumentString(`\n mutation DeleteCharge($chargeId: UUID!) {\n deleteCharge(chargeId: $chargeId)\n}\n `) as unknown as TypedDocumentString<DeleteChargeMutation, DeleteChargeMutationVariables>;\nexport const DeleteContractDocument = new TypedDocumentString(`\n mutation DeleteContract($contractId: UUID!) {\n deleteContract(id: $contractId)\n}\n `) as unknown as TypedDocumentString<DeleteContractMutation, DeleteContractMutationVariables>;\nexport const DeleteDepreciationRecordDocument = new TypedDocumentString(`\n mutation DeleteDepreciationRecord($depreciationRecordId: UUID!) {\n deleteDepreciationRecord(depreciationRecordId: $depreciationRecordId)\n}\n `) as unknown as TypedDocumentString<DeleteDepreciationRecordMutation, DeleteDepreciationRecordMutationVariables>;\nexport const DeleteDocumentDocument = new TypedDocumentString(`\n mutation DeleteDocument($documentId: UUID!) {\n deleteDocument(documentId: $documentId)\n}\n `) as unknown as TypedDocumentString<DeleteDocumentMutation, DeleteDocumentMutationVariables>;\nexport const DeleteDynamicReportTemplateDocument = new TypedDocumentString(`\n mutation DeleteDynamicReportTemplate($name: String!) {\n deleteDynamicReportTemplate(name: $name)\n}\n `) as unknown as TypedDocumentString<DeleteDynamicReportTemplateMutation, DeleteDynamicReportTemplateMutationVariables>;\nexport const DeleteMiscExpenseDocument = new TypedDocumentString(`\n mutation DeleteMiscExpense($id: UUID!) {\n deleteMiscExpense(id: $id)\n}\n `) as unknown as TypedDocumentString<DeleteMiscExpenseMutation, DeleteMiscExpenseMutationVariables>;\nexport const DeleteTagDocument = new TypedDocumentString(`\n mutation DeleteTag($tagId: UUID!) {\n deleteTag(id: $tagId)\n}\n `) as unknown as TypedDocumentString<DeleteTagMutation, DeleteTagMutationVariables>;\nexport const GenerateRevaluationChargeDocument = new TypedDocumentString(`\n mutation GenerateRevaluationCharge($ownerId: UUID!, $date: TimelessDate!) {\n generateRevaluationCharge(ownerId: $ownerId, date: $date) {\n id\n }\n}\n `) as unknown as TypedDocumentString<GenerateRevaluationChargeMutation, GenerateRevaluationChargeMutationVariables>;\nexport const GenerateBankDepositsRevaluationChargeDocument = new TypedDocumentString(`\n mutation GenerateBankDepositsRevaluationCharge($ownerId: UUID!, $date: TimelessDate!) {\n generateBankDepositsRevaluationCharge(ownerId: $ownerId, date: $date) {\n id\n }\n}\n `) as unknown as TypedDocumentString<GenerateBankDepositsRevaluationChargeMutation, GenerateBankDepositsRevaluationChargeMutationVariables>;\nexport const GenerateTaxExpensesChargeDocument = new TypedDocumentString(`\n mutation GenerateTaxExpensesCharge($ownerId: UUID!, $date: TimelessDate!) {\n generateTaxExpensesCharge(ownerId: $ownerId, year: $date) {\n id\n }\n}\n `) as unknown as TypedDocumentString<GenerateTaxExpensesChargeMutation, GenerateTaxExpensesChargeMutationVariables>;\nexport const GenerateDepreciationChargeDocument = new TypedDocumentString(`\n mutation GenerateDepreciationCharge($ownerId: UUID!, $date: TimelessDate!) {\n generateDepreciationCharge(ownerId: $ownerId, year: $date) {\n id\n }\n}\n `) as unknown as TypedDocumentString<GenerateDepreciationChargeMutation, GenerateDepreciationChargeMutationVariables>;\nexport const GenerateRecoveryReserveChargeDocument = new TypedDocumentString(`\n mutation GenerateRecoveryReserveCharge($ownerId: UUID!, $date: TimelessDate!) {\n generateRecoveryReserveCharge(ownerId: $ownerId, year: $date) {\n id\n }\n}\n `) as unknown as TypedDocumentString<GenerateRecoveryReserveChargeMutation, GenerateRecoveryReserveChargeMutationVariables>;\nexport const GenerateVacationReserveChargeDocument = new TypedDocumentString(`\n mutation GenerateVacationReserveCharge($ownerId: UUID!, $date: TimelessDate!) {\n generateVacationReserveCharge(ownerId: $ownerId, year: $date) {\n id\n }\n}\n `) as unknown as TypedDocumentString<GenerateVacationReserveChargeMutation, GenerateVacationReserveChargeMutationVariables>;\nexport const AllAdminBusinessesDocument = new TypedDocumentString(`\n query AllAdminBusinesses {\n allAdminBusinesses {\n id\n name\n governmentId\n }\n}\n `) as unknown as TypedDocumentString<AllAdminBusinessesQuery, AllAdminBusinessesQueryVariables>;\nexport const AllClientsDocument = new TypedDocumentString(`\n query AllClients {\n allClients {\n id\n originalBusiness {\n id\n name\n }\n }\n}\n `) as unknown as TypedDocumentString<AllClientsQuery, AllClientsQueryVariables>;\nexport const AllBusinessesDocument = new TypedDocumentString(`\n query AllBusinesses {\n allBusinesses {\n nodes {\n id\n name\n }\n }\n}\n `) as unknown as TypedDocumentString<AllBusinessesQuery, AllBusinessesQueryVariables>;\nexport const AllCountriesDocument = new TypedDocumentString(`\n query AllCountries {\n allCountries {\n id\n name\n code\n }\n}\n `) as unknown as TypedDocumentString<AllCountriesQuery, AllCountriesQueryVariables>;\nexport const AllFinancialAccountsDocument = new TypedDocumentString(`\n query AllFinancialAccounts {\n allFinancialAccounts {\n id\n name\n }\n}\n `) as unknown as TypedDocumentString<AllFinancialAccountsQuery, AllFinancialAccountsQueryVariables>;\nexport const AllFinancialEntitiesDocument = new TypedDocumentString(`\n query AllFinancialEntities {\n allFinancialEntities {\n nodes {\n id\n name\n }\n }\n}\n `) as unknown as TypedDocumentString<AllFinancialEntitiesQuery, AllFinancialEntitiesQueryVariables>;\nexport const AllSortCodesDocument = new TypedDocumentString(`\n query AllSortCodes {\n allSortCodes {\n id\n key\n name\n defaultIrsCode\n }\n}\n `) as unknown as TypedDocumentString<AllSortCodesQuery, AllSortCodesQueryVariables>;\nexport const AllTagsDocument = new TypedDocumentString(`\n query AllTags {\n allTags {\n id\n name\n namePath\n }\n}\n `) as unknown as TypedDocumentString<AllTagsQuery, AllTagsQueryVariables>;\nexport const AllTaxCategoriesDocument = new TypedDocumentString(`\n query AllTaxCategories {\n taxCategories {\n id\n name\n }\n}\n `) as unknown as TypedDocumentString<AllTaxCategoriesQuery, AllTaxCategoriesQueryVariables>;\nexport const InsertBusinessTripAttendeeDocument = new TypedDocumentString(`\n mutation InsertBusinessTripAttendee($fields: InsertBusinessTripAttendeeInput!) {\n insertBusinessTripAttendee(fields: $fields)\n}\n `) as unknown as TypedDocumentString<InsertBusinessTripAttendeeMutation, InsertBusinessTripAttendeeMutationVariables>;\nexport const InsertBusinessTripDocument = new TypedDocumentString(`\n mutation InsertBusinessTrip($fields: InsertBusinessTripInput!) {\n insertBusinessTrip(fields: $fields)\n}\n `) as unknown as TypedDocumentString<InsertBusinessTripMutation, InsertBusinessTripMutationVariables>;\nexport const InsertBusinessDocument = new TypedDocumentString(`\n mutation InsertBusiness($fields: InsertNewBusinessInput!) {\n insertNewBusiness(fields: $fields) {\n __typename\n ... on LtdFinancialEntity {\n id\n }\n ... on CommonError {\n message\n }\n }\n}\n `) as unknown as TypedDocumentString<InsertBusinessMutation, InsertBusinessMutationVariables>;\nexport const InsertClientDocument = new TypedDocumentString(`\n mutation InsertClient($fields: ClientInsertInput!) {\n insertClient(fields: $fields) {\n __typename\n ... on Client {\n id\n }\n ... on CommonError {\n message\n }\n }\n}\n `) as unknown as TypedDocumentString<InsertClientMutation, InsertClientMutationVariables>;\nexport const InsertDocumentDocument = new TypedDocumentString(`\n mutation InsertDocument($record: InsertDocumentInput!) {\n insertDocument(record: $record) {\n __typename\n ... on InsertDocumentSuccessfulResult {\n document {\n id\n }\n }\n ... on CommonError {\n message\n }\n }\n}\n `) as unknown as TypedDocumentString<InsertDocumentMutation, InsertDocumentMutationVariables>;\nexport const InsertDynamicReportTemplateDocument = new TypedDocumentString(`\n mutation InsertDynamicReportTemplate($name: String!, $template: String!) {\n insertDynamicReportTemplate(name: $name, template: $template) {\n id\n name\n }\n}\n `) as unknown as TypedDocumentString<InsertDynamicReportTemplateMutation, InsertDynamicReportTemplateMutationVariables>;\nexport const InsertMiscExpenseDocument = new TypedDocumentString(`\n mutation InsertMiscExpense($chargeId: UUID!, $fields: InsertMiscExpenseInput!) {\n insertMiscExpense(chargeId: $chargeId, fields: $fields) {\n id\n }\n}\n `) as unknown as TypedDocumentString<InsertMiscExpenseMutation, InsertMiscExpenseMutationVariables>;\nexport const InsertMiscExpensesDocument = new TypedDocumentString(`\n mutation InsertMiscExpenses($chargeId: UUID!, $expenses: [InsertMiscExpenseInput!]!) {\n insertMiscExpenses(chargeId: $chargeId, expenses: $expenses) {\n id\n }\n}\n `) as unknown as TypedDocumentString<InsertMiscExpensesMutation, InsertMiscExpensesMutationVariables>;\nexport const InsertSalaryRecordDocument = new TypedDocumentString(`\n mutation InsertSalaryRecord($salaryRecords: [SalaryRecordInput!]!) {\n insertSalaryRecords(salaryRecords: $salaryRecords) {\n __typename\n ... on InsertSalaryRecordsSuccessfulResult {\n salaryRecords {\n month\n employee {\n id\n }\n }\n }\n ... on CommonError {\n message\n }\n }\n}\n `) as unknown as TypedDocumentString<InsertSalaryRecordMutation, InsertSalaryRecordMutationVariables>;\nexport const InsertTaxCategoryDocument = new TypedDocumentString(`\n mutation InsertTaxCategory($fields: InsertTaxCategoryInput!) {\n insertTaxCategory(fields: $fields) {\n id\n name\n }\n}\n `) as unknown as TypedDocumentString<InsertTaxCategoryMutation, InsertTaxCategoryMutationVariables>;\nexport const IssueGreenInvoiceDocumentDocument = new TypedDocumentString(`\n mutation IssueGreenInvoiceDocument($input: DocumentIssueInput!, $emailContent: String, $attachment: Boolean, $chargeId: UUID) {\n issueGreenInvoiceDocument(\n input: $input\n emailContent: $emailContent\n attachment: $attachment\n chargeId: $chargeId\n ) {\n id\n }\n}\n `) as unknown as TypedDocumentString<IssueGreenInvoiceDocumentMutation, IssueGreenInvoiceDocumentMutationVariables>;\nexport const IssueMonthlyDocumentsDocument = new TypedDocumentString(`\n mutation IssueMonthlyDocuments($generateDocumentsInfo: [DocumentIssueInput!]!) {\n issueGreenInvoiceDocuments(generateDocumentsInfo: $generateDocumentsInfo) {\n success\n errors\n }\n}\n `) as unknown as TypedDocumentString<IssueMonthlyDocumentsMutation, IssueMonthlyDocumentsMutationVariables>;\nexport const LedgerLockDocument = new TypedDocumentString(`\n mutation LedgerLock($date: TimelessDate!) {\n lockLedgerRecords(date: $date)\n}\n `) as unknown as TypedDocumentString<LedgerLockMutation, LedgerLockMutationVariables>;\nexport const MergeBusinessesDocument = new TypedDocumentString(`\n mutation MergeBusinesses($targetBusinessId: UUID!, $businessIdsToMerge: [UUID!]!) {\n mergeBusinesses(\n targetBusinessId: $targetBusinessId\n businessIdsToMerge: $businessIdsToMerge\n ) {\n __typename\n id\n }\n}\n `) as unknown as TypedDocumentString<MergeBusinessesMutation, MergeBusinessesMutationVariables>;\nexport const MergeChargesDocument = new TypedDocumentString(`\n mutation MergeCharges($baseChargeID: UUID!, $chargeIdsToMerge: [UUID!]!, $fields: UpdateChargeInput) {\n mergeCharges(\n baseChargeID: $baseChargeID\n chargeIdsToMerge: $chargeIdsToMerge\n fields: $fields\n ) {\n __typename\n ... on MergeChargeSuccessfulResult {\n charge {\n id\n }\n }\n ... on CommonError {\n message\n }\n }\n}\n `) as unknown as TypedDocumentString<MergeChargesMutation, MergeChargesMutationVariables>;\nexport const PreviewDocumentDocument = new TypedDocumentString(`\n mutation PreviewDocument($input: DocumentIssueInput!) {\n previewDocument(input: $input)\n}\n `) as unknown as TypedDocumentString<PreviewDocumentMutation, PreviewDocumentMutationVariables>;\nexport const RegenerateLedgerDocument = new TypedDocumentString(`\n mutation RegenerateLedger($chargeId: UUID!) {\n regenerateLedgerRecords(chargeId: $chargeId) {\n __typename\n ... on Ledger {\n records {\n id\n }\n }\n ... on CommonError {\n message\n }\n }\n}\n `) as unknown as TypedDocumentString<RegenerateLedgerMutation, RegenerateLedgerMutationVariables>;\nexport const SyncGreenInvoiceDocumentsDocument = new TypedDocumentString(`\n mutation SyncGreenInvoiceDocuments($ownerId: UUID!) {\n syncGreenInvoiceDocuments(ownerId: $ownerId) {\n id\n ...NewFetchedDocumentFields\n }\n}\n fragment NewFetchedDocumentFields on Document {\n id\n documentType\n charge {\n id\n userDescription\n counterparty {\n id\n name\n }\n }\n}`) as unknown as TypedDocumentString<SyncGreenInvoiceDocumentsMutation, SyncGreenInvoiceDocumentsMutationVariables>;\nexport const UpdateAdminBusinessDocument = new TypedDocumentString(`\n mutation UpdateAdminBusiness($adminBusinessId: UUID!, $fields: UpdateAdminBusinessInput!) {\n updateAdminBusiness(businessId: $adminBusinessId, fields: $fields) {\n id\n }\n}\n `) as unknown as TypedDocumentString<UpdateAdminBusinessMutation, UpdateAdminBusinessMutationVariables>;\nexport const UpdateBusinessTripAccommodationsExpenseDocument = new TypedDocumentString(`\n mutation UpdateBusinessTripAccommodationsExpense($fields: UpdateBusinessTripAccommodationsExpenseInput!) {\n updateBusinessTripAccommodationsExpense(fields: $fields)\n}\n `) as unknown as TypedDocumentString<UpdateBusinessTripAccommodationsExpenseMutation, UpdateBusinessTripAccommodationsExpenseMutationVariables>;\nexport const UpdateBusinessTripAccountantApprovalDocument = new TypedDocumentString(`\n mutation UpdateBusinessTripAccountantApproval($businessTripId: UUID!, $status: AccountantStatus!) {\n updateBusinessTripAccountantApproval(\n businessTripId: $businessTripId\n approvalStatus: $status\n )\n}\n `) as unknown as TypedDocumentString<UpdateBusinessTripAccountantApprovalMutation, UpdateBusinessTripAccountantApprovalMutationVariables>;\nexport const UpdateBusinessTripAttendeeDocument = new TypedDocumentString(`\n mutation UpdateBusinessTripAttendee($fields: BusinessTripAttendeeUpdateInput!) {\n updateBusinessTripAttendee(fields: $fields)\n}\n `) as unknown as TypedDocumentString<UpdateBusinessTripAttendeeMutation, UpdateBusinessTripAttendeeMutationVariables>;\nexport const UpdateBusinessTripCarRentalExpenseDocument = new TypedDocumentString(`\n mutation UpdateBusinessTripCarRentalExpense($fields: UpdateBusinessTripCarRentalExpenseInput!) {\n updateBusinessTripCarRentalExpense(fields: $fields)\n}\n `) as unknown as TypedDocumentString<UpdateBusinessTripCarRentalExpenseMutation, UpdateBusinessTripCarRentalExpenseMutationVariables>;\nexport const UpdateBusinessTripFlightsExpenseDocument = new TypedDocumentString(`\n mutation UpdateBusinessTripFlightsExpense($fields: UpdateBusinessTripFlightsExpenseInput!) {\n updateBusinessTripFlightsExpense(fields: $fields)\n}\n `) as unknown as TypedDocumentString<UpdateBusinessTripFlightsExpenseMutation, UpdateBusinessTripFlightsExpenseMutationVariables>;\nexport const UpdateBusinessTripOtherExpenseDocument = new TypedDocumentString(`\n mutation UpdateBusinessTripOtherExpense($fields: UpdateBusinessTripOtherExpenseInput!) {\n updateBusinessTripOtherExpense(fields: $fields)\n}\n `) as unknown as TypedDocumentString<UpdateBusinessTripOtherExpenseMutation, UpdateBusinessTripOtherExpenseMutationVariables>;\nexport const UpdateBusinessTripTravelAndSubsistenceExpenseDocument = new TypedDocumentString(`\n mutation UpdateBusinessTripTravelAndSubsistenceExpense($fields: UpdateBusinessTripTravelAndSubsistenceExpenseInput!) {\n updateBusinessTripTravelAndSubsistenceExpense(fields: $fields)\n}\n `) as unknown as TypedDocumentString<UpdateBusinessTripTravelAndSubsistenceExpenseMutation, UpdateBusinessTripTravelAndSubsistenceExpenseMutationVariables>;\nexport const UpdateBusinessDocument = new TypedDocumentString(`\n mutation UpdateBusiness($businessId: UUID!, $ownerId: UUID!, $fields: UpdateBusinessInput!) {\n updateBusiness(businessId: $businessId, ownerId: $ownerId, fields: $fields) {\n __typename\n ... on LtdFinancialEntity {\n id\n name\n }\n ... on CommonError {\n message\n }\n }\n}\n `) as unknown as TypedDocumentString<UpdateBusinessMutation, UpdateBusinessMutationVariables>;\nexport const UpdateChargeAccountantApprovalDocument = new TypedDocumentString(`\n mutation UpdateChargeAccountantApproval($chargeId: UUID!, $status: AccountantStatus!) {\n updateChargeAccountantApproval(chargeId: $chargeId, approvalStatus: $status)\n}\n `) as unknown as TypedDocumentString<UpdateChargeAccountantApprovalMutation, UpdateChargeAccountantApprovalMutationVariables>;\nexport const UpdateChargeDocument = new TypedDocumentString(`\n mutation UpdateCharge($chargeId: UUID!, $fields: UpdateChargeInput!) {\n updateCharge(chargeId: $chargeId, fields: $fields) {\n __typename\n ... on UpdateChargeSuccessfulResult {\n charge {\n id\n }\n }\n ... on CommonError {\n message\n }\n }\n}\n `) as unknown as TypedDocumentString<UpdateChargeMutation, UpdateChargeMutationVariables>;\nexport const UpdateClientDocument = new TypedDocumentString(`\n mutation UpdateClient($businessId: UUID!, $fields: ClientUpdateInput!) {\n updateClient(businessId: $businessId, fields: $fields) {\n __typename\n ... on Client {\n id\n }\n ... on CommonError {\n message\n }\n }\n}\n `) as unknown as TypedDocumentString<UpdateClientMutation, UpdateClientMutationVariables>;\nexport const UpdateContractDocument = new TypedDocumentString(`\n mutation UpdateContract($contractId: UUID!, $input: UpdateContractInput!) {\n updateContract(contractId: $contractId, input: $input) {\n id\n }\n}\n `) as unknown as TypedDocumentString<UpdateContractMutation, UpdateContractMutationVariables>;\nexport const UpdateDepreciationRecordDocument = new TypedDocumentString(`\n mutation UpdateDepreciationRecord($fields: UpdateDepreciationRecordInput!) {\n updateDepreciationRecord(input: $fields) {\n __typename\n ... on CommonError {\n message\n }\n ... on DepreciationRecord {\n id\n }\n }\n}\n `) as unknown as TypedDocumentString<UpdateDepreciationRecordMutation, UpdateDepreciationRecordMutationVariables>;\nexport const UpdateDocumentDocument = new TypedDocumentString(`\n mutation UpdateDocument($documentId: UUID!, $fields: UpdateDocumentFieldsInput!) {\n updateDocument(documentId: $documentId, fields: $fields) {\n __typename\n ... on CommonError {\n message\n }\n ... on UpdateDocumentSuccessfulResult {\n document {\n id\n }\n }\n }\n}\n `) as unknown as TypedDocumentString<UpdateDocumentMutation, UpdateDocumentMutationVariables>;\nexport const UpdateDynamicReportTemplateNameDocument = new TypedDocumentString(`\n mutation UpdateDynamicReportTemplateName($name: String!, $newName: String!) {\n updateDynamicReportTemplateName(name: $name, newName: $newName) {\n id\n name\n }\n}\n `) as unknown as TypedDocumentString<UpdateDynamicReportTemplateNameMutation, UpdateDynamicReportTemplateNameMutationVariables>;\nexport const UpdateDynamicReportTemplateDocument = new TypedDocumentString(`\n mutation UpdateDynamicReportTemplate($name: String!, $template: String!) {\n updateDynamicReportTemplate(name: $name, template: $template) {\n id\n name\n }\n}\n `) as unknown as TypedDocumentString<UpdateDynamicReportTemplateMutation, UpdateDynamicReportTemplateMutationVariables>;\nexport const UpdateFinancialAccountDocument = new TypedDocumentString(`\n mutation UpdateFinancialAccount($financialAccountId: UUID!, $fields: UpdateFinancialAccountInput!) {\n updateFinancialAccount(id: $financialAccountId, fields: $fields) {\n id\n }\n}\n `) as unknown as TypedDocumentString<UpdateFinancialAccountMutation, UpdateFinancialAccountMutationVariables>;\nexport const UpdateMiscExpenseDocument = new TypedDocumentString(`\n mutation UpdateMiscExpense($id: UUID!, $fields: UpdateMiscExpenseInput!) {\n updateMiscExpense(id: $id, fields: $fields) {\n id\n }\n}\n `) as unknown as TypedDocumentString<UpdateMiscExpenseMutation, UpdateMiscExpenseMutationVariables>;\nexport const UpdateOrInsertSalaryRecordsDocument = new TypedDocumentString(`\n mutation UpdateOrInsertSalaryRecords($salaryRecords: [SalaryRecordInput!]!) {\n insertOrUpdateSalaryRecords(salaryRecords: $salaryRecords) {\n __typename\n ... on InsertSalaryRecordsSuccessfulResult {\n salaryRecords {\n month\n employee {\n id\n }\n }\n }\n ... on CommonError {\n message\n }\n }\n}\n `) as unknown as TypedDocumentString<UpdateOrInsertSalaryRecordsMutation, UpdateOrInsertSalaryRecordsMutationVariables>;\nexport const UpdateSalaryRecordDocument = new TypedDocumentString(`\n mutation UpdateSalaryRecord($salaryRecord: SalaryRecordEditInput!) {\n updateSalaryRecord(salaryRecord: $salaryRecord) {\n __typename\n ... on UpdateSalaryRecordSuccessfulResult {\n salaryRecord {\n month\n employee {\n id\n }\n }\n }\n ... on CommonError {\n message\n }\n }\n}\n `) as unknown as TypedDocumentString<UpdateSalaryRecordMutation, UpdateSalaryRecordMutationVariables>;\nexport const UpdateSortCodeDocument = new TypedDocumentString(`\n mutation UpdateSortCode($key: Int!, $fields: UpdateSortCodeFieldsInput!) {\n updateSortCode(key: $key, fields: $fields)\n}\n `) as unknown as TypedDocumentString<UpdateSortCodeMutation, UpdateSortCodeMutationVariables>;\nexport const UpdateTagDocument = new TypedDocumentString(`\n mutation UpdateTag($tagId: UUID!, $fields: UpdateTagFieldsInput!) {\n updateTag(id: $tagId, fields: $fields)\n}\n `) as unknown as TypedDocumentString<UpdateTagMutation, UpdateTagMutationVariables>;\nexport const UpdateTaxCategoryDocument = new TypedDocumentString(`\n mutation UpdateTaxCategory($taxCategoryId: UUID!, $fields: UpdateTaxCategoryInput!) {\n updateTaxCategory(taxCategoryId: $taxCategoryId, fields: $fields) {\n __typename\n ... on TaxCategory {\n id\n name\n }\n ... on CommonError {\n message\n }\n }\n}\n `) as unknown as TypedDocumentString<UpdateTaxCategoryMutation, UpdateTaxCategoryMutationVariables>;\nexport const UpdateTransactionDocument = new TypedDocumentString(`\n mutation UpdateTransaction($transactionId: UUID!, $fields: UpdateTransactionInput!) {\n updateTransaction(transactionId: $transactionId, fields: $fields) {\n __typename\n ... on Transaction {\n id\n }\n ... on CommonError {\n message\n }\n }\n}\n `) as unknown as TypedDocumentString<UpdateTransactionMutation, UpdateTransactionMutationVariables>;\nexport const UpdateTransactionsDocument = new TypedDocumentString(`\n mutation UpdateTransactions($transactionIds: [UUID!]!, $fields: UpdateTransactionInput!) {\n updateTransactions(transactionIds: $transactionIds, fields: $fields) {\n __typename\n ... on UpdatedTransactionsSuccessfulResult {\n transactions {\n ... on Transaction {\n id\n }\n }\n }\n ... on CommonError {\n message\n }\n }\n}\n `) as unknown as TypedDocumentString<UpdateTransactionsMutation, UpdateTransactionsMutationVariables>;\nexport const UploadDocumentDocument = new TypedDocumentString(`\n mutation UploadDocument($file: FileScalar!, $chargeId: UUID) {\n uploadDocument(file: $file, chargeId: $chargeId) {\n __typename\n ... on UploadDocumentSuccessfulResult {\n document {\n id\n charge {\n id\n }\n }\n }\n ... on CommonError {\n message\n }\n }\n}\n `) as unknown as TypedDocumentString<UploadDocumentMutation, UploadDocumentMutationVariables>;\nexport const UploadDocumentsFromGoogleDriveDocument = new TypedDocumentString(`\n mutation UploadDocumentsFromGoogleDrive($sharedFolderUrl: String!, $chargeId: UUID, $isSensitive: Boolean) {\n batchUploadDocumentsFromGoogleDrive(\n sharedFolderUrl: $sharedFolderUrl\n chargeId: $chargeId\n isSensitive: $isSensitive\n ) {\n ... on CommonError {\n message\n }\n ... on UploadDocumentSuccessfulResult {\n document {\n id\n ...NewFetchedDocumentFields\n }\n }\n }\n}\n fragment NewFetchedDocumentFields on Document {\n id\n documentType\n charge {\n id\n userDescription\n counterparty {\n id\n name\n }\n }\n}`) as unknown as TypedDocumentString<UploadDocumentsFromGoogleDriveMutation, UploadDocumentsFromGoogleDriveMutationVariables>;\nexport const UploadMultipleDocumentsDocument = new TypedDocumentString(`\n mutation UploadMultipleDocuments($documents: [FileScalar!]!, $chargeId: UUID, $isSensitive: Boolean) {\n batchUploadDocuments(\n documents: $documents\n chargeId: $chargeId\n isSensitive: $isSensitive\n ) {\n ... on CommonError {\n message\n }\n ... on UploadDocumentSuccessfulResult {\n document {\n id\n ...NewFetchedDocumentFields\n }\n }\n }\n}\n fragment NewFetchedDocumentFields on Document {\n id\n documentType\n charge {\n id\n userDescription\n counterparty {\n id\n name\n }\n }\n}`) as unknown as TypedDocumentString<UploadMultipleDocumentsMutation, UploadMultipleDocumentsMutationVariables>;\nexport const UploadPayrollFileDocument = new TypedDocumentString(`\n mutation UploadPayrollFile($file: FileScalar!, $chargeId: UUID!) {\n insertSalaryRecordsFromFile(file: $file, chargeId: $chargeId)\n}\n `) as unknown as TypedDocumentString<UploadPayrollFileMutation, UploadPayrollFileMutationVariables>;\nexport const UserContextDocument = new TypedDocumentString(`\n query UserContext {\n userContext {\n adminBusinessId\n defaultLocalCurrency\n defaultCryptoConversionFiatCurrency\n ledgerLock\n financialAccountsBusinessesIds\n locality\n }\n}\n `) as unknown as TypedDocumentString<UserContextQuery, UserContextQueryVariables>;\nexport const BusinessEmailConfigDocument = new TypedDocumentString(`\n query BusinessEmailConfig($email: String!) {\n businessEmailConfig(email: $email) {\n businessId\n internalEmailLinks\n emailBody\n attachments\n }\n}\n `) as unknown as TypedDocumentString<BusinessEmailConfigQuery, BusinessEmailConfigQueryVariables>;\nexport const InsertEmailDocumentsDocument = new TypedDocumentString(`\n mutation InsertEmailDocuments($documents: [FileScalar!]!, $userDescription: String!, $messageId: String, $businessId: UUID) {\n insertEmailDocuments(\n documents: $documents\n userDescription: $userDescription\n messageId: $messageId\n businessId: $businessId\n )\n}\n `) as unknown as TypedDocumentString<InsertEmailDocumentsMutation, InsertEmailDocumentsMutationVariables>;","/* eslint-disable */\nimport * as types from './graphql.js';\n\n\n\n/**\n * Map of all GraphQL operations in the project.\n *\n * This map has several performance disadvantages:\n * 1. It is not tree-shakeable, so it will include all operations in the project.\n * 2. It is not minifiable, so the string of a GraphQL query will be multiple times inside the bundle.\n * 3. It does not support dead code elimination, so it will add unused operations.\n *\n * Therefore it is highly recommended to use the babel or swc plugin for production.\n * Learn more about it here: https://the-guild.dev/graphql/codegen/plugins/presets/preset-client#reducing-bundle-size\n */\ntype Documents = {\n \"\\n fragment DepositTransactionFields on Transaction {\\n id\\n eventDate\\n chargeId\\n amount {\\n raw\\n formatted\\n currency\\n }\\n debitExchangeRates {\\n aud\\n cad\\n eur\\n gbp\\n jpy\\n sek\\n usd\\n date\\n }\\n eventExchangeRates {\\n aud\\n cad\\n eur\\n gbp\\n jpy\\n sek\\n usd\\n date\\n }\\n }\\n\": typeof types.DepositTransactionFieldsFragmentDoc,\n \"\\n query SharedDepositTransactions($depositId: String!) {\\n deposit(depositId: $depositId) {\\n id\\n currency\\n transactions {\\n id\\n ...DepositTransactionFields\\n }\\n }\\n }\\n\": typeof types.SharedDepositTransactionsDocument,\n \"\\n query BusinessLedgerInfo($filters: BusinessTransactionsFilter) {\\n businessTransactionsFromLedgerRecords(filters: $filters) {\\n ... on BusinessTransactionsFromLedgerRecordsSuccessfulResult {\\n businessTransactions {\\n amount {\\n formatted\\n raw\\n }\\n business {\\n id\\n name\\n }\\n foreignAmount {\\n formatted\\n raw\\n currency\\n }\\n invoiceDate\\n reference\\n details\\n counterAccount {\\n __typename\\n id\\n name\\n }\\n chargeId\\n }\\n }\\n ... on CommonError {\\n __typename\\n message\\n }\\n }\\n }\\n\": typeof types.BusinessLedgerInfoDocument,\n \"\\n query BusinessLedgerRecordsSummery($filters: BusinessTransactionsFilter) {\\n businessTransactionsSumFromLedgerRecords(filters: $filters) {\\n ... on BusinessTransactionsSumFromLedgerRecordsSuccessfulResult {\\n businessTransactionsSum {\\n business {\\n id\\n name\\n }\\n credit {\\n formatted\\n }\\n debit {\\n formatted\\n }\\n total {\\n formatted\\n raw\\n }\\n foreignCurrenciesSum {\\n currency\\n credit {\\n formatted\\n }\\n debit {\\n formatted\\n }\\n total {\\n formatted\\n raw\\n }\\n }\\n }\\n }\\n ... on CommonError {\\n __typename\\n message\\n }\\n }\\n }\\n\": typeof types.BusinessLedgerRecordsSummeryDocument,\n \"\\n query BusinessTripScreen($businessTripId: UUID!) {\\n businessTrip(id: $businessTripId) {\\n id\\n name\\n dates {\\n start\\n }\\n }\\n }\\n\": typeof types.BusinessTripScreenDocument,\n \"\\n fragment BusinessTripsRowFields on BusinessTrip {\\n id\\n name\\n accountantApproval\\n }\\n\": typeof types.BusinessTripsRowFieldsFragmentDoc,\n \"\\n query BusinessTripsRowValidation($id: UUID!) {\\n businessTrip(id: $id) {\\n id\\n uncategorizedTransactions {\\n transaction {\\n ... on Transaction @defer {\\n id\\n }\\n }\\n }\\n summary {\\n ... on BusinessTripSummary @defer {\\n errors\\n }\\n }\\n }\\n }\\n\": typeof types.BusinessTripsRowValidationDocument,\n \"\\n query EditableBusinessTrip($businessTripId: UUID!) {\\n businessTrip(id: $businessTripId) {\\n id\\n ...BusinessTripReportHeaderFields\\n ...BusinessTripReportAttendeesFields\\n ...BusinessTripUncategorizedTransactionsFields\\n ...BusinessTripReportFlightsFields\\n ...BusinessTripReportAccommodationsFields\\n ...BusinessTripReportTravelAndSubsistenceFields\\n ...BusinessTripReportCarRentalFields\\n ...BusinessTripReportOtherFields\\n ...BusinessTripReportSummaryFields\\n ... on BusinessTrip {\\n uncategorizedTransactions {\\n transaction {\\n id\\n }\\n }\\n }\\n }\\n }\\n\": typeof types.EditableBusinessTripDocument,\n \"\\n query BusinessTripsScreen {\\n allBusinessTrips {\\n id\\n name\\n dates {\\n start\\n }\\n ...BusinessTripsRowFields\\n }\\n }\\n\": typeof types.BusinessTripsScreenDocument,\n \"\\n fragment BusinessAdminSection on Business {\\n id\\n ... on LtdFinancialEntity {\\n adminInfo {\\n id\\n registrationDate\\n withholdingTaxAnnualIds {\\n id\\n year\\n }\\n withholdingTaxCompanyId\\n socialSecurityEmployerIds {\\n id\\n year\\n }\\n socialSecurityDeductionsId\\n taxAdvancesAnnualIds {\\n id\\n year\\n }\\n taxAdvancesRates {\\n date\\n rate\\n }\\n }\\n }\\n }\\n\": typeof types.BusinessAdminSectionFragmentDoc,\n \"\\n query AdminFinancialAccountsSection($adminId: UUID!) {\\n financialAccountsByOwner(ownerId: $adminId) {\\n id\\n __typename\\n name\\n number\\n type\\n privateOrBusiness\\n accountTaxCategories {\\n id\\n currency\\n taxCategory {\\n id\\n name\\n }\\n }\\n ... on BankFinancialAccount {\\n bankNumber\\n branchNumber\\n iban\\n swiftCode\\n extendedBankNumber\\n partyPreferredIndication\\n partyAccountInvolvementCode\\n accountDealDate\\n accountUpdateDate\\n metegDoarNet\\n kodHarshaatPeilut\\n accountClosingReasonCode\\n accountAgreementOpeningDate\\n serviceAuthorizationDesc\\n branchTypeCode\\n mymailEntitlementSwitch\\n productLabel\\n }\\n }\\n }\\n\": typeof types.AdminFinancialAccountsSectionDocument,\n \"\\n fragment BusinessHeader on Business {\\n __typename\\n id\\n name\\n createdAt\\n isActive\\n ... on LtdFinancialEntity {\\n governmentId\\n adminInfo {\\n id\\n }\\n clientInfo {\\n id\\n }\\n }\\n }\\n\": typeof types.BusinessHeaderFragmentDoc,\n \"\\n query BusinessChargesSection($page: Int, $limit: Int, $filters: ChargeFilter) {\\n allCharges(page: $page, limit: $limit, filters: $filters) {\\n nodes {\\n id\\n ...ChargesTableFields\\n }\\n pageInfo {\\n totalPages\\n }\\n }\\n }\\n\": typeof types.BusinessChargesSectionDocument,\n \"\\n query ClientContractsSection($clientId: UUID!) {\\n contractsByClient(clientId: $clientId) {\\n id\\n purchaseOrders\\n startDate\\n endDate\\n amount {\\n raw\\n currency\\n }\\n billingCycle\\n isActive\\n product\\n documentType\\n remarks\\n plan\\n msCloud\\n operationsLimit\\n }\\n }\\n\": typeof types.ClientContractsSectionDocument,\n \"\\n fragment ClientIntegrationsSection on LtdFinancialEntity {\\n id\\n clientInfo {\\n id\\n integrations {\\n id\\n greenInvoiceInfo {\\n businessId\\n greenInvoiceId\\n }\\n hiveId\\n linearId\\n slackChannelKey\\n notionId\\n workflowyUrl\\n }\\n }\\n }\\n\": typeof types.ClientIntegrationsSectionFragmentDoc,\n \"\\n query ClientIntegrationsSectionGreenInvoice($clientId: UUID!) {\\n greenInvoiceClient(clientId: $clientId) {\\n businessId\\n greenInvoiceId\\n country {\\n id\\n name\\n }\\n emails\\n name\\n phone\\n taxId\\n address\\n city\\n zip\\n fax\\n mobile\\n }\\n }\\n\": typeof types.ClientIntegrationsSectionGreenInvoiceDocument,\n \"\\n query ContractBasedDocumentDraft($issueMonth: TimelessDate!, $contractId: UUID!) {\\n periodicalDocumentDraftsByContracts(issueMonth: $issueMonth, contractIds: [$contractId]) {\\n ...NewDocumentDraft\\n }\\n }\\n\": typeof types.ContractBasedDocumentDraftDocument,\n \"\\n fragment BusinessConfigurationSection on Business {\\n __typename\\n id\\n pcn874RecordType\\n irsCode\\n isActive\\n ... on LtdFinancialEntity {\\n optionalVAT\\n exemptDealer\\n isReceiptEnough\\n isDocumentsOptional\\n sortCode {\\n id\\n key\\n defaultIrsCode\\n }\\n taxCategory {\\n id\\n }\\n suggestions {\\n phrases\\n emails\\n tags {\\n id\\n }\\n description\\n emailListener {\\n internalEmailLinks\\n emailBody\\n attachments\\n }\\n }\\n clientInfo {\\n id\\n }\\n }\\n }\\n\": typeof types.BusinessConfigurationSectionFragmentDoc,\n \"\\n fragment BusinessContactSection on Business {\\n __typename\\n id\\n ... on LtdFinancialEntity {\\n name\\n hebrewName\\n country {\\n id\\n code\\n }\\n governmentId\\n address\\n city\\n zipCode\\n email\\n # localAddress\\n phoneNumber\\n website\\n clientInfo {\\n id\\n emails\\n }\\n }\\n }\\n\": typeof types.BusinessContactSectionFragmentDoc,\n \"\\n fragment BusinessPage on Business {\\n id\\n ... on LtdFinancialEntity {\\n clientInfo {\\n id\\n }\\n adminInfo {\\n id\\n }\\n }\\n ...ClientIntegrationsSection\\n ...BusinessHeader\\n ...BusinessContactSection\\n ...BusinessConfigurationSection\\n ...BusinessAdminSection\\n }\\n\": typeof types.BusinessPageFragmentDoc,\n \"\\n query BusinessLedgerSection($businessId: UUID!) {\\n ledgerRecordsByFinancialEntity(financialEntityId: $businessId) {\\n id\\n ...LedgerRecordsTableFields\\n }\\n }\\n\": typeof types.BusinessLedgerSectionDocument,\n \"\\n query BusinessTransactionsSection($businessId: UUID!) {\\n transactionsByFinancialEntity(financialEntityID: $businessId) {\\n id\\n ...TransactionForTransactionsTableFields\\n ...TransactionToDownloadForTransactionsTableFields\\n }\\n }\\n\": typeof types.BusinessTransactionsSectionDocument,\n \"\\n query AllBusinessesForScreen($page: Int, $limit: Int, $name: String) {\\n allBusinesses(page: $page, limit: $limit, name: $name) {\\n nodes {\\n __typename\\n id\\n name\\n ... on LtdFinancialEntity {\\n ...BusinessHeader\\n }\\n }\\n pageInfo {\\n totalPages\\n totalRecords\\n }\\n }\\n }\\n\": typeof types.AllBusinessesForScreenDocument,\n \"\\n fragment ChargeMatchesTableFields on ChargeMatch {\\n charge {\\n id\\n __typename\\n minEventDate\\n minDebitDate\\n minDocumentsDate\\n totalAmount {\\n raw\\n formatted\\n }\\n vat {\\n raw\\n formatted\\n }\\n counterparty {\\n name\\n id\\n }\\n userDescription\\n tags {\\n id\\n name\\n namePath\\n }\\n taxCategory {\\n id\\n name\\n }\\n # ...ChargesTableRowFields\\n }\\n confidenceScore\\n }\\n\": typeof types.ChargeMatchesTableFieldsFragmentDoc,\n \"\\n query ChargeExtendedInfoForChargeMatches($chargeId: UUID!) {\\n charge(chargeId: $chargeId) {\\n id\\n transactions {\\n id\\n ...TransactionForTransactionsTableFields\\n }\\n additionalDocuments {\\n id\\n ...TableDocumentsRowFields\\n }\\n }\\n }\\n\": typeof types.ChargeExtendedInfoForChargeMatchesDocument,\n \"\\n query ChargesLedgerValidation($limit: Int, $filters: ChargeFilter) {\\n chargesWithLedgerChanges(limit: $limit, filters: $filters) @stream {\\n progress\\n charge {\\n id\\n ...ChargesTableFields\\n }\\n }\\n }\\n\": typeof types.ChargesLedgerValidationDocument,\n \"\\n fragment ChargesTableAccountantApprovalFields on Charge {\\n id\\n accountantApproval\\n }\\n\": typeof types.ChargesTableAccountantApprovalFieldsFragmentDoc,\n \"\\n fragment ChargesTableAmountFields on Charge {\\n __typename\\n id\\n totalAmount {\\n raw\\n formatted\\n }\\n ... on CreditcardBankCharge @defer {\\n validCreditCardAmount\\n }\\n }\\n\": typeof types.ChargesTableAmountFieldsFragmentDoc,\n \"\\n fragment ChargesTableBusinessTripFields on Charge {\\n id\\n ... on BusinessTripCharge {\\n businessTrip {\\n id\\n name\\n }\\n }\\n }\\n\": typeof types.ChargesTableBusinessTripFieldsFragmentDoc,\n \"\\n fragment ChargesTableEntityFields on Charge {\\n __typename\\n id\\n counterparty {\\n name\\n id\\n }\\n ... on Charge @defer {\\n validationData {\\n missingInfo\\n }\\n }\\n }\\n\": typeof types.ChargesTableEntityFieldsFragmentDoc,\n \"\\n fragment ChargesTableDateFields on Charge {\\n id\\n minEventDate\\n minDebitDate\\n minDocumentsDate\\n }\\n\": typeof types.ChargesTableDateFieldsFragmentDoc,\n \"\\n fragment ChargesTableDescriptionFields on Charge {\\n id\\n userDescription\\n ... on Charge @defer {\\n validationData {\\n missingInfo\\n }\\n missingInfoSuggestions {\\n description\\n }\\n }\\n }\\n\": typeof types.ChargesTableDescriptionFieldsFragmentDoc,\n \"\\n fragment ChargesTableMoreInfoFields on Charge {\\n __typename\\n id\\n metadata {\\n transactionsCount\\n documentsCount\\n ledgerCount\\n miscExpensesCount\\n ... on ChargeMetadata @defer {\\n invalidLedger\\n }\\n }\\n ... on Charge @defer {\\n validationData {\\n missingInfo\\n }\\n }\\n }\\n\": typeof types.ChargesTableMoreInfoFieldsFragmentDoc,\n \"\\n fragment ChargesTableTagsFields on Charge {\\n id\\n tags {\\n id\\n name\\n namePath\\n }\\n ... on Charge @defer {\\n validationData {\\n ... on ValidationData {\\n missingInfo\\n }\\n }\\n missingInfoSuggestions {\\n ... on ChargeSuggestions {\\n tags {\\n id\\n name\\n namePath\\n }\\n }\\n }\\n }\\n }\\n\": typeof types.ChargesTableTagsFieldsFragmentDoc,\n \"\\n fragment ChargesTableTaxCategoryFields on Charge {\\n __typename\\n id\\n taxCategory {\\n id\\n name\\n }\\n ... on Charge @defer {\\n validationData {\\n missingInfo\\n }\\n }\\n }\\n\": typeof types.ChargesTableTaxCategoryFieldsFragmentDoc,\n \"\\n fragment ChargesTableTypeFields on Charge {\\n __typename\\n id\\n }\\n\": typeof types.ChargesTableTypeFieldsFragmentDoc,\n \"\\n fragment ChargesTableVatFields on Charge {\\n __typename\\n id\\n vat {\\n raw\\n formatted\\n }\\n totalAmount {\\n raw\\n currency\\n }\\n ... on Charge @defer {\\n validationData {\\n missingInfo\\n }\\n }\\n }\\n\": typeof types.ChargesTableVatFieldsFragmentDoc,\n \"\\n fragment ChargesTableErrorsFields on Charge {\\n id\\n ... on Charge @defer {\\n errorsLedger: ledger {\\n ... on Ledger @defer {\\n validate {\\n ... on LedgerValidation @defer {\\n errors\\n }\\n }\\n }\\n }\\n }\\n }\\n\": typeof types.ChargesTableErrorsFieldsFragmentDoc,\n \"\\n query FetchCharge($chargeId: UUID!) {\\n charge(chargeId: $chargeId) {\\n __typename\\n id\\n metadata {\\n transactionsCount\\n documentsCount\\n receiptsCount\\n invoicesCount\\n ledgerCount\\n isLedgerLocked\\n openDocuments\\n }\\n totalAmount {\\n raw\\n }\\n ...DocumentsGalleryFields @defer\\n ...TableDocumentsFields @defer\\n ...ChargeLedgerRecordsTableFields @defer\\n ...ChargeTableTransactionsFields @defer\\n ...ConversionChargeInfo @defer\\n ...CreditcardBankChargeInfo @defer\\n ...TableSalariesFields @defer\\n ... on BusinessTripCharge {\\n businessTrip {\\n id\\n ... on BusinessTrip @defer {\\n ...BusinessTripReportFields\\n }\\n }\\n }\\n ...ChargesTableErrorsFields @defer\\n miscExpenses {\\n id\\n }\\n ...TableMiscExpensesFields @defer\\n ...ExchangeRatesInfo @defer\\n }\\n }\\n\": typeof types.FetchChargeDocument,\n \"\\n fragment TableDocumentsFields on Charge {\\n id\\n additionalDocuments {\\n id\\n ...TableDocumentsRowFields\\n }\\n }\\n\": typeof types.TableDocumentsFieldsFragmentDoc,\n \"\\n fragment ChargeLedgerRecordsTableFields on Charge {\\n id\\n ledger {\\n __typename\\n records {\\n id\\n ...LedgerRecordsTableFields\\n }\\n ... on Ledger @defer {\\n validate {\\n ... on LedgerValidation @defer {\\n matches\\n differences {\\n id\\n ...LedgerRecordsTableFields\\n }\\n }\\n }\\n }\\n }\\n }\\n\": typeof types.ChargeLedgerRecordsTableFieldsFragmentDoc,\n \"\\n fragment ChargeTableTransactionsFields on Charge {\\n id\\n transactions {\\n id\\n ...TransactionForTransactionsTableFields\\n }\\n }\\n\": typeof types.ChargeTableTransactionsFieldsFragmentDoc,\n \"\\n fragment ChargesTableRowFields on Charge {\\n id\\n __typename\\n metadata {\\n ... on ChargeMetadata @defer {\\n documentsCount\\n ledgerCount\\n transactionsCount\\n miscExpensesCount\\n }\\n }\\n totalAmount {\\n raw\\n }\\n ...ChargesTableAccountantApprovalFields\\n ...ChargesTableAmountFields\\n ...ChargesTableBusinessTripFields @defer\\n ...ChargesTableDateFields\\n ...ChargesTableDescriptionFields\\n ...ChargesTableEntityFields @defer\\n ...ChargesTableMoreInfoFields\\n ...ChargesTableTagsFields @defer\\n ...ChargesTableTaxCategoryFields @defer\\n ...ChargesTableTypeFields\\n ...ChargesTableVatFields\\n }\\n\": typeof types.ChargesTableRowFieldsFragmentDoc,\n \"\\n query ChargeForRow($chargeId: UUID!) {\\n charge(chargeId: $chargeId) {\\n id\\n ...ChargesTableRowFields\\n }\\n }\\n\": typeof types.ChargeForRowDocument,\n \"\\n fragment ChargesTableFields on Charge {\\n id\\n owner {\\n id\\n }\\n ...ChargesTableRowFields\\n }\\n\": typeof types.ChargesTableFieldsFragmentDoc,\n \"\\n query BankDepositInfo($chargeId: UUID!) {\\n depositByCharge(chargeId: $chargeId) {\\n id\\n currentBalance {\\n formatted\\n }\\n transactions {\\n id\\n chargeId\\n ...TransactionForTransactionsTableFields\\n }\\n isOpen\\n }\\n }\\n\": typeof types.BankDepositInfoDocument,\n \"\\n query ChargeTransactionIds($chargeId: UUID!) {\\n charge(chargeId: $chargeId) {\\n id\\n transactions {\\n id\\n }\\n }\\n }\\n\": typeof types.ChargeTransactionIdsDocument,\n \"\\n query ChargeMatches($chargeId: UUID!) {\\n findChargeMatches(chargeId: $chargeId) {\\n matches {\\n chargeId\\n ...ChargeMatchesTableFields\\n }\\n }\\n }\\n\": typeof types.ChargeMatchesDocument,\n \"\\n fragment ConversionChargeInfo on Charge {\\n id\\n __typename\\n ... on ConversionCharge {\\n eventRate {\\n from\\n to\\n rate\\n }\\n officialRate {\\n from\\n to\\n rate\\n }\\n }\\n }\\n\": typeof types.ConversionChargeInfoFragmentDoc,\n \"\\n fragment CreditcardBankChargeInfo on Charge {\\n id\\n __typename\\n ... on CreditcardBankCharge {\\n creditCardTransactions {\\n id\\n ...TransactionForTransactionsTableFields\\n }\\n }\\n }\\n\": typeof types.CreditcardBankChargeInfoFragmentDoc,\n \"\\n fragment ExchangeRatesInfo on Charge {\\n id\\n __typename\\n ... on FinancialCharge {\\n exchangeRates {\\n aud\\n cad\\n eur\\n gbp\\n ils\\n jpy\\n sek\\n usd\\n eth\\n grt\\n usdc\\n }\\n }\\n }\\n\": typeof types.ExchangeRatesInfoFragmentDoc,\n \"\\n fragment TableMiscExpensesFields on Charge {\\n id\\n miscExpenses {\\n id\\n amount {\\n formatted\\n }\\n description\\n invoiceDate\\n valueDate\\n creditor {\\n id\\n name\\n }\\n debtor {\\n id\\n name\\n }\\n chargeId\\n ...EditMiscExpenseFields\\n }\\n }\\n\": typeof types.TableMiscExpensesFieldsFragmentDoc,\n \"\\n fragment TableSalariesFields on Charge {\\n id\\n __typename\\n ... on SalaryCharge {\\n salaryRecords {\\n directAmount {\\n formatted\\n }\\n baseAmount {\\n formatted\\n }\\n employee {\\n id\\n name\\n }\\n pensionFund {\\n id\\n name\\n }\\n pensionEmployeeAmount {\\n formatted\\n }\\n pensionEmployerAmount {\\n formatted\\n }\\n compensationsAmount {\\n formatted\\n }\\n trainingFund {\\n id\\n name\\n }\\n trainingFundEmployeeAmount {\\n formatted\\n }\\n trainingFundEmployerAmount {\\n formatted\\n }\\n socialSecurityEmployeeAmount {\\n formatted\\n }\\n socialSecurityEmployerAmount {\\n formatted\\n }\\n incomeTaxAmount {\\n formatted\\n }\\n healthInsuranceAmount {\\n formatted\\n }\\n }\\n }\\n }\\n\": typeof types.TableSalariesFieldsFragmentDoc,\n \"\\n query IncomeChargesChart($filters: ChargeFilter) {\\n allCharges(filters: $filters) {\\n nodes {\\n id\\n transactions {\\n id\\n eventDate\\n effectiveDate\\n amount {\\n currency\\n formatted\\n raw\\n }\\n eventExchangeRates {\\n aud\\n cad\\n eur\\n gbp\\n jpy\\n sek\\n usd\\n date\\n }\\n debitExchangeRates {\\n aud\\n cad\\n eur\\n gbp\\n jpy\\n sek\\n usd\\n date\\n }\\n }\\n }\\n }\\n }\\n\": typeof types.IncomeChargesChartDocument,\n \"\\n fragment MonthlyIncomeExpenseChartInfo on IncomeExpenseChart {\\n monthlyData {\\n income {\\n formatted\\n raw\\n }\\n expense {\\n formatted\\n raw\\n }\\n balance {\\n formatted\\n raw\\n }\\n date\\n }\\n }\\n\": typeof types.MonthlyIncomeExpenseChartInfoFragmentDoc,\n \"\\n query MonthlyIncomeExpenseChart($filters: IncomeExpenseChartFilters!) {\\n incomeExpenseChart(filters: $filters) {\\n fromDate\\n toDate\\n currency\\n ...MonthlyIncomeExpenseChartInfo\\n }\\n }\\n\": typeof types.MonthlyIncomeExpenseChartDocument,\n \"\\n query ContractsEditModal($contractId: UUID!) {\\n contractsById(id: $contractId) {\\n id\\n startDate\\n endDate\\n purchaseOrders\\n amount {\\n raw\\n currency\\n }\\n product\\n msCloud\\n billingCycle\\n plan\\n isActive\\n remarks\\n documentType\\n operationsLimit\\n }\\n }\\n\": typeof types.ContractsEditModalDocument,\n \"\\n fragment BusinessTripReportFields on BusinessTrip {\\n id\\n ...BusinessTripReportHeaderFields\\n ...BusinessTripReportSummaryFields\\n }\\n\": typeof types.BusinessTripReportFieldsFragmentDoc,\n \"\\n fragment BusinessTripAccountantApprovalFields on BusinessTrip {\\n id\\n accountantApproval\\n }\\n\": typeof types.BusinessTripAccountantApprovalFieldsFragmentDoc,\n \"\\n query UncategorizedTransactionsByBusinessTrip($businessTripId: UUID!) {\\n businessTrip(id: $businessTripId) {\\n id\\n uncategorizedTransactions {\\n transaction {\\n id\\n eventDate\\n sourceDescription\\n referenceKey\\n counterparty {\\n id\\n name\\n }\\n amount {\\n formatted\\n raw\\n }\\n }\\n }\\n }\\n }\\n\": typeof types.UncategorizedTransactionsByBusinessTripDocument,\n \"\\n fragment BusinessTripReportAccommodationsRowFields on BusinessTripAccommodationExpense {\\n id\\n ...BusinessTripReportCoreExpenseRowFields\\n payedByEmployee\\n country {\\n id\\n name\\n }\\n nightsCount\\n attendeesStay {\\n id\\n attendee {\\n id\\n name\\n }\\n nightsCount\\n }\\n }\\n\": typeof types.BusinessTripReportAccommodationsRowFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportAccommodationsTableFields on BusinessTripAccommodationExpense {\\n id\\n date\\n ...BusinessTripReportAccommodationsRowFields\\n }\\n\": typeof types.BusinessTripReportAccommodationsTableFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportAccommodationsFields on BusinessTrip {\\n id\\n accommodationExpenses {\\n id\\n ...BusinessTripReportAccommodationsTableFields\\n }\\n }\\n\": typeof types.BusinessTripReportAccommodationsFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportAttendeeRowFields on BusinessTripAttendee {\\n id\\n name\\n arrivalDate\\n departureDate\\n flights {\\n id\\n ...BusinessTripReportFlightsTableFields\\n }\\n accommodations {\\n id\\n ...BusinessTripReportAccommodationsTableFields\\n }\\n }\\n\": typeof types.BusinessTripReportAttendeeRowFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportAttendeesFields on BusinessTrip {\\n id\\n attendees {\\n id\\n name\\n ...BusinessTripReportAttendeeRowFields\\n }\\n }\\n\": typeof types.BusinessTripReportAttendeesFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportCarRentalRowFields on BusinessTripCarRentalExpense {\\n id\\n payedByEmployee\\n ...BusinessTripReportCoreExpenseRowFields\\n days\\n isFuelExpense\\n }\\n\": typeof types.BusinessTripReportCarRentalRowFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportCarRentalFields on BusinessTrip {\\n id\\n carRentalExpenses {\\n id\\n date\\n ...BusinessTripReportCarRentalRowFields\\n }\\n }\\n\": typeof types.BusinessTripReportCarRentalFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\\n id\\n date\\n valueDate\\n amount {\\n formatted\\n raw\\n currency\\n }\\n employee {\\n id\\n name\\n }\\n payedByEmployee\\n charges {\\n id\\n }\\n }\\n\": typeof types.BusinessTripReportCoreExpenseRowFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportFlightsRowFields on BusinessTripFlightExpense {\\n id\\n payedByEmployee\\n ...BusinessTripReportCoreExpenseRowFields\\n path\\n class\\n attendees {\\n id\\n name\\n }\\n }\\n\": typeof types.BusinessTripReportFlightsRowFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportFlightsTableFields on BusinessTripFlightExpense {\\n id\\n date\\n ...BusinessTripReportFlightsRowFields\\n }\\n\": typeof types.BusinessTripReportFlightsTableFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportFlightsFields on BusinessTrip {\\n id\\n flightExpenses {\\n id\\n ...BusinessTripReportFlightsTableFields\\n }\\n attendees {\\n id\\n name\\n }\\n }\\n\": typeof types.BusinessTripReportFlightsFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportOtherRowFields on BusinessTripOtherExpense {\\n id\\n ...BusinessTripReportCoreExpenseRowFields\\n payedByEmployee\\n description\\n deductibleExpense\\n }\\n\": typeof types.BusinessTripReportOtherRowFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportOtherFields on BusinessTrip {\\n id\\n otherExpenses {\\n id\\n date\\n ...BusinessTripReportOtherRowFields\\n }\\n }\\n\": typeof types.BusinessTripReportOtherFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportHeaderFields on BusinessTrip {\\n id\\n name\\n dates {\\n start\\n end\\n }\\n purpose\\n destination {\\n id\\n name\\n }\\n ...BusinessTripAccountantApprovalFields\\n }\\n\": typeof types.BusinessTripReportHeaderFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportSummaryFields on BusinessTrip {\\n id\\n ... on BusinessTrip @defer {\\n summary {\\n excessExpenditure {\\n formatted\\n }\\n excessTax\\n rows {\\n type\\n totalForeignCurrency {\\n formatted\\n }\\n totalLocalCurrency {\\n formatted\\n }\\n taxableForeignCurrency {\\n formatted\\n }\\n taxableLocalCurrency {\\n formatted\\n }\\n maxTaxableForeignCurrency {\\n formatted\\n }\\n maxTaxableLocalCurrency {\\n formatted\\n }\\n excessExpenditure {\\n formatted\\n }\\n }\\n errors\\n }\\n }\\n }\\n\": typeof types.BusinessTripReportSummaryFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportTravelAndSubsistenceRowFields on BusinessTripTravelAndSubsistenceExpense {\\n id\\n ...BusinessTripReportCoreExpenseRowFields\\n payedByEmployee\\n expenseType\\n }\\n\": typeof types.BusinessTripReportTravelAndSubsistenceRowFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportTravelAndSubsistenceFields on BusinessTrip {\\n id\\n travelAndSubsistenceExpenses {\\n id\\n date\\n ...BusinessTripReportTravelAndSubsistenceRowFields\\n }\\n }\\n\": typeof types.BusinessTripReportTravelAndSubsistenceFieldsFragmentDoc,\n \"\\n fragment BusinessTripUncategorizedTransactionsFields on BusinessTrip {\\n id\\n uncategorizedTransactions {\\n transaction {\\n id\\n eventDate\\n chargeId\\n amount {\\n raw\\n }\\n ...TransactionsTableEventDateFields\\n ...TransactionsTableDebitDateFields\\n ...TransactionsTableAccountFields\\n ...TransactionsTableDescriptionFields\\n ...TransactionsTableSourceIDFields\\n ...TransactionsTableEntityFields\\n }\\n ...UncategorizedTransactionsTableAmountFields\\n }\\n }\\n\": typeof types.BusinessTripUncategorizedTransactionsFieldsFragmentDoc,\n \"\\n fragment UncategorizedTransactionsTableAmountFields on UncategorizedTransaction {\\n transaction {\\n id\\n amount {\\n raw\\n formatted\\n }\\n cryptoExchangeRate {\\n rate\\n }\\n }\\n categorizedAmount {\\n raw\\n formatted\\n }\\n errors\\n }\\n\": typeof types.UncategorizedTransactionsTableAmountFieldsFragmentDoc,\n \"\\n fragment DepreciationRecordRowFields on DepreciationRecord {\\n id\\n amount {\\n currency\\n formatted\\n raw\\n }\\n activationDate\\n category {\\n id\\n name\\n percentage\\n }\\n type\\n charge {\\n id\\n totalAmount {\\n currency\\n formatted\\n raw\\n }\\n }\\n }\\n\": typeof types.DepreciationRecordRowFieldsFragmentDoc,\n \"\\n query ChargeDepreciation($chargeId: UUID!) {\\n depreciationRecordsByCharge(chargeId: $chargeId) {\\n id\\n ...DepreciationRecordRowFields\\n }\\n }\\n\": typeof types.ChargeDepreciationDocument,\n \"\\n query RecentBusinessIssuedDocuments($businessId: UUID!, $limit: Int) {\\n recentDocumentsByBusiness(businessId: $businessId, limit: $limit) {\\n id\\n ... on FinancialDocument {\\n issuedDocumentInfo {\\n id\\n status\\n externalId\\n }\\n }\\n ...TableDocumentsRowFields\\n }\\n }\\n\": typeof types.RecentBusinessIssuedDocumentsDocument,\n \"\\n query RecentIssuedDocumentsOfSameType($documentType: DocumentType!) {\\n recentIssuedDocumentsByType(documentType: $documentType) {\\n id\\n ...TableDocumentsRowFields\\n }\\n }\\n\": typeof types.RecentIssuedDocumentsOfSameTypeDocument,\n \"\\n query EditDocument($documentId: UUID!) {\\n documentById(documentId: $documentId) {\\n id\\n image\\n file\\n documentType\\n description\\n remarks\\n __typename\\n ... on FinancialDocument {\\n vat {\\n raw\\n currency\\n }\\n serialNumber\\n date\\n amount {\\n raw\\n currency\\n }\\n debtor {\\n id\\n name\\n }\\n creditor {\\n id\\n name\\n }\\n vatReportDateOverride\\n noVatAmount\\n allocationNumber\\n exchangeRateOverride\\n }\\n }\\n }\\n\": typeof types.EditDocumentDocument,\n \"\\n fragment EditMiscExpenseFields on MiscExpense {\\n id\\n amount {\\n raw\\n currency\\n }\\n description\\n invoiceDate\\n valueDate\\n creditor {\\n id\\n }\\n debtor {\\n id\\n }\\n }\\n\": typeof types.EditMiscExpenseFieldsFragmentDoc,\n \"\\n fragment EditTagFields on Tag {\\n id\\n name\\n parent {\\n id\\n name\\n }\\n }\\n\": typeof types.EditTagFieldsFragmentDoc,\n \"\\n query EditTransaction($transactionIDs: [UUID!]!) {\\n transactionsByIDs(transactionIDs: $transactionIDs) {\\n id\\n counterparty {\\n id\\n name\\n }\\n effectiveDate\\n isFee\\n account {\\n type\\n id\\n }\\n }\\n }\\n\": typeof types.EditTransactionDocument,\n \"\\n query ClientInfoForDocumentIssuing($businessId: UUID!) {\\n client(businessId: $businessId) {\\n id\\n integrations {\\n id\\n greenInvoiceInfo {\\n greenInvoiceId\\n businessId\\n name\\n }\\n }\\n ...IssueDocumentClientFields\\n }\\n }\\n\": typeof types.ClientInfoForDocumentIssuingDocument,\n \"\\n query AllBusinessTrips {\\n allBusinessTrips {\\n id\\n name\\n }\\n }\\n\": typeof types.AllBusinessTripsDocument,\n \"\\n query AllDepreciationCategories {\\n depreciationCategories {\\n id\\n name\\n percentage\\n }\\n }\\n\": typeof types.AllDepreciationCategoriesDocument,\n \"\\n query AllEmployeesByEmployer($employerId: UUID!) {\\n employeesByEmployerId(employerId: $employerId) {\\n id\\n name\\n }\\n }\\n\": typeof types.AllEmployeesByEmployerDocument,\n \"\\n query AllPensionFunds {\\n allPensionFunds {\\n id\\n name\\n }\\n }\\n\": typeof types.AllPensionFundsDocument,\n \"\\n query AllTrainingFunds {\\n allTrainingFunds {\\n id\\n name\\n }\\n }\\n\": typeof types.AllTrainingFundsDocument,\n \"\\n query AttendeesByBusinessTrip($businessTripId: UUID!) {\\n businessTrip(id: $businessTripId) {\\n id\\n attendees {\\n id\\n name\\n }\\n }\\n }\\n\": typeof types.AttendeesByBusinessTripDocument,\n \"\\n query FetchMultipleBusinesses($businessIds: [UUID!]!) {\\n businesses(ids: $businessIds) {\\n id\\n name\\n }\\n }\\n\": typeof types.FetchMultipleBusinessesDocument,\n \"\\n query FetchMultipleCharges($chargeIds: [UUID!]!) {\\n chargesByIDs(chargeIDs: $chargeIds) {\\n id\\n __typename\\n metadata {\\n transactionsCount\\n invoicesCount\\n }\\n owner {\\n id\\n name\\n }\\n tags {\\n id\\n name\\n namePath\\n }\\n decreasedVAT\\n property\\n isInvoicePaymentDifferentCurrency\\n userDescription\\n optionalVAT\\n optionalDocuments\\n }\\n }\\n\": typeof types.FetchMultipleChargesDocument,\n \"\\n query EditCharge($chargeId: UUID!) {\\n charge(chargeId: $chargeId) {\\n id\\n __typename\\n counterparty {\\n id\\n name\\n }\\n owner {\\n id\\n name\\n }\\n property\\n decreasedVAT\\n isInvoicePaymentDifferentCurrency\\n userDescription\\n taxCategory {\\n id\\n name\\n }\\n tags {\\n id\\n }\\n missingInfoSuggestions {\\n ... on ChargeSuggestions {\\n tags {\\n id\\n }\\n }\\n }\\n optionalVAT\\n optionalDocuments\\n ... on BusinessTripCharge {\\n businessTrip {\\n id\\n name\\n }\\n }\\n yearsOfRelevance {\\n year\\n amount\\n }\\n }\\n }\\n\": typeof types.EditChargeDocument,\n \"\\n query EditSalaryRecord($month: TimelessDate!, $employeeIDs: [UUID!]!) {\\n salaryRecordsByDates(fromDate: $month, toDate: $month, employeeIDs: $employeeIDs) {\\n month\\n charge {\\n id\\n }\\n directAmount {\\n raw\\n }\\n baseAmount {\\n raw\\n }\\n employee {\\n id\\n name\\n }\\n employer {\\n id\\n name\\n }\\n pensionFund {\\n id\\n name\\n }\\n pensionEmployeeAmount {\\n raw\\n }\\n pensionEmployeePercentage\\n pensionEmployerAmount {\\n raw\\n }\\n pensionEmployerPercentage\\n compensationsAmount {\\n raw\\n }\\n compensationsPercentage\\n trainingFund {\\n id\\n name\\n }\\n trainingFundEmployeeAmount {\\n raw\\n }\\n trainingFundEmployeePercentage\\n trainingFundEmployerAmount {\\n raw\\n }\\n trainingFundEmployerPercentage\\n socialSecurityEmployeeAmount {\\n raw\\n }\\n socialSecurityEmployerAmount {\\n raw\\n }\\n incomeTaxAmount {\\n raw\\n }\\n healthInsuranceAmount {\\n raw\\n }\\n globalAdditionalHoursAmount {\\n raw\\n }\\n bonus {\\n raw\\n }\\n gift {\\n raw\\n }\\n travelAndSubsistence {\\n raw\\n }\\n recovery {\\n raw\\n }\\n notionalExpense {\\n raw\\n }\\n vacationDays {\\n added\\n balance\\n }\\n vacationTakeout {\\n raw\\n }\\n workDays\\n sicknessDays {\\n balance\\n }\\n }\\n }\\n\": typeof types.EditSalaryRecordDocument,\n \"\\n query SortCodeToUpdate($key: Int!) {\\n sortCode(key: $key) {\\n id\\n key\\n name\\n defaultIrsCode\\n }\\n }\\n\": typeof types.SortCodeToUpdateDocument,\n \"\\n query TaxCategoryToUpdate($id: UUID!) {\\n taxCategory(id: $id) {\\n id\\n name\\n sortCode {\\n id\\n key\\n name\\n }\\n irsCode\\n }\\n }\\n\": typeof types.TaxCategoryToUpdateDocument,\n \"\\n query MiscExpenseTransactionFields($transactionId: UUID!) {\\n transactionsByIDs(transactionIDs: [$transactionId]) {\\n id\\n chargeId\\n amount {\\n raw\\n currency\\n }\\n eventDate\\n effectiveDate\\n exactEffectiveDate\\n counterparty {\\n id\\n }\\n }\\n }\\n\": typeof types.MiscExpenseTransactionFieldsDocument,\n \"\\n fragment IssueDocumentClientFields on Client {\\n id\\n originalBusiness {\\n id\\n address\\n city\\n zipCode\\n country {\\n id\\n code\\n }\\n governmentId\\n name\\n phoneNumber\\n }\\n emails\\n # city\\n # zip\\n # fax\\n # mobile\\n }\\n\": typeof types.IssueDocumentClientFieldsFragmentDoc,\n \"\\n query NewDocumentDraftByCharge($chargeId: UUID!) {\\n newDocumentDraftByCharge(chargeId: $chargeId) {\\n ...NewDocumentDraft\\n }\\n }\\n\": typeof types.NewDocumentDraftByChargeDocument,\n \"\\n query NewDocumentDraftByDocument($documentId: UUID!) {\\n newDocumentDraftByDocument(documentId: $documentId) {\\n ...NewDocumentDraft\\n }\\n }\\n\": typeof types.NewDocumentDraftByDocumentDocument,\n \"\\n fragment NewDocumentDraft on DocumentDraft {\\n description\\n remarks\\n footer\\n type\\n date\\n dueDate\\n language\\n currency\\n vatType\\n discount {\\n amount\\n type\\n }\\n rounding\\n signed\\n maxPayments\\n client {\\n id\\n originalBusiness {\\n id\\n name\\n }\\n integrations {\\n id\\n }\\n emails\\n ...IssueDocumentClientFields\\n }\\n income {\\n currency\\n currencyRate\\n description\\n itemId\\n price\\n quantity\\n vatRate\\n vatType\\n }\\n payment {\\n currency\\n currencyRate\\n date\\n price\\n type\\n bankName\\n bankBranch\\n bankAccount\\n chequeNum\\n accountId\\n transactionId\\n cardType\\n cardNum\\n numPayments\\n firstPayment\\n }\\n linkedDocumentIds\\n linkedPaymentId\\n }\\n\": typeof types.NewDocumentDraftFragmentDoc,\n \"\\n query SimilarChargesByBusiness(\\n $businessId: UUID!\\n $tagsDifferentThan: [String!]\\n $descriptionDifferentThan: String\\n ) {\\n similarChargesByBusiness(\\n businessId: $businessId\\n tagsDifferentThan: $tagsDifferentThan\\n descriptionDifferentThan: $descriptionDifferentThan\\n ) {\\n id\\n ...SimilarChargesTable\\n }\\n }\\n\": typeof types.SimilarChargesByBusinessDocument,\n \"\\n query SimilarCharges(\\n $chargeId: UUID!\\n $withMissingTags: Boolean!\\n $withMissingDescription: Boolean!\\n $tagsDifferentThan: [String!]\\n $descriptionDifferentThan: String\\n ) {\\n similarCharges(\\n chargeId: $chargeId\\n withMissingTags: $withMissingTags\\n withMissingDescription: $withMissingDescription\\n tagsDifferentThan: $tagsDifferentThan\\n descriptionDifferentThan: $descriptionDifferentThan\\n ) {\\n id\\n ...SimilarChargesTable\\n }\\n }\\n\": typeof types.SimilarChargesDocument,\n \"\\n fragment SimilarChargesTable on Charge {\\n id\\n __typename\\n counterparty {\\n name\\n id\\n }\\n minEventDate\\n minDebitDate\\n minDocumentsDate\\n totalAmount {\\n raw\\n formatted\\n }\\n vat {\\n raw\\n formatted\\n }\\n userDescription\\n tags {\\n id\\n name\\n }\\n taxCategory {\\n id\\n name\\n }\\n ... on BusinessTripCharge {\\n businessTrip {\\n id\\n name\\n }\\n }\\n metadata {\\n transactionsCount\\n documentsCount\\n ledgerCount\\n miscExpensesCount\\n }\\n }\\n\": typeof types.SimilarChargesTableFragmentDoc,\n \"\\n query SimilarTransactions($transactionId: UUID!, $withMissingInfo: Boolean!) {\\n similarTransactions(transactionId: $transactionId, withMissingInfo: $withMissingInfo) {\\n id\\n account {\\n id\\n name\\n type\\n }\\n amount {\\n formatted\\n raw\\n }\\n effectiveDate\\n eventDate\\n sourceDescription\\n }\\n }\\n\": typeof types.SimilarTransactionsDocument,\n \"\\n query UniformFormat($fromDate: TimelessDate!, $toDate: TimelessDate!) {\\n uniformFormat(fromDate: $fromDate, toDate: $toDate) {\\n bkmvdata\\n ini\\n }\\n }\\n\": typeof types.UniformFormatDocument,\n \"\\n fragment NewFetchedDocumentFields on Document {\\n id\\n documentType\\n charge {\\n id\\n userDescription\\n counterparty {\\n id\\n name\\n }\\n }\\n }\\n\": typeof types.NewFetchedDocumentFieldsFragmentDoc,\n \"\\n fragment ContractForContractsTableFields on Contract {\\n id\\n isActive\\n client {\\n id\\n originalBusiness {\\n id\\n name\\n }\\n }\\n purchaseOrders\\n startDate\\n endDate\\n amount {\\n raw\\n formatted\\n }\\n billingCycle\\n product\\n plan\\n operationsLimit\\n msCloud\\n # documentType\\n # remarks\\n }\\n\": typeof types.ContractForContractsTableFieldsFragmentDoc,\n \"\\n query ContractBasedDocumentDrafts($issueMonth: TimelessDate!, $contractIds: [UUID!]!) {\\n periodicalDocumentDraftsByContracts(issueMonth: $issueMonth, contractIds: $contractIds) {\\n ...NewDocumentDraft\\n }\\n }\\n\": typeof types.ContractBasedDocumentDraftsDocument,\n \"\\n fragment TableDocumentsRowFields on Document {\\n id\\n documentType\\n image\\n file\\n description\\n remarks\\n charge {\\n id\\n }\\n ... on FinancialDocument {\\n amount {\\n raw\\n formatted\\n currency\\n }\\n missingInfoSuggestions {\\n amount {\\n raw\\n formatted\\n currency\\n }\\n isIncome\\n counterparty {\\n id\\n name\\n }\\n owner {\\n id\\n name\\n }\\n }\\n date\\n vat {\\n raw\\n formatted\\n currency\\n }\\n serialNumber\\n allocationNumber\\n creditor {\\n id\\n name\\n }\\n debtor {\\n id\\n name\\n }\\n issuedDocumentInfo {\\n id\\n status\\n originalDocument {\\n income {\\n description\\n }\\n }\\n }\\n }\\n }\\n\": typeof types.TableDocumentsRowFieldsFragmentDoc,\n \"\\n fragment DocumentsGalleryFields on Charge {\\n id\\n additionalDocuments {\\n id\\n image\\n ... on FinancialDocument {\\n documentType\\n }\\n }\\n }\\n\": typeof types.DocumentsGalleryFieldsFragmentDoc,\n \"\\n fragment LedgerRecordsTableFields on LedgerRecord {\\n id\\n creditAccount1 {\\n __typename\\n id\\n name\\n }\\n creditAccount2 {\\n __typename\\n id\\n name\\n }\\n debitAccount1 {\\n __typename\\n id\\n name\\n }\\n debitAccount2 {\\n __typename\\n id\\n name\\n }\\n creditAmount1 {\\n formatted\\n currency\\n }\\n creditAmount2 {\\n formatted\\n currency\\n }\\n debitAmount1 {\\n formatted\\n currency\\n }\\n debitAmount2 {\\n formatted\\n currency\\n }\\n localCurrencyCreditAmount1 {\\n formatted\\n raw\\n }\\n localCurrencyCreditAmount2 {\\n formatted\\n raw\\n }\\n localCurrencyDebitAmount1 {\\n formatted\\n raw\\n }\\n localCurrencyDebitAmount2 {\\n formatted\\n raw\\n }\\n invoiceDate\\n valueDate\\n description\\n reference\\n }\\n\": typeof types.LedgerRecordsTableFieldsFragmentDoc,\n \"\\n query AccountantApprovalsChargesTable($page: Int, $limit: Int, $filters: ChargeFilter) {\\n allCharges(page: $page, limit: $limit, filters: $filters) {\\n nodes {\\n id\\n accountantApproval\\n }\\n }\\n }\\n\": typeof types.AccountantApprovalsChargesTableDocument,\n \"\\n query AllContoReports {\\n allDynamicReports {\\n id\\n name\\n updated\\n }\\n }\\n\": typeof types.AllContoReportsDocument,\n \"\\n query ContoReport($filters: BusinessTransactionsFilter) {\\n businessTransactionsSumFromLedgerRecords(filters: $filters) {\\n ... on BusinessTransactionsSumFromLedgerRecordsSuccessfulResult {\\n businessTransactionsSum {\\n business {\\n id\\n name\\n sortCode {\\n id\\n key\\n name\\n }\\n }\\n credit {\\n formatted\\n raw\\n }\\n debit {\\n formatted\\n raw\\n }\\n total {\\n formatted\\n raw\\n }\\n }\\n }\\n ... on CommonError {\\n __typename\\n }\\n }\\n }\\n\": typeof types.ContoReportDocument,\n \"\\n query TemplateForContoReport($name: String!) {\\n dynamicReport(name: $name) {\\n id\\n name\\n template {\\n id\\n parent\\n text\\n droppable\\n data {\\n descendantSortCodes\\n descendantFinancialEntities\\n mergedSortCodes\\n isOpen\\n hebrewText\\n }\\n }\\n }\\n }\\n\": typeof types.TemplateForContoReportDocument,\n \"\\n query CorporateTaxRulingComplianceReport($years: [Int!]!) {\\n corporateTaxRulingComplianceReport(years: $years) {\\n id\\n year\\n totalIncome {\\n formatted\\n raw\\n currency\\n }\\n researchAndDevelopmentExpenses {\\n formatted\\n raw\\n currency\\n }\\n rndRelativeToIncome {\\n rule\\n ...CorporateTaxRulingReportRuleCellFields\\n }\\n localDevelopmentExpenses {\\n formatted\\n raw\\n currency\\n }\\n localDevelopmentRelativeToRnd {\\n rule\\n ...CorporateTaxRulingReportRuleCellFields\\n }\\n foreignDevelopmentExpenses {\\n formatted\\n raw\\n currency\\n }\\n foreignDevelopmentRelativeToRnd {\\n rule\\n ...CorporateTaxRulingReportRuleCellFields\\n }\\n businessTripRndExpenses {\\n formatted\\n raw\\n currency\\n }\\n ... on CorporateTaxRulingComplianceReport @defer {\\n differences {\\n id\\n totalIncome {\\n formatted\\n raw\\n currency\\n }\\n researchAndDevelopmentExpenses {\\n formatted\\n raw\\n currency\\n }\\n rndRelativeToIncome {\\n ...CorporateTaxRulingReportRuleCellFields\\n }\\n localDevelopmentExpenses {\\n formatted\\n raw\\n currency\\n }\\n localDevelopmentRelativeToRnd {\\n ...CorporateTaxRulingReportRuleCellFields\\n }\\n foreignDevelopmentExpenses {\\n formatted\\n raw\\n currency\\n }\\n foreignDevelopmentRelativeToRnd {\\n ...CorporateTaxRulingReportRuleCellFields\\n }\\n businessTripRndExpenses {\\n formatted\\n raw\\n currency\\n }\\n }\\n }\\n }\\n }\\n\": typeof types.CorporateTaxRulingComplianceReportDocument,\n \"\\n fragment CorporateTaxRulingReportRuleCellFields on CorporateTaxRule {\\n id\\n rule\\n percentage {\\n formatted\\n }\\n isCompliant\\n }\\n\": typeof types.CorporateTaxRulingReportRuleCellFieldsFragmentDoc,\n \"\\n query ProfitAndLossReport($reportYear: Int!, $referenceYears: [Int!]!) {\\n profitAndLossReport(reportYear: $reportYear, referenceYears: $referenceYears) {\\n id\\n report {\\n id\\n year\\n revenue {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n costOfSales {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n grossProfit {\\n formatted\\n }\\n researchAndDevelopmentExpenses {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n marketingExpenses {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n managementAndGeneralExpenses {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n operatingProfit {\\n formatted\\n }\\n financialExpenses {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n otherIncome {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n profitBeforeTax {\\n formatted\\n }\\n tax {\\n formatted\\n }\\n netProfit {\\n formatted\\n }\\n }\\n reference {\\n id\\n year\\n revenue {\\n amount {\\n formatted\\n }\\n }\\n costOfSales {\\n amount {\\n formatted\\n }\\n }\\n grossProfit {\\n formatted\\n }\\n researchAndDevelopmentExpenses {\\n amount {\\n formatted\\n }\\n }\\n marketingExpenses {\\n amount {\\n formatted\\n }\\n }\\n managementAndGeneralExpenses {\\n amount {\\n formatted\\n }\\n }\\n operatingProfit {\\n formatted\\n }\\n financialExpenses {\\n amount {\\n formatted\\n }\\n }\\n otherIncome {\\n amount {\\n formatted\\n }\\n }\\n profitBeforeTax {\\n formatted\\n }\\n tax {\\n formatted\\n }\\n netProfit {\\n formatted\\n }\\n }\\n }\\n }\\n\": typeof types.ProfitAndLossReportDocument,\n \"\\n fragment ReportCommentaryTableFields on ReportCommentary {\\n records {\\n sortCode {\\n id\\n key\\n name\\n }\\n amount {\\n formatted\\n }\\n records {\\n ...ReportSubCommentaryTableFields\\n }\\n }\\n }\\n\": typeof types.ReportCommentaryTableFieldsFragmentDoc,\n \"\\n fragment ReportSubCommentaryTableFields on ReportCommentarySubRecord {\\n financialEntity {\\n id\\n name\\n }\\n amount {\\n formatted\\n }\\n }\\n\": typeof types.ReportSubCommentaryTableFieldsFragmentDoc,\n \"\\n query TaxReport($reportYear: Int!, $referenceYears: [Int!]!) {\\n taxReport(reportYear: $reportYear, referenceYears: $referenceYears) {\\n id\\n report {\\n id\\n year\\n profitBeforeTax {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n researchAndDevelopmentExpensesByRecords {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n researchAndDevelopmentExpensesForTax {\\n formatted\\n }\\n fines {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n untaxableGifts {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n businessTripsExcessExpensesAmount {\\n formatted\\n }\\n salaryExcessExpensesAmount {\\n formatted\\n }\\n reserves {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n nontaxableLinkage {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n taxableIncome {\\n formatted\\n }\\n taxRate\\n specialTaxableIncome {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n specialTaxRate\\n annualTaxExpense {\\n formatted\\n }\\n }\\n reference {\\n id\\n year\\n profitBeforeTax {\\n amount {\\n formatted\\n }\\n }\\n researchAndDevelopmentExpensesByRecords {\\n amount {\\n formatted\\n }\\n }\\n researchAndDevelopmentExpensesForTax {\\n formatted\\n }\\n fines {\\n amount {\\n formatted\\n }\\n }\\n untaxableGifts {\\n amount {\\n formatted\\n }\\n }\\n businessTripsExcessExpensesAmount {\\n formatted\\n }\\n salaryExcessExpensesAmount {\\n formatted\\n }\\n reserves {\\n amount {\\n formatted\\n }\\n }\\n nontaxableLinkage {\\n amount {\\n formatted\\n }\\n }\\n taxableIncome {\\n formatted\\n }\\n taxRate\\n specialTaxableIncome {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n specialTaxRate\\n annualTaxExpense {\\n formatted\\n }\\n }\\n }\\n }\\n\": typeof types.TaxReportDocument,\n \"\\n query TrialBalanceReport($filters: BusinessTransactionsFilter) {\\n businessTransactionsSumFromLedgerRecords(filters: $filters) {\\n ... on BusinessTransactionsSumFromLedgerRecordsSuccessfulResult {\\n ...TrialBalanceTableFields\\n }\\n ... on CommonError {\\n __typename\\n }\\n }\\n }\\n\": typeof types.TrialBalanceReportDocument,\n \"\\n fragment TrialBalanceTableFields on BusinessTransactionsSumFromLedgerRecordsSuccessfulResult {\\n businessTransactionsSum {\\n business {\\n id\\n name\\n sortCode {\\n id\\n key\\n name\\n }\\n }\\n credit {\\n formatted\\n raw\\n }\\n debit {\\n formatted\\n raw\\n }\\n total {\\n formatted\\n raw\\n }\\n }\\n }\\n\": typeof types.TrialBalanceTableFieldsFragmentDoc,\n \"\\n query ValidatePcn874Reports(\\n $businessId: UUID\\n $fromMonthDate: TimelessDate!\\n $toMonthDate: TimelessDate!\\n ) {\\n pcnByDate(businessId: $businessId, fromMonthDate: $fromMonthDate, toMonthDate: $toMonthDate)\\n @stream {\\n id\\n business {\\n id\\n name\\n }\\n date\\n content\\n diffContent\\n }\\n }\\n\": typeof types.ValidatePcn874ReportsDocument,\n \"\\n fragment VatReportBusinessTripsFields on VatReportResult {\\n businessTrips {\\n id\\n ...ChargesTableFields\\n }\\n }\\n\": typeof types.VatReportBusinessTripsFieldsFragmentDoc,\n \"\\n fragment VatReportAccountantApprovalFields on VatReportRecord {\\n chargeId\\n chargeAccountantStatus\\n }\\n\": typeof types.VatReportAccountantApprovalFieldsFragmentDoc,\n \"\\n fragment VatReportExpensesRowFields on VatReportRecord {\\n ...VatReportAccountantApprovalFields\\n business {\\n id\\n name\\n }\\n vatNumber\\n image\\n allocationNumber\\n documentSerial\\n documentDate\\n chargeDate\\n chargeId\\n # chargeAccountantReviewed\\n amount {\\n formatted\\n raw\\n }\\n localAmount {\\n formatted\\n raw\\n }\\n localVat {\\n formatted\\n raw\\n }\\n foreignVatAfterDeduction {\\n formatted\\n raw\\n }\\n localVatAfterDeduction {\\n formatted\\n raw\\n }\\n roundedLocalVatAfterDeduction {\\n formatted\\n raw\\n }\\n taxReducedLocalAmount {\\n formatted\\n raw\\n }\\n recordType\\n }\\n\": typeof types.VatReportExpensesRowFieldsFragmentDoc,\n \"\\n fragment VatReportExpensesFields on VatReportResult {\\n expenses {\\n ...VatReportExpensesRowFields\\n roundedLocalVatAfterDeduction {\\n raw\\n }\\n taxReducedLocalAmount {\\n raw\\n }\\n recordType\\n }\\n }\\n\": typeof types.VatReportExpensesFieldsFragmentDoc,\n \"\\n fragment VatReportIncomeRowFields on VatReportRecord {\\n ...VatReportAccountantApprovalFields\\n chargeId\\n business {\\n id\\n name\\n }\\n vatNumber\\n image\\n allocationNumber\\n documentSerial\\n documentDate\\n chargeDate\\n taxReducedForeignAmount {\\n formatted\\n raw\\n }\\n taxReducedLocalAmount {\\n formatted\\n raw\\n }\\n recordType\\n }\\n\": typeof types.VatReportIncomeRowFieldsFragmentDoc,\n \"\\n fragment VatReportIncomeFields on VatReportResult {\\n income {\\n ...VatReportIncomeRowFields\\n taxReducedLocalAmount {\\n raw\\n }\\n recordType\\n }\\n }\\n\": typeof types.VatReportIncomeFieldsFragmentDoc,\n \"\\n query VatMonthlyReport($filters: VatReportFilter) {\\n vatReport(filters: $filters) {\\n ...VatReportSummaryFields\\n ...VatReportIncomeFields\\n ...VatReportExpensesFields\\n ...VatReportMissingInfoFields\\n ...VatReportMiscTableFields\\n ...VatReportBusinessTripsFields\\n }\\n }\\n\": typeof types.VatMonthlyReportDocument,\n \"\\n fragment VatReportMiscTableFields on VatReportResult {\\n differentMonthDoc {\\n id\\n ...ChargesTableFields\\n }\\n }\\n\": typeof types.VatReportMiscTableFieldsFragmentDoc,\n \"\\n fragment VatReportMissingInfoFields on VatReportResult {\\n missingInfo {\\n id\\n ...ChargesTableFields\\n }\\n }\\n\": typeof types.VatReportMissingInfoFieldsFragmentDoc,\n \"\\n query GeneratePCN($monthDate: TimelessDate!, $financialEntityId: UUID!) {\\n pcnFile(monthDate: $monthDate, financialEntityId: $financialEntityId) {\\n reportContent\\n fileName\\n }\\n }\\n\": typeof types.GeneratePcnDocument,\n \"\\n fragment VatReportSummaryFields on VatReportResult {\\n expenses {\\n roundedLocalVatAfterDeduction {\\n raw\\n }\\n taxReducedLocalAmount {\\n raw\\n }\\n recordType\\n isProperty\\n }\\n income {\\n roundedLocalVatAfterDeduction {\\n raw\\n }\\n taxReducedLocalAmount {\\n raw\\n }\\n recordType\\n }\\n }\\n\": typeof types.VatReportSummaryFieldsFragmentDoc,\n \"\\n fragment LedgerCsvFields on YearlyLedgerReport {\\n id\\n year\\n financialEntitiesInfo {\\n entity {\\n id\\n name\\n sortCode {\\n id\\n key\\n }\\n }\\n openingBalance {\\n raw\\n }\\n totalCredit {\\n raw\\n }\\n totalDebit {\\n raw\\n }\\n closingBalance {\\n raw\\n }\\n records {\\n id\\n amount {\\n raw\\n formatted\\n }\\n invoiceDate\\n valueDate\\n description\\n reference\\n counterParty {\\n id\\n name\\n }\\n balance\\n }\\n }\\n }\\n\": typeof types.LedgerCsvFieldsFragmentDoc,\n \"\\n query YearlyLedger($year: Int!) {\\n yearlyLedgerReport(year: $year) {\\n id\\n year\\n financialEntitiesInfo {\\n entity {\\n id\\n name\\n sortCode {\\n id\\n key\\n }\\n }\\n openingBalance {\\n raw\\n }\\n totalCredit {\\n raw\\n }\\n totalDebit {\\n raw\\n }\\n closingBalance {\\n raw\\n }\\n records {\\n id\\n amount {\\n raw\\n formatted\\n }\\n invoiceDate\\n valueDate\\n description\\n reference\\n counterParty {\\n id\\n name\\n }\\n balance\\n }\\n }\\n ...LedgerCsvFields\\n }\\n }\\n\": typeof types.YearlyLedgerDocument,\n \"\\n query SalaryScreenRecords(\\n $fromDate: TimelessDate!\\n $toDate: TimelessDate!\\n $employeeIDs: [UUID!]\\n ) {\\n salaryRecordsByDates(fromDate: $fromDate, toDate: $toDate, employeeIDs: $employeeIDs) {\\n month\\n employee {\\n id\\n }\\n ...SalariesTableFields\\n }\\n }\\n\": typeof types.SalaryScreenRecordsDocument,\n \"\\n fragment SalariesRecordEmployeeFields on Salary {\\n month\\n employee {\\n id\\n name\\n }\\n }\\n\": typeof types.SalariesRecordEmployeeFieldsFragmentDoc,\n \"\\n fragment SalariesRecordFundsFields on Salary {\\n month\\n employee {\\n id\\n }\\n pensionFund {\\n id\\n name\\n }\\n pensionEmployeeAmount {\\n formatted\\n raw\\n }\\n pensionEmployeePercentage\\n pensionEmployerAmount {\\n formatted\\n raw\\n }\\n pensionEmployerPercentage\\n compensationsAmount {\\n formatted\\n raw\\n }\\n compensationsPercentage\\n trainingFund {\\n id\\n name\\n }\\n trainingFundEmployeeAmount {\\n formatted\\n raw\\n }\\n trainingFundEmployeePercentage\\n trainingFundEmployerAmount {\\n formatted\\n raw\\n }\\n trainingFundEmployerPercentage\\n }\\n\": typeof types.SalariesRecordFundsFieldsFragmentDoc,\n \"\\n fragment SalariesRecordInsurancesAndTaxesFields on Salary {\\n month\\n employee {\\n id\\n }\\n healthInsuranceAmount {\\n formatted\\n raw\\n }\\n socialSecurityEmployeeAmount {\\n formatted\\n raw\\n }\\n socialSecurityEmployerAmount {\\n formatted\\n raw\\n }\\n incomeTaxAmount {\\n formatted\\n raw\\n }\\n notionalExpense {\\n formatted\\n raw\\n }\\n }\\n\": typeof types.SalariesRecordInsurancesAndTaxesFieldsFragmentDoc,\n \"\\n fragment SalariesRecordMainSalaryFields on Salary {\\n month\\n employee {\\n id\\n }\\n baseAmount {\\n formatted\\n }\\n directAmount {\\n formatted\\n }\\n globalAdditionalHoursAmount {\\n formatted\\n }\\n bonus {\\n formatted\\n raw\\n }\\n gift {\\n formatted\\n raw\\n }\\n recovery {\\n formatted\\n raw\\n }\\n vacationTakeout {\\n formatted\\n raw\\n }\\n }\\n\": typeof types.SalariesRecordMainSalaryFieldsFragmentDoc,\n \"\\n fragment SalariesRecordWorkFrameFields on Salary {\\n month\\n employee {\\n id\\n }\\n vacationDays {\\n added\\n taken\\n balance\\n }\\n workDays\\n sicknessDays {\\n balance\\n }\\n }\\n\": typeof types.SalariesRecordWorkFrameFieldsFragmentDoc,\n \"\\n fragment SalariesMonthFields on Salary {\\n month\\n employee {\\n id\\n }\\n ...SalariesRecordFields\\n }\\n\": typeof types.SalariesMonthFieldsFragmentDoc,\n \"\\n fragment SalariesTableFields on Salary {\\n month\\n employee {\\n id\\n }\\n ...SalariesMonthFields\\n }\\n\": typeof types.SalariesTableFieldsFragmentDoc,\n \"\\n fragment SalariesRecordFields on Salary {\\n month\\n employee {\\n id\\n }\\n ...SalariesRecordEmployeeFields\\n ...SalariesRecordMainSalaryFields\\n ...SalariesRecordFundsFields\\n ...SalariesRecordInsurancesAndTaxesFields\\n ...SalariesRecordWorkFrameFields\\n }\\n\": typeof types.SalariesRecordFieldsFragmentDoc,\n \"\\n query AllDeposits {\\n allDeposits {\\n id\\n currency\\n openDate\\n closeDate\\n isOpen\\n currencyError\\n currentBalance {\\n raw\\n formatted\\n }\\n totalDeposit {\\n raw\\n formatted\\n }\\n totalInterest {\\n raw\\n formatted\\n }\\n # transactions field exists but we don't need to pull ids here\\n }\\n }\\n\": typeof types.AllDepositsDocument,\n \"\\n query BusinessScreen($businessId: UUID!) {\\n business(id: $businessId) {\\n id\\n ...BusinessPage\\n }\\n }\\n\": typeof types.BusinessScreenDocument,\n \"\\n query ContractsScreen($adminId: UUID!) {\\n contractsByAdmin(adminId: $adminId) {\\n id\\n ...ContractForContractsTableFields\\n }\\n }\\n\": typeof types.ContractsScreenDocument,\n \"\\n query AllCharges($page: Int, $limit: Int, $filters: ChargeFilter) {\\n allCharges(page: $page, limit: $limit, filters: $filters) {\\n nodes {\\n id\\n ...ChargesTableFields\\n }\\n pageInfo {\\n totalPages\\n }\\n }\\n }\\n\": typeof types.AllChargesDocument,\n \"\\n query ChargeScreen($chargeId: UUID!) {\\n charge(chargeId: $chargeId) {\\n id\\n ...ChargesTableFields\\n }\\n }\\n\": typeof types.ChargeScreenDocument,\n \"\\n query MissingInfoCharges($page: Int, $limit: Int) {\\n chargesWithMissingRequiredInfo(page: $page, limit: $limit) {\\n nodes {\\n id\\n ...ChargesTableFields\\n }\\n pageInfo {\\n totalPages\\n }\\n }\\n }\\n\": typeof types.MissingInfoChargesDocument,\n \"\\n query DocumentsScreen($filters: DocumentsFilters!) {\\n documentsByFilters(filters: $filters) {\\n id\\n image\\n file\\n charge {\\n id\\n userDescription\\n __typename\\n vat {\\n formatted\\n __typename\\n }\\n transactions {\\n id\\n eventDate\\n sourceDescription\\n effectiveDate\\n amount {\\n formatted\\n __typename\\n }\\n }\\n }\\n __typename\\n ... on FinancialDocument {\\n creditor {\\n id\\n name\\n }\\n debtor {\\n id\\n name\\n }\\n vat {\\n raw\\n formatted\\n currency\\n }\\n serialNumber\\n date\\n amount {\\n raw\\n formatted\\n currency\\n }\\n }\\n }\\n }\\n\": typeof types.DocumentsScreenDocument,\n \"\\n query MonthlyDocumentDraftByClient($clientId: UUID!, $issueMonth: TimelessDate!) {\\n clientMonthlyChargeDraft(clientId: $clientId, issueMonth: $issueMonth) {\\n ...NewDocumentDraft\\n }\\n }\\n\": typeof types.MonthlyDocumentDraftByClientDocument,\n \"\\n query MonthlyDocumentsDrafts($issueMonth: TimelessDate!) {\\n periodicalDocumentDrafts(issueMonth: $issueMonth) {\\n ...NewDocumentDraft\\n }\\n }\\n\": typeof types.MonthlyDocumentsDraftsDocument,\n \"\\n query AllOpenContracts {\\n allOpenContracts {\\n id\\n client {\\n id\\n originalBusiness {\\n id\\n name\\n }\\n }\\n billingCycle\\n }\\n }\\n\": typeof types.AllOpenContractsDocument,\n \"\\n query AccountantApprovalStatus($fromDate: TimelessDate!, $toDate: TimelessDate!) {\\n accountantApprovalStatus(from: $fromDate, to: $toDate) {\\n totalCharges\\n approvedCount\\n pendingCount\\n unapprovedCount\\n }\\n }\\n\": typeof types.AccountantApprovalStatusDocument,\n \"\\n query LedgerValidationStatus($limit: Int, $filters: ChargeFilter) {\\n chargesWithLedgerChanges(limit: $limit, filters: $filters) {\\n charge {\\n id\\n }\\n }\\n }\\n\": typeof types.LedgerValidationStatusDocument,\n \"\\n query AdminLedgerLockDate($ownerId: UUID) {\\n adminContext(ownerId: $ownerId) {\\n id\\n ledgerLock\\n }\\n }\\n\": typeof types.AdminLedgerLockDateDocument,\n \"\\n fragment AnnualRevenueReportClient on AnnualRevenueReportCountryClient {\\n id\\n name\\n revenueLocal {\\n raw\\n formatted\\n currency\\n }\\n revenueDefaultForeign {\\n raw\\n formatted\\n currency\\n }\\n records {\\n id\\n date\\n ...AnnualRevenueReportRecord\\n }\\n }\\n\": typeof types.AnnualRevenueReportClientFragmentDoc,\n \"\\n fragment AnnualRevenueReportCountry on AnnualRevenueReportCountry {\\n id\\n code\\n name\\n revenueLocal {\\n raw\\n formatted\\n currency\\n }\\n revenueDefaultForeign {\\n raw\\n formatted\\n currency\\n }\\n clients {\\n id\\n revenueDefaultForeign {\\n raw\\n }\\n ...AnnualRevenueReportClient\\n }\\n }\\n\": typeof types.AnnualRevenueReportCountryFragmentDoc,\n \"\\n query AnnualRevenueReportScreen($filters: AnnualRevenueReportFilter!) {\\n annualRevenueReport(filters: $filters) {\\n id\\n year\\n countries {\\n id\\n name\\n revenueLocal {\\n raw\\n currency\\n }\\n revenueDefaultForeign {\\n raw\\n currency\\n }\\n clients {\\n id\\n name\\n revenueLocal {\\n raw\\n }\\n revenueDefaultForeign {\\n raw\\n }\\n records {\\n id\\n date\\n description\\n reference\\n chargeId\\n revenueLocal {\\n raw\\n }\\n revenueDefaultForeign {\\n raw\\n }\\n }\\n }\\n ...AnnualRevenueReportCountry\\n }\\n }\\n }\\n\": typeof types.AnnualRevenueReportScreenDocument,\n \"\\n fragment AnnualRevenueReportRecord on AnnualRevenueReportClientRecord {\\n id\\n revenueLocal {\\n raw\\n formatted\\n currency\\n }\\n revenueDefaultForeign {\\n raw\\n formatted\\n currency\\n }\\n revenueOriginal {\\n raw\\n formatted\\n currency\\n }\\n chargeId\\n date\\n description\\n reference\\n }\\n\": typeof types.AnnualRevenueReportRecordFragmentDoc,\n \"\\n query BalanceReportExtendedTransactions($transactionIDs: [UUID!]!) {\\n transactionsByIDs(transactionIDs: $transactionIDs) {\\n id\\n ...TransactionForTransactionsTableFields\\n ...TransactionToDownloadForTransactionsTableFields\\n }\\n }\\n\": typeof types.BalanceReportExtendedTransactionsDocument,\n \"\\n query BalanceReportScreen($fromDate: TimelessDate!, $toDate: TimelessDate!, $ownerId: UUID) {\\n transactionsForBalanceReport(fromDate: $fromDate, toDate: $toDate, ownerId: $ownerId) {\\n id\\n amountUsd {\\n formatted\\n raw\\n }\\n amount {\\n currency\\n raw\\n }\\n date\\n month\\n year\\n counterparty {\\n id\\n }\\n account {\\n id\\n name\\n }\\n isFee\\n description\\n charge {\\n id\\n tags {\\n id\\n name\\n }\\n }\\n }\\n }\\n\": typeof types.BalanceReportScreenDocument,\n \"\\n fragment DepreciationReportRecordCore on DepreciationCoreRecord {\\n id\\n originalCost\\n reportYearDelta\\n totalDepreciableCosts\\n reportYearClaimedDepreciation\\n pastYearsAccumulatedDepreciation\\n totalDepreciation\\n netValue\\n }\\n\": typeof types.DepreciationReportRecordCoreFragmentDoc,\n \"\\n query DepreciationReportScreen($filters: DepreciationReportFilter!) {\\n depreciationReport(filters: $filters) {\\n id\\n year\\n categories {\\n id\\n category {\\n id\\n name\\n percentage\\n }\\n records {\\n id\\n chargeId\\n description\\n purchaseDate\\n activationDate\\n statutoryDepreciationRate\\n claimedDepreciationRate\\n ...DepreciationReportRecordCore\\n }\\n summary {\\n id\\n ...DepreciationReportRecordCore\\n }\\n }\\n summary {\\n id\\n ...DepreciationReportRecordCore\\n }\\n }\\n }\\n\": typeof types.DepreciationReportScreenDocument,\n \"\\n fragment Shaam6111DataContentBalanceSheet on Shaam6111Data {\\n id\\n balanceSheet {\\n code\\n amount\\n label\\n }\\n }\\n\": typeof types.Shaam6111DataContentBalanceSheetFragmentDoc,\n \"\\n fragment Shaam6111DataContentHeader on Shaam6111Data {\\n id\\n header {\\n taxYear\\n businessDescription\\n taxFileNumber\\n idNumber\\n vatFileNumber\\n withholdingTaxFileNumber\\n businessType\\n reportingMethod\\n currencyType\\n amountsInThousands\\n accountingMethod\\n accountingSystem\\n softwareRegistrationNumber\\n isPartnership\\n partnershipCount\\n partnershipProfitShare\\n ifrsImplementationYear\\n ifrsReportingOption\\n\\n includesProfitLoss\\n includesTaxAdjustment\\n includesBalanceSheet\\n\\n industryCode\\n auditOpinionType\\n }\\n }\\n\": typeof types.Shaam6111DataContentHeaderFragmentDoc,\n \"\\n fragment Shaam6111DataContentHeaderBusiness on Business {\\n id\\n name\\n }\\n\": typeof types.Shaam6111DataContentHeaderBusinessFragmentDoc,\n \"\\n query Shaam6111ReportScreen($year: Int!, $businessId: UUID) {\\n shaam6111(year: $year, businessId: $businessId) {\\n id\\n year\\n data {\\n id\\n ...Shaam6111DataContent\\n }\\n business {\\n id\\n ...Shaam6111DataContentHeaderBusiness\\n }\\n }\\n }\\n\": typeof types.Shaam6111ReportScreenDocument,\n \"\\n fragment Shaam6111DataContentProfitLoss on Shaam6111Data {\\n id\\n profitAndLoss {\\n code\\n amount\\n label\\n }\\n }\\n\": typeof types.Shaam6111DataContentProfitLossFragmentDoc,\n \"\\n fragment Shaam6111DataContent on Shaam6111Data {\\n id\\n ...Shaam6111DataContentHeader\\n ...Shaam6111DataContentProfitLoss\\n ...Shaam6111DataContentTaxAdjustment\\n ...Shaam6111DataContentBalanceSheet\\n }\\n\": typeof types.Shaam6111DataContentFragmentDoc,\n \"\\n fragment Shaam6111DataContentTaxAdjustment on Shaam6111Data {\\n id\\n taxAdjustment {\\n code\\n amount\\n label\\n }\\n }\\n\": typeof types.Shaam6111DataContentTaxAdjustmentFragmentDoc,\n \"\\n query AllSortCodesForScreen {\\n allSortCodes {\\n id\\n key\\n name\\n defaultIrsCode\\n }\\n }\\n\": typeof types.AllSortCodesForScreenDocument,\n \"\\n query AllTagsScreen {\\n allTags {\\n id\\n name\\n namePath\\n parent {\\n id\\n }\\n ...EditTagFields\\n }\\n }\\n\": typeof types.AllTagsScreenDocument,\n \"\\n query AllTaxCategoriesForScreen {\\n taxCategories {\\n id\\n name\\n sortCode {\\n id\\n key\\n name\\n }\\n }\\n }\\n\": typeof types.AllTaxCategoriesForScreenDocument,\n \"\\n fragment TransactionsTableAccountFields on Transaction {\\n id\\n account {\\n id\\n name\\n type\\n }\\n }\\n\": typeof types.TransactionsTableAccountFieldsFragmentDoc,\n \"\\n fragment TransactionsTableEntityFields on Transaction {\\n id\\n counterparty {\\n name\\n id\\n }\\n sourceDescription\\n missingInfoSuggestions {\\n business {\\n id\\n name\\n }\\n }\\n }\\n\": typeof types.TransactionsTableEntityFieldsFragmentDoc,\n \"\\n fragment TransactionsTableDebitDateFields on Transaction {\\n id\\n effectiveDate\\n sourceEffectiveDate\\n }\\n\": typeof types.TransactionsTableDebitDateFieldsFragmentDoc,\n \"\\n fragment TransactionsTableDescriptionFields on Transaction {\\n id\\n sourceDescription\\n }\\n\": typeof types.TransactionsTableDescriptionFieldsFragmentDoc,\n \"\\n fragment TransactionsTableEventDateFields on Transaction {\\n id\\n eventDate\\n }\\n\": typeof types.TransactionsTableEventDateFieldsFragmentDoc,\n \"\\n fragment TransactionsTableSourceIDFields on Transaction {\\n id\\n referenceKey\\n }\\n\": typeof types.TransactionsTableSourceIdFieldsFragmentDoc,\n \"\\n fragment TransactionForTransactionsTableFields on Transaction {\\n id\\n chargeId\\n eventDate\\n effectiveDate\\n sourceEffectiveDate\\n amount {\\n raw\\n formatted\\n }\\n cryptoExchangeRate {\\n rate\\n }\\n account {\\n id\\n name\\n type\\n }\\n sourceDescription\\n referenceKey\\n counterparty {\\n name\\n id\\n }\\n missingInfoSuggestions {\\n business {\\n id\\n name\\n }\\n }\\n }\\n\": typeof types.TransactionForTransactionsTableFieldsFragmentDoc,\n \"\\n fragment TransactionToDownloadForTransactionsTableFields on Transaction {\\n id\\n account {\\n id\\n name\\n type\\n }\\n amount {\\n currency\\n raw\\n }\\n counterparty {\\n id\\n name\\n }\\n effectiveDate\\n eventDate\\n referenceKey\\n sourceDescription\\n }\\n\": typeof types.TransactionToDownloadForTransactionsTableFieldsFragmentDoc,\n \"\\n mutation AcceptInvitation($token: String!) {\\n acceptInvitation(token: $token) {\\n success\\n businessId\\n roleId\\n }\\n }\\n\": typeof types.AcceptInvitationDocument,\n \"\\n mutation AddBusinessTripAccommodationsExpense(\\n $fields: AddBusinessTripAccommodationsExpenseInput!\\n ) {\\n addBusinessTripAccommodationsExpense(fields: $fields)\\n }\\n\": typeof types.AddBusinessTripAccommodationsExpenseDocument,\n \"\\n mutation AddBusinessTripCarRentalExpense($fields: AddBusinessTripCarRentalExpenseInput!) {\\n addBusinessTripCarRentalExpense(fields: $fields)\\n }\\n\": typeof types.AddBusinessTripCarRentalExpenseDocument,\n \"\\n mutation AddBusinessTripFlightsExpense($fields: AddBusinessTripFlightsExpenseInput!) {\\n addBusinessTripFlightsExpense(fields: $fields)\\n }\\n\": typeof types.AddBusinessTripFlightsExpenseDocument,\n \"\\n mutation AddBusinessTripOtherExpense($fields: AddBusinessTripOtherExpenseInput!) {\\n addBusinessTripOtherExpense(fields: $fields)\\n }\\n\": typeof types.AddBusinessTripOtherExpenseDocument,\n \"\\n mutation AddBusinessTripTravelAndSubsistenceExpense(\\n $fields: AddBusinessTripTravelAndSubsistenceExpenseInput!\\n ) {\\n addBusinessTripTravelAndSubsistenceExpense(fields: $fields)\\n }\\n\": typeof types.AddBusinessTripTravelAndSubsistenceExpenseDocument,\n \"\\n mutation AddDepreciationRecord($fields: InsertDepreciationRecordInput!) {\\n insertDepreciationRecord(input: $fields) {\\n __typename\\n ... on CommonError {\\n message\\n }\\n ... on DepreciationRecord {\\n id\\n }\\n }\\n }\\n\": typeof types.AddDepreciationRecordDocument,\n \"\\n mutation AddSortCode($key: Int!, $name: String!, $defaultIrsCode: Int) {\\n addSortCode(key: $key, name: $name, defaultIrsCode: $defaultIrsCode)\\n }\\n\": typeof types.AddSortCodeDocument,\n \"\\n mutation AddTag($tagName: String!, $parentTag: UUID) {\\n addTag(name: $tagName, parentId: $parentTag)\\n }\\n\": typeof types.AddTagDocument,\n \"\\n mutation AssignChargeToDeposit($chargeId: UUID!, $depositId: String!) {\\n assignChargeToDeposit(chargeId: $chargeId, depositId: $depositId) {\\n id\\n isOpen\\n currentBalance {\\n formatted\\n }\\n transactions {\\n id\\n }\\n }\\n }\\n\": typeof types.AssignChargeToDepositDocument,\n \"\\n mutation GenerateBalanceCharge(\\n $description: String!\\n $balanceRecords: [InsertMiscExpenseInput!]!\\n ) {\\n generateBalanceCharge(description: $description, balanceRecords: $balanceRecords) {\\n id\\n }\\n }\\n\": typeof types.GenerateBalanceChargeDocument,\n \"\\n mutation BatchUpdateCharges($chargeIds: [UUID!]!, $fields: UpdateChargeInput!) {\\n batchUpdateCharges(chargeIds: $chargeIds, fields: $fields) {\\n __typename\\n ... on BatchUpdateChargesSuccessfulResult {\\n charges {\\n id\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": typeof types.BatchUpdateChargesDocument,\n \"\\n mutation CategorizeBusinessTripExpense($fields: CategorizeBusinessTripExpenseInput!) {\\n categorizeBusinessTripExpense(fields: $fields)\\n }\\n\": typeof types.CategorizeBusinessTripExpenseDocument,\n \"\\n mutation CategorizeIntoExistingBusinessTripExpense(\\n $fields: CategorizeIntoExistingBusinessTripExpenseInput!\\n ) {\\n categorizeIntoExistingBusinessTripExpense(fields: $fields)\\n }\\n\": typeof types.CategorizeIntoExistingBusinessTripExpenseDocument,\n \"\\n mutation CloseDocument($documentId: UUID!) {\\n closeDocument(id: $documentId)\\n }\\n\": typeof types.CloseDocumentDocument,\n \"\\n mutation FlagForeignFeeTransactions {\\n flagForeignFeeTransactions {\\n success\\n errors\\n }\\n }\\n\": typeof types.FlagForeignFeeTransactionsDocument,\n \"\\n mutation MergeChargesByTransactionReference {\\n mergeChargesByTransactionReference {\\n success\\n errors\\n }\\n }\\n\": typeof types.MergeChargesByTransactionReferenceDocument,\n \"\\n mutation CalculateCreditcardTransactionsDebitDate {\\n calculateCreditcardTransactionsDebitDate\\n }\\n\": typeof types.CalculateCreditcardTransactionsDebitDateDocument,\n \"\\n mutation CreateContract($input: CreateContractInput!) {\\n createContract(input: $input) {\\n id\\n }\\n }\\n\": typeof types.CreateContractDocument,\n \"\\n mutation CreateDeposit($currency: Currency!) {\\n createDeposit(currency: $currency) {\\n id\\n currency\\n isOpen\\n }\\n }\\n\": typeof types.CreateDepositDocument,\n \"\\n mutation CreateFinancialAccount($input: CreateFinancialAccountInput!) {\\n createFinancialAccount(input: $input) {\\n id\\n }\\n }\\n\": typeof types.CreateFinancialAccountDocument,\n \"\\n mutation CreditShareholdersBusinessTripTravelAndSubsistence($businessTripId: UUID!) {\\n creditShareholdersBusinessTripTravelAndSubsistence(businessTripId: $businessTripId)\\n }\\n\": typeof types.CreditShareholdersBusinessTripTravelAndSubsistenceDocument,\n \"\\n mutation DeleteBusinessTripAttendee($fields: DeleteBusinessTripAttendeeInput!) {\\n deleteBusinessTripAttendee(fields: $fields)\\n }\\n\": typeof types.DeleteBusinessTripAttendeeDocument,\n \"\\n mutation DeleteBusinessTripExpense($businessTripExpenseId: UUID!) {\\n deleteBusinessTripExpense(businessTripExpenseId: $businessTripExpenseId)\\n }\\n\": typeof types.DeleteBusinessTripExpenseDocument,\n \"\\n mutation DeleteCharge($chargeId: UUID!) {\\n deleteCharge(chargeId: $chargeId)\\n }\\n\": typeof types.DeleteChargeDocument,\n \"\\n mutation DeleteContract($contractId: UUID!) {\\n deleteContract(id: $contractId)\\n }\\n\": typeof types.DeleteContractDocument,\n \"\\n mutation DeleteDepreciationRecord($depreciationRecordId: UUID!) {\\n deleteDepreciationRecord(depreciationRecordId: $depreciationRecordId)\\n }\\n\": typeof types.DeleteDepreciationRecordDocument,\n \"\\n mutation DeleteDocument($documentId: UUID!) {\\n deleteDocument(documentId: $documentId)\\n }\\n\": typeof types.DeleteDocumentDocument,\n \"\\n mutation DeleteDynamicReportTemplate($name: String!) {\\n deleteDynamicReportTemplate(name: $name)\\n }\\n\": typeof types.DeleteDynamicReportTemplateDocument,\n \"\\n mutation DeleteMiscExpense($id: UUID!) {\\n deleteMiscExpense(id: $id)\\n }\\n\": typeof types.DeleteMiscExpenseDocument,\n \"\\n mutation DeleteTag($tagId: UUID!) {\\n deleteTag(id: $tagId)\\n }\\n\": typeof types.DeleteTagDocument,\n \"\\n mutation GenerateRevaluationCharge($ownerId: UUID!, $date: TimelessDate!) {\\n generateRevaluationCharge(ownerId: $ownerId, date: $date) {\\n id\\n }\\n }\\n\": typeof types.GenerateRevaluationChargeDocument,\n \"\\n mutation GenerateBankDepositsRevaluationCharge($ownerId: UUID!, $date: TimelessDate!) {\\n generateBankDepositsRevaluationCharge(ownerId: $ownerId, date: $date) {\\n id\\n }\\n }\\n\": typeof types.GenerateBankDepositsRevaluationChargeDocument,\n \"\\n mutation GenerateTaxExpensesCharge($ownerId: UUID!, $date: TimelessDate!) {\\n generateTaxExpensesCharge(ownerId: $ownerId, year: $date) {\\n id\\n }\\n }\\n\": typeof types.GenerateTaxExpensesChargeDocument,\n \"\\n mutation GenerateDepreciationCharge($ownerId: UUID!, $date: TimelessDate!) {\\n generateDepreciationCharge(ownerId: $ownerId, year: $date) {\\n id\\n }\\n }\\n\": typeof types.GenerateDepreciationChargeDocument,\n \"\\n mutation GenerateRecoveryReserveCharge($ownerId: UUID!, $date: TimelessDate!) {\\n generateRecoveryReserveCharge(ownerId: $ownerId, year: $date) {\\n id\\n }\\n }\\n\": typeof types.GenerateRecoveryReserveChargeDocument,\n \"\\n mutation GenerateVacationReserveCharge($ownerId: UUID!, $date: TimelessDate!) {\\n generateVacationReserveCharge(ownerId: $ownerId, year: $date) {\\n id\\n }\\n }\\n\": typeof types.GenerateVacationReserveChargeDocument,\n \"\\n query AllAdminBusinesses {\\n allAdminBusinesses {\\n id\\n name\\n governmentId\\n }\\n }\\n\": typeof types.AllAdminBusinessesDocument,\n \"\\n query AllClients {\\n allClients {\\n id\\n originalBusiness {\\n id\\n name\\n }\\n }\\n }\\n\": typeof types.AllClientsDocument,\n \"\\n query AllBusinesses {\\n allBusinesses {\\n nodes {\\n id\\n name\\n }\\n }\\n }\\n\": typeof types.AllBusinessesDocument,\n \"\\n query AllCountries {\\n allCountries {\\n id\\n name\\n code\\n }\\n }\\n\": typeof types.AllCountriesDocument,\n \"\\n query AllFinancialAccounts {\\n allFinancialAccounts {\\n id\\n name\\n }\\n }\\n\": typeof types.AllFinancialAccountsDocument,\n \"\\n query AllFinancialEntities {\\n allFinancialEntities {\\n nodes {\\n id\\n name\\n }\\n }\\n }\\n\": typeof types.AllFinancialEntitiesDocument,\n \"\\n query AllSortCodes {\\n allSortCodes {\\n id\\n key\\n name\\n defaultIrsCode\\n }\\n }\\n\": typeof types.AllSortCodesDocument,\n \"\\n query AllTags {\\n allTags {\\n id\\n name\\n namePath\\n }\\n }\\n\": typeof types.AllTagsDocument,\n \"\\n query AllTaxCategories {\\n taxCategories {\\n id\\n name\\n }\\n }\\n\": typeof types.AllTaxCategoriesDocument,\n \"\\n mutation InsertBusinessTripAttendee($fields: InsertBusinessTripAttendeeInput!) {\\n insertBusinessTripAttendee(fields: $fields)\\n }\\n\": typeof types.InsertBusinessTripAttendeeDocument,\n \"\\n mutation InsertBusinessTrip($fields: InsertBusinessTripInput!) {\\n insertBusinessTrip(fields: $fields)\\n }\\n\": typeof types.InsertBusinessTripDocument,\n \"\\n mutation InsertBusiness($fields: InsertNewBusinessInput!) {\\n insertNewBusiness(fields: $fields) {\\n __typename\\n ... on LtdFinancialEntity {\\n id\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": typeof types.InsertBusinessDocument,\n \"\\n mutation InsertClient($fields: ClientInsertInput!) {\\n insertClient(fields: $fields) {\\n __typename\\n ... on Client {\\n id\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": typeof types.InsertClientDocument,\n \"\\n mutation InsertDocument($record: InsertDocumentInput!) {\\n insertDocument(record: $record) {\\n __typename\\n ... on InsertDocumentSuccessfulResult {\\n document {\\n id\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": typeof types.InsertDocumentDocument,\n \"\\n mutation InsertDynamicReportTemplate($name: String!, $template: String!) {\\n insertDynamicReportTemplate(name: $name, template: $template) {\\n id\\n name\\n }\\n }\\n\": typeof types.InsertDynamicReportTemplateDocument,\n \"\\n mutation InsertMiscExpense($chargeId: UUID!, $fields: InsertMiscExpenseInput!) {\\n insertMiscExpense(chargeId: $chargeId, fields: $fields) {\\n id\\n }\\n }\\n\": typeof types.InsertMiscExpenseDocument,\n \"\\n mutation InsertMiscExpenses($chargeId: UUID!, $expenses: [InsertMiscExpenseInput!]!) {\\n insertMiscExpenses(chargeId: $chargeId, expenses: $expenses) {\\n id\\n }\\n }\\n\": typeof types.InsertMiscExpensesDocument,\n \"\\n mutation InsertSalaryRecord($salaryRecords: [SalaryRecordInput!]!) {\\n insertSalaryRecords(salaryRecords: $salaryRecords) {\\n __typename\\n ... on InsertSalaryRecordsSuccessfulResult {\\n salaryRecords {\\n month\\n employee {\\n id\\n }\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": typeof types.InsertSalaryRecordDocument,\n \"\\n mutation InsertTaxCategory($fields: InsertTaxCategoryInput!) {\\n insertTaxCategory(fields: $fields) {\\n id\\n name\\n }\\n }\\n\": typeof types.InsertTaxCategoryDocument,\n \"\\n mutation IssueGreenInvoiceDocument(\\n $input: DocumentIssueInput!\\n $emailContent: String\\n $attachment: Boolean\\n $chargeId: UUID\\n ) {\\n issueGreenInvoiceDocument(\\n input: $input\\n emailContent: $emailContent\\n attachment: $attachment\\n chargeId: $chargeId\\n ) {\\n id\\n }\\n }\\n\": typeof types.IssueGreenInvoiceDocumentDocument,\n \"\\n mutation IssueMonthlyDocuments($generateDocumentsInfo: [DocumentIssueInput!]!) {\\n issueGreenInvoiceDocuments(generateDocumentsInfo: $generateDocumentsInfo) {\\n success\\n errors\\n }\\n }\\n\": typeof types.IssueMonthlyDocumentsDocument,\n \"\\n mutation LedgerLock($date: TimelessDate!) {\\n lockLedgerRecords(date: $date)\\n }\\n\": typeof types.LedgerLockDocument,\n \"\\n mutation MergeBusinesses($targetBusinessId: UUID!, $businessIdsToMerge: [UUID!]!) {\\n mergeBusinesses(targetBusinessId: $targetBusinessId, businessIdsToMerge: $businessIdsToMerge) {\\n __typename\\n id\\n }\\n }\\n\": typeof types.MergeBusinessesDocument,\n \"\\n mutation MergeCharges(\\n $baseChargeID: UUID!\\n $chargeIdsToMerge: [UUID!]!\\n $fields: UpdateChargeInput\\n ) {\\n mergeCharges(\\n baseChargeID: $baseChargeID\\n chargeIdsToMerge: $chargeIdsToMerge\\n fields: $fields\\n ) {\\n __typename\\n ... on MergeChargeSuccessfulResult {\\n charge {\\n id\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": typeof types.MergeChargesDocument,\n \"\\n mutation PreviewDocument($input: DocumentIssueInput!) {\\n previewDocument(input: $input)\\n }\\n\": typeof types.PreviewDocumentDocument,\n \"\\n mutation RegenerateLedger($chargeId: UUID!) {\\n regenerateLedgerRecords(chargeId: $chargeId) {\\n __typename\\n ... on Ledger {\\n records {\\n id\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": typeof types.RegenerateLedgerDocument,\n \"\\n mutation SyncGreenInvoiceDocuments($ownerId: UUID!) {\\n syncGreenInvoiceDocuments(ownerId: $ownerId) {\\n id\\n ...NewFetchedDocumentFields\\n }\\n }\\n\": typeof types.SyncGreenInvoiceDocumentsDocument,\n \"\\n mutation UpdateAdminBusiness($adminBusinessId: UUID!, $fields: UpdateAdminBusinessInput!) {\\n updateAdminBusiness(businessId: $adminBusinessId, fields: $fields) {\\n id\\n }\\n }\\n\": typeof types.UpdateAdminBusinessDocument,\n \"\\n mutation UpdateBusinessTripAccommodationsExpense(\\n $fields: UpdateBusinessTripAccommodationsExpenseInput!\\n ) {\\n updateBusinessTripAccommodationsExpense(fields: $fields)\\n }\\n\": typeof types.UpdateBusinessTripAccommodationsExpenseDocument,\n \"\\n mutation UpdateBusinessTripAccountantApproval(\\n $businessTripId: UUID!\\n $status: AccountantStatus!\\n ) {\\n updateBusinessTripAccountantApproval(businessTripId: $businessTripId, approvalStatus: $status)\\n }\\n\": typeof types.UpdateBusinessTripAccountantApprovalDocument,\n \"\\n mutation UpdateBusinessTripAttendee($fields: BusinessTripAttendeeUpdateInput!) {\\n updateBusinessTripAttendee(fields: $fields)\\n }\\n\": typeof types.UpdateBusinessTripAttendeeDocument,\n \"\\n mutation UpdateBusinessTripCarRentalExpense($fields: UpdateBusinessTripCarRentalExpenseInput!) {\\n updateBusinessTripCarRentalExpense(fields: $fields)\\n }\\n\": typeof types.UpdateBusinessTripCarRentalExpenseDocument,\n \"\\n mutation UpdateBusinessTripFlightsExpense($fields: UpdateBusinessTripFlightsExpenseInput!) {\\n updateBusinessTripFlightsExpense(fields: $fields)\\n }\\n\": typeof types.UpdateBusinessTripFlightsExpenseDocument,\n \"\\n mutation UpdateBusinessTripOtherExpense($fields: UpdateBusinessTripOtherExpenseInput!) {\\n updateBusinessTripOtherExpense(fields: $fields)\\n }\\n\": typeof types.UpdateBusinessTripOtherExpenseDocument,\n \"\\n mutation UpdateBusinessTripTravelAndSubsistenceExpense(\\n $fields: UpdateBusinessTripTravelAndSubsistenceExpenseInput!\\n ) {\\n updateBusinessTripTravelAndSubsistenceExpense(fields: $fields)\\n }\\n\": typeof types.UpdateBusinessTripTravelAndSubsistenceExpenseDocument,\n \"\\n mutation UpdateBusiness($businessId: UUID!, $ownerId: UUID!, $fields: UpdateBusinessInput!) {\\n updateBusiness(businessId: $businessId, ownerId: $ownerId, fields: $fields) {\\n __typename\\n ... on LtdFinancialEntity {\\n id\\n name\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": typeof types.UpdateBusinessDocument,\n \"\\n mutation UpdateChargeAccountantApproval($chargeId: UUID!, $status: AccountantStatus!) {\\n updateChargeAccountantApproval(chargeId: $chargeId, approvalStatus: $status)\\n }\\n\": typeof types.UpdateChargeAccountantApprovalDocument,\n \"\\n mutation UpdateCharge($chargeId: UUID!, $fields: UpdateChargeInput!) {\\n updateCharge(chargeId: $chargeId, fields: $fields) {\\n __typename\\n ... on UpdateChargeSuccessfulResult {\\n charge {\\n id\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": typeof types.UpdateChargeDocument,\n \"\\n mutation UpdateClient($businessId: UUID!, $fields: ClientUpdateInput!) {\\n updateClient(businessId: $businessId, fields: $fields) {\\n __typename\\n ... on Client {\\n id\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": typeof types.UpdateClientDocument,\n \"\\n mutation UpdateContract($contractId: UUID!, $input: UpdateContractInput!) {\\n updateContract(contractId: $contractId, input: $input) {\\n id\\n }\\n }\\n\": typeof types.UpdateContractDocument,\n \"\\n mutation UpdateDepreciationRecord($fields: UpdateDepreciationRecordInput!) {\\n updateDepreciationRecord(input: $fields) {\\n __typename\\n ... on CommonError {\\n message\\n }\\n ... on DepreciationRecord {\\n id\\n }\\n }\\n }\\n\": typeof types.UpdateDepreciationRecordDocument,\n \"\\n mutation UpdateDocument($documentId: UUID!, $fields: UpdateDocumentFieldsInput!) {\\n updateDocument(documentId: $documentId, fields: $fields) {\\n __typename\\n ... on CommonError {\\n message\\n }\\n ... on UpdateDocumentSuccessfulResult {\\n document {\\n id\\n }\\n }\\n }\\n }\\n\": typeof types.UpdateDocumentDocument,\n \"\\n mutation UpdateDynamicReportTemplateName($name: String!, $newName: String!) {\\n updateDynamicReportTemplateName(name: $name, newName: $newName) {\\n id\\n name\\n }\\n }\\n\": typeof types.UpdateDynamicReportTemplateNameDocument,\n \"\\n mutation UpdateDynamicReportTemplate($name: String!, $template: String!) {\\n updateDynamicReportTemplate(name: $name, template: $template) {\\n id\\n name\\n }\\n }\\n\": typeof types.UpdateDynamicReportTemplateDocument,\n \"\\n mutation UpdateFinancialAccount(\\n $financialAccountId: UUID!\\n $fields: UpdateFinancialAccountInput!\\n ) {\\n updateFinancialAccount(id: $financialAccountId, fields: $fields) {\\n id\\n }\\n }\\n\": typeof types.UpdateFinancialAccountDocument,\n \"\\n mutation UpdateMiscExpense($id: UUID!, $fields: UpdateMiscExpenseInput!) {\\n updateMiscExpense(id: $id, fields: $fields) {\\n id\\n }\\n }\\n\": typeof types.UpdateMiscExpenseDocument,\n \"\\n mutation UpdateOrInsertSalaryRecords($salaryRecords: [SalaryRecordInput!]!) {\\n insertOrUpdateSalaryRecords(salaryRecords: $salaryRecords) {\\n __typename\\n ... on InsertSalaryRecordsSuccessfulResult {\\n salaryRecords {\\n month\\n employee {\\n id\\n }\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": typeof types.UpdateOrInsertSalaryRecordsDocument,\n \"\\n mutation UpdateSalaryRecord($salaryRecord: SalaryRecordEditInput!) {\\n updateSalaryRecord(salaryRecord: $salaryRecord) {\\n __typename\\n ... on UpdateSalaryRecordSuccessfulResult {\\n salaryRecord {\\n month\\n employee {\\n id\\n }\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": typeof types.UpdateSalaryRecordDocument,\n \"\\n mutation UpdateSortCode($key: Int!, $fields: UpdateSortCodeFieldsInput!) {\\n updateSortCode(key: $key, fields: $fields)\\n }\\n\": typeof types.UpdateSortCodeDocument,\n \"\\n mutation UpdateTag($tagId: UUID!, $fields: UpdateTagFieldsInput!) {\\n updateTag(id: $tagId, fields: $fields)\\n }\\n\": typeof types.UpdateTagDocument,\n \"\\n mutation UpdateTaxCategory($taxCategoryId: UUID!, $fields: UpdateTaxCategoryInput!) {\\n updateTaxCategory(taxCategoryId: $taxCategoryId, fields: $fields) {\\n __typename\\n ... on TaxCategory {\\n id\\n name\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": typeof types.UpdateTaxCategoryDocument,\n \"\\n mutation UpdateTransaction($transactionId: UUID!, $fields: UpdateTransactionInput!) {\\n updateTransaction(transactionId: $transactionId, fields: $fields) {\\n __typename\\n ... on Transaction {\\n id\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": typeof types.UpdateTransactionDocument,\n \"\\n mutation UpdateTransactions($transactionIds: [UUID!]!, $fields: UpdateTransactionInput!) {\\n updateTransactions(transactionIds: $transactionIds, fields: $fields) {\\n __typename\\n ... on UpdatedTransactionsSuccessfulResult {\\n transactions {\\n ... on Transaction {\\n id\\n }\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": typeof types.UpdateTransactionsDocument,\n \"\\n mutation UploadDocument($file: FileScalar!, $chargeId: UUID) {\\n uploadDocument(file: $file, chargeId: $chargeId) {\\n __typename\\n ... on UploadDocumentSuccessfulResult {\\n document {\\n id\\n charge {\\n id\\n }\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": typeof types.UploadDocumentDocument,\n \"\\n mutation UploadDocumentsFromGoogleDrive(\\n $sharedFolderUrl: String!\\n $chargeId: UUID\\n $isSensitive: Boolean\\n ) {\\n batchUploadDocumentsFromGoogleDrive(\\n sharedFolderUrl: $sharedFolderUrl\\n chargeId: $chargeId\\n isSensitive: $isSensitive\\n ) {\\n ... on CommonError {\\n message\\n }\\n ... on UploadDocumentSuccessfulResult {\\n document {\\n id\\n ...NewFetchedDocumentFields\\n }\\n }\\n }\\n }\\n\": typeof types.UploadDocumentsFromGoogleDriveDocument,\n \"\\n mutation UploadMultipleDocuments(\\n $documents: [FileScalar!]!\\n $chargeId: UUID\\n $isSensitive: Boolean\\n ) {\\n batchUploadDocuments(documents: $documents, chargeId: $chargeId, isSensitive: $isSensitive) {\\n ... on CommonError {\\n message\\n }\\n ... on UploadDocumentSuccessfulResult {\\n document {\\n id\\n ...NewFetchedDocumentFields\\n }\\n }\\n }\\n }\\n\": typeof types.UploadMultipleDocumentsDocument,\n \"\\n mutation UploadPayrollFile($file: FileScalar!, $chargeId: UUID!) {\\n insertSalaryRecordsFromFile(file: $file, chargeId: $chargeId)\\n }\\n\": typeof types.UploadPayrollFileDocument,\n \"\\n query UserContext {\\n userContext {\\n adminBusinessId\\n defaultLocalCurrency\\n defaultCryptoConversionFiatCurrency\\n ledgerLock\\n financialAccountsBusinessesIds\\n locality\\n }\\n }\\n\": typeof types.UserContextDocument,\n \"\\n query BusinessEmailConfig($email: String!) {\\n businessEmailConfig(email: $email) {\\n businessId\\n internalEmailLinks\\n emailBody\\n attachments\\n }\\n }\\n\": typeof types.BusinessEmailConfigDocument,\n \"\\n mutation InsertEmailDocuments(\\n $documents: [FileScalar!]!\\n $userDescription: String!\\n $messageId: String\\n $businessId: UUID\\n ) {\\n insertEmailDocuments(\\n documents: $documents\\n userDescription: $userDescription\\n messageId: $messageId\\n businessId: $businessId\\n )\\n }\\n\": typeof types.InsertEmailDocumentsDocument,\n};\nconst documents: Documents = {\n \"\\n fragment DepositTransactionFields on Transaction {\\n id\\n eventDate\\n chargeId\\n amount {\\n raw\\n formatted\\n currency\\n }\\n debitExchangeRates {\\n aud\\n cad\\n eur\\n gbp\\n jpy\\n sek\\n usd\\n date\\n }\\n eventExchangeRates {\\n aud\\n cad\\n eur\\n gbp\\n jpy\\n sek\\n usd\\n date\\n }\\n }\\n\": types.DepositTransactionFieldsFragmentDoc,\n \"\\n query SharedDepositTransactions($depositId: String!) {\\n deposit(depositId: $depositId) {\\n id\\n currency\\n transactions {\\n id\\n ...DepositTransactionFields\\n }\\n }\\n }\\n\": types.SharedDepositTransactionsDocument,\n \"\\n query BusinessLedgerInfo($filters: BusinessTransactionsFilter) {\\n businessTransactionsFromLedgerRecords(filters: $filters) {\\n ... on BusinessTransactionsFromLedgerRecordsSuccessfulResult {\\n businessTransactions {\\n amount {\\n formatted\\n raw\\n }\\n business {\\n id\\n name\\n }\\n foreignAmount {\\n formatted\\n raw\\n currency\\n }\\n invoiceDate\\n reference\\n details\\n counterAccount {\\n __typename\\n id\\n name\\n }\\n chargeId\\n }\\n }\\n ... on CommonError {\\n __typename\\n message\\n }\\n }\\n }\\n\": types.BusinessLedgerInfoDocument,\n \"\\n query BusinessLedgerRecordsSummery($filters: BusinessTransactionsFilter) {\\n businessTransactionsSumFromLedgerRecords(filters: $filters) {\\n ... on BusinessTransactionsSumFromLedgerRecordsSuccessfulResult {\\n businessTransactionsSum {\\n business {\\n id\\n name\\n }\\n credit {\\n formatted\\n }\\n debit {\\n formatted\\n }\\n total {\\n formatted\\n raw\\n }\\n foreignCurrenciesSum {\\n currency\\n credit {\\n formatted\\n }\\n debit {\\n formatted\\n }\\n total {\\n formatted\\n raw\\n }\\n }\\n }\\n }\\n ... on CommonError {\\n __typename\\n message\\n }\\n }\\n }\\n\": types.BusinessLedgerRecordsSummeryDocument,\n \"\\n query BusinessTripScreen($businessTripId: UUID!) {\\n businessTrip(id: $businessTripId) {\\n id\\n name\\n dates {\\n start\\n }\\n }\\n }\\n\": types.BusinessTripScreenDocument,\n \"\\n fragment BusinessTripsRowFields on BusinessTrip {\\n id\\n name\\n accountantApproval\\n }\\n\": types.BusinessTripsRowFieldsFragmentDoc,\n \"\\n query BusinessTripsRowValidation($id: UUID!) {\\n businessTrip(id: $id) {\\n id\\n uncategorizedTransactions {\\n transaction {\\n ... on Transaction @defer {\\n id\\n }\\n }\\n }\\n summary {\\n ... on BusinessTripSummary @defer {\\n errors\\n }\\n }\\n }\\n }\\n\": types.BusinessTripsRowValidationDocument,\n \"\\n query EditableBusinessTrip($businessTripId: UUID!) {\\n businessTrip(id: $businessTripId) {\\n id\\n ...BusinessTripReportHeaderFields\\n ...BusinessTripReportAttendeesFields\\n ...BusinessTripUncategorizedTransactionsFields\\n ...BusinessTripReportFlightsFields\\n ...BusinessTripReportAccommodationsFields\\n ...BusinessTripReportTravelAndSubsistenceFields\\n ...BusinessTripReportCarRentalFields\\n ...BusinessTripReportOtherFields\\n ...BusinessTripReportSummaryFields\\n ... on BusinessTrip {\\n uncategorizedTransactions {\\n transaction {\\n id\\n }\\n }\\n }\\n }\\n }\\n\": types.EditableBusinessTripDocument,\n \"\\n query BusinessTripsScreen {\\n allBusinessTrips {\\n id\\n name\\n dates {\\n start\\n }\\n ...BusinessTripsRowFields\\n }\\n }\\n\": types.BusinessTripsScreenDocument,\n \"\\n fragment BusinessAdminSection on Business {\\n id\\n ... on LtdFinancialEntity {\\n adminInfo {\\n id\\n registrationDate\\n withholdingTaxAnnualIds {\\n id\\n year\\n }\\n withholdingTaxCompanyId\\n socialSecurityEmployerIds {\\n id\\n year\\n }\\n socialSecurityDeductionsId\\n taxAdvancesAnnualIds {\\n id\\n year\\n }\\n taxAdvancesRates {\\n date\\n rate\\n }\\n }\\n }\\n }\\n\": types.BusinessAdminSectionFragmentDoc,\n \"\\n query AdminFinancialAccountsSection($adminId: UUID!) {\\n financialAccountsByOwner(ownerId: $adminId) {\\n id\\n __typename\\n name\\n number\\n type\\n privateOrBusiness\\n accountTaxCategories {\\n id\\n currency\\n taxCategory {\\n id\\n name\\n }\\n }\\n ... on BankFinancialAccount {\\n bankNumber\\n branchNumber\\n iban\\n swiftCode\\n extendedBankNumber\\n partyPreferredIndication\\n partyAccountInvolvementCode\\n accountDealDate\\n accountUpdateDate\\n metegDoarNet\\n kodHarshaatPeilut\\n accountClosingReasonCode\\n accountAgreementOpeningDate\\n serviceAuthorizationDesc\\n branchTypeCode\\n mymailEntitlementSwitch\\n productLabel\\n }\\n }\\n }\\n\": types.AdminFinancialAccountsSectionDocument,\n \"\\n fragment BusinessHeader on Business {\\n __typename\\n id\\n name\\n createdAt\\n isActive\\n ... on LtdFinancialEntity {\\n governmentId\\n adminInfo {\\n id\\n }\\n clientInfo {\\n id\\n }\\n }\\n }\\n\": types.BusinessHeaderFragmentDoc,\n \"\\n query BusinessChargesSection($page: Int, $limit: Int, $filters: ChargeFilter) {\\n allCharges(page: $page, limit: $limit, filters: $filters) {\\n nodes {\\n id\\n ...ChargesTableFields\\n }\\n pageInfo {\\n totalPages\\n }\\n }\\n }\\n\": types.BusinessChargesSectionDocument,\n \"\\n query ClientContractsSection($clientId: UUID!) {\\n contractsByClient(clientId: $clientId) {\\n id\\n purchaseOrders\\n startDate\\n endDate\\n amount {\\n raw\\n currency\\n }\\n billingCycle\\n isActive\\n product\\n documentType\\n remarks\\n plan\\n msCloud\\n operationsLimit\\n }\\n }\\n\": types.ClientContractsSectionDocument,\n \"\\n fragment ClientIntegrationsSection on LtdFinancialEntity {\\n id\\n clientInfo {\\n id\\n integrations {\\n id\\n greenInvoiceInfo {\\n businessId\\n greenInvoiceId\\n }\\n hiveId\\n linearId\\n slackChannelKey\\n notionId\\n workflowyUrl\\n }\\n }\\n }\\n\": types.ClientIntegrationsSectionFragmentDoc,\n \"\\n query ClientIntegrationsSectionGreenInvoice($clientId: UUID!) {\\n greenInvoiceClient(clientId: $clientId) {\\n businessId\\n greenInvoiceId\\n country {\\n id\\n name\\n }\\n emails\\n name\\n phone\\n taxId\\n address\\n city\\n zip\\n fax\\n mobile\\n }\\n }\\n\": types.ClientIntegrationsSectionGreenInvoiceDocument,\n \"\\n query ContractBasedDocumentDraft($issueMonth: TimelessDate!, $contractId: UUID!) {\\n periodicalDocumentDraftsByContracts(issueMonth: $issueMonth, contractIds: [$contractId]) {\\n ...NewDocumentDraft\\n }\\n }\\n\": types.ContractBasedDocumentDraftDocument,\n \"\\n fragment BusinessConfigurationSection on Business {\\n __typename\\n id\\n pcn874RecordType\\n irsCode\\n isActive\\n ... on LtdFinancialEntity {\\n optionalVAT\\n exemptDealer\\n isReceiptEnough\\n isDocumentsOptional\\n sortCode {\\n id\\n key\\n defaultIrsCode\\n }\\n taxCategory {\\n id\\n }\\n suggestions {\\n phrases\\n emails\\n tags {\\n id\\n }\\n description\\n emailListener {\\n internalEmailLinks\\n emailBody\\n attachments\\n }\\n }\\n clientInfo {\\n id\\n }\\n }\\n }\\n\": types.BusinessConfigurationSectionFragmentDoc,\n \"\\n fragment BusinessContactSection on Business {\\n __typename\\n id\\n ... on LtdFinancialEntity {\\n name\\n hebrewName\\n country {\\n id\\n code\\n }\\n governmentId\\n address\\n city\\n zipCode\\n email\\n # localAddress\\n phoneNumber\\n website\\n clientInfo {\\n id\\n emails\\n }\\n }\\n }\\n\": types.BusinessContactSectionFragmentDoc,\n \"\\n fragment BusinessPage on Business {\\n id\\n ... on LtdFinancialEntity {\\n clientInfo {\\n id\\n }\\n adminInfo {\\n id\\n }\\n }\\n ...ClientIntegrationsSection\\n ...BusinessHeader\\n ...BusinessContactSection\\n ...BusinessConfigurationSection\\n ...BusinessAdminSection\\n }\\n\": types.BusinessPageFragmentDoc,\n \"\\n query BusinessLedgerSection($businessId: UUID!) {\\n ledgerRecordsByFinancialEntity(financialEntityId: $businessId) {\\n id\\n ...LedgerRecordsTableFields\\n }\\n }\\n\": types.BusinessLedgerSectionDocument,\n \"\\n query BusinessTransactionsSection($businessId: UUID!) {\\n transactionsByFinancialEntity(financialEntityID: $businessId) {\\n id\\n ...TransactionForTransactionsTableFields\\n ...TransactionToDownloadForTransactionsTableFields\\n }\\n }\\n\": types.BusinessTransactionsSectionDocument,\n \"\\n query AllBusinessesForScreen($page: Int, $limit: Int, $name: String) {\\n allBusinesses(page: $page, limit: $limit, name: $name) {\\n nodes {\\n __typename\\n id\\n name\\n ... on LtdFinancialEntity {\\n ...BusinessHeader\\n }\\n }\\n pageInfo {\\n totalPages\\n totalRecords\\n }\\n }\\n }\\n\": types.AllBusinessesForScreenDocument,\n \"\\n fragment ChargeMatchesTableFields on ChargeMatch {\\n charge {\\n id\\n __typename\\n minEventDate\\n minDebitDate\\n minDocumentsDate\\n totalAmount {\\n raw\\n formatted\\n }\\n vat {\\n raw\\n formatted\\n }\\n counterparty {\\n name\\n id\\n }\\n userDescription\\n tags {\\n id\\n name\\n namePath\\n }\\n taxCategory {\\n id\\n name\\n }\\n # ...ChargesTableRowFields\\n }\\n confidenceScore\\n }\\n\": types.ChargeMatchesTableFieldsFragmentDoc,\n \"\\n query ChargeExtendedInfoForChargeMatches($chargeId: UUID!) {\\n charge(chargeId: $chargeId) {\\n id\\n transactions {\\n id\\n ...TransactionForTransactionsTableFields\\n }\\n additionalDocuments {\\n id\\n ...TableDocumentsRowFields\\n }\\n }\\n }\\n\": types.ChargeExtendedInfoForChargeMatchesDocument,\n \"\\n query ChargesLedgerValidation($limit: Int, $filters: ChargeFilter) {\\n chargesWithLedgerChanges(limit: $limit, filters: $filters) @stream {\\n progress\\n charge {\\n id\\n ...ChargesTableFields\\n }\\n }\\n }\\n\": types.ChargesLedgerValidationDocument,\n \"\\n fragment ChargesTableAccountantApprovalFields on Charge {\\n id\\n accountantApproval\\n }\\n\": types.ChargesTableAccountantApprovalFieldsFragmentDoc,\n \"\\n fragment ChargesTableAmountFields on Charge {\\n __typename\\n id\\n totalAmount {\\n raw\\n formatted\\n }\\n ... on CreditcardBankCharge @defer {\\n validCreditCardAmount\\n }\\n }\\n\": types.ChargesTableAmountFieldsFragmentDoc,\n \"\\n fragment ChargesTableBusinessTripFields on Charge {\\n id\\n ... on BusinessTripCharge {\\n businessTrip {\\n id\\n name\\n }\\n }\\n }\\n\": types.ChargesTableBusinessTripFieldsFragmentDoc,\n \"\\n fragment ChargesTableEntityFields on Charge {\\n __typename\\n id\\n counterparty {\\n name\\n id\\n }\\n ... on Charge @defer {\\n validationData {\\n missingInfo\\n }\\n }\\n }\\n\": types.ChargesTableEntityFieldsFragmentDoc,\n \"\\n fragment ChargesTableDateFields on Charge {\\n id\\n minEventDate\\n minDebitDate\\n minDocumentsDate\\n }\\n\": types.ChargesTableDateFieldsFragmentDoc,\n \"\\n fragment ChargesTableDescriptionFields on Charge {\\n id\\n userDescription\\n ... on Charge @defer {\\n validationData {\\n missingInfo\\n }\\n missingInfoSuggestions {\\n description\\n }\\n }\\n }\\n\": types.ChargesTableDescriptionFieldsFragmentDoc,\n \"\\n fragment ChargesTableMoreInfoFields on Charge {\\n __typename\\n id\\n metadata {\\n transactionsCount\\n documentsCount\\n ledgerCount\\n miscExpensesCount\\n ... on ChargeMetadata @defer {\\n invalidLedger\\n }\\n }\\n ... on Charge @defer {\\n validationData {\\n missingInfo\\n }\\n }\\n }\\n\": types.ChargesTableMoreInfoFieldsFragmentDoc,\n \"\\n fragment ChargesTableTagsFields on Charge {\\n id\\n tags {\\n id\\n name\\n namePath\\n }\\n ... on Charge @defer {\\n validationData {\\n ... on ValidationData {\\n missingInfo\\n }\\n }\\n missingInfoSuggestions {\\n ... on ChargeSuggestions {\\n tags {\\n id\\n name\\n namePath\\n }\\n }\\n }\\n }\\n }\\n\": types.ChargesTableTagsFieldsFragmentDoc,\n \"\\n fragment ChargesTableTaxCategoryFields on Charge {\\n __typename\\n id\\n taxCategory {\\n id\\n name\\n }\\n ... on Charge @defer {\\n validationData {\\n missingInfo\\n }\\n }\\n }\\n\": types.ChargesTableTaxCategoryFieldsFragmentDoc,\n \"\\n fragment ChargesTableTypeFields on Charge {\\n __typename\\n id\\n }\\n\": types.ChargesTableTypeFieldsFragmentDoc,\n \"\\n fragment ChargesTableVatFields on Charge {\\n __typename\\n id\\n vat {\\n raw\\n formatted\\n }\\n totalAmount {\\n raw\\n currency\\n }\\n ... on Charge @defer {\\n validationData {\\n missingInfo\\n }\\n }\\n }\\n\": types.ChargesTableVatFieldsFragmentDoc,\n \"\\n fragment ChargesTableErrorsFields on Charge {\\n id\\n ... on Charge @defer {\\n errorsLedger: ledger {\\n ... on Ledger @defer {\\n validate {\\n ... on LedgerValidation @defer {\\n errors\\n }\\n }\\n }\\n }\\n }\\n }\\n\": types.ChargesTableErrorsFieldsFragmentDoc,\n \"\\n query FetchCharge($chargeId: UUID!) {\\n charge(chargeId: $chargeId) {\\n __typename\\n id\\n metadata {\\n transactionsCount\\n documentsCount\\n receiptsCount\\n invoicesCount\\n ledgerCount\\n isLedgerLocked\\n openDocuments\\n }\\n totalAmount {\\n raw\\n }\\n ...DocumentsGalleryFields @defer\\n ...TableDocumentsFields @defer\\n ...ChargeLedgerRecordsTableFields @defer\\n ...ChargeTableTransactionsFields @defer\\n ...ConversionChargeInfo @defer\\n ...CreditcardBankChargeInfo @defer\\n ...TableSalariesFields @defer\\n ... on BusinessTripCharge {\\n businessTrip {\\n id\\n ... on BusinessTrip @defer {\\n ...BusinessTripReportFields\\n }\\n }\\n }\\n ...ChargesTableErrorsFields @defer\\n miscExpenses {\\n id\\n }\\n ...TableMiscExpensesFields @defer\\n ...ExchangeRatesInfo @defer\\n }\\n }\\n\": types.FetchChargeDocument,\n \"\\n fragment TableDocumentsFields on Charge {\\n id\\n additionalDocuments {\\n id\\n ...TableDocumentsRowFields\\n }\\n }\\n\": types.TableDocumentsFieldsFragmentDoc,\n \"\\n fragment ChargeLedgerRecordsTableFields on Charge {\\n id\\n ledger {\\n __typename\\n records {\\n id\\n ...LedgerRecordsTableFields\\n }\\n ... on Ledger @defer {\\n validate {\\n ... on LedgerValidation @defer {\\n matches\\n differences {\\n id\\n ...LedgerRecordsTableFields\\n }\\n }\\n }\\n }\\n }\\n }\\n\": types.ChargeLedgerRecordsTableFieldsFragmentDoc,\n \"\\n fragment ChargeTableTransactionsFields on Charge {\\n id\\n transactions {\\n id\\n ...TransactionForTransactionsTableFields\\n }\\n }\\n\": types.ChargeTableTransactionsFieldsFragmentDoc,\n \"\\n fragment ChargesTableRowFields on Charge {\\n id\\n __typename\\n metadata {\\n ... on ChargeMetadata @defer {\\n documentsCount\\n ledgerCount\\n transactionsCount\\n miscExpensesCount\\n }\\n }\\n totalAmount {\\n raw\\n }\\n ...ChargesTableAccountantApprovalFields\\n ...ChargesTableAmountFields\\n ...ChargesTableBusinessTripFields @defer\\n ...ChargesTableDateFields\\n ...ChargesTableDescriptionFields\\n ...ChargesTableEntityFields @defer\\n ...ChargesTableMoreInfoFields\\n ...ChargesTableTagsFields @defer\\n ...ChargesTableTaxCategoryFields @defer\\n ...ChargesTableTypeFields\\n ...ChargesTableVatFields\\n }\\n\": types.ChargesTableRowFieldsFragmentDoc,\n \"\\n query ChargeForRow($chargeId: UUID!) {\\n charge(chargeId: $chargeId) {\\n id\\n ...ChargesTableRowFields\\n }\\n }\\n\": types.ChargeForRowDocument,\n \"\\n fragment ChargesTableFields on Charge {\\n id\\n owner {\\n id\\n }\\n ...ChargesTableRowFields\\n }\\n\": types.ChargesTableFieldsFragmentDoc,\n \"\\n query BankDepositInfo($chargeId: UUID!) {\\n depositByCharge(chargeId: $chargeId) {\\n id\\n currentBalance {\\n formatted\\n }\\n transactions {\\n id\\n chargeId\\n ...TransactionForTransactionsTableFields\\n }\\n isOpen\\n }\\n }\\n\": types.BankDepositInfoDocument,\n \"\\n query ChargeTransactionIds($chargeId: UUID!) {\\n charge(chargeId: $chargeId) {\\n id\\n transactions {\\n id\\n }\\n }\\n }\\n\": types.ChargeTransactionIdsDocument,\n \"\\n query ChargeMatches($chargeId: UUID!) {\\n findChargeMatches(chargeId: $chargeId) {\\n matches {\\n chargeId\\n ...ChargeMatchesTableFields\\n }\\n }\\n }\\n\": types.ChargeMatchesDocument,\n \"\\n fragment ConversionChargeInfo on Charge {\\n id\\n __typename\\n ... on ConversionCharge {\\n eventRate {\\n from\\n to\\n rate\\n }\\n officialRate {\\n from\\n to\\n rate\\n }\\n }\\n }\\n\": types.ConversionChargeInfoFragmentDoc,\n \"\\n fragment CreditcardBankChargeInfo on Charge {\\n id\\n __typename\\n ... on CreditcardBankCharge {\\n creditCardTransactions {\\n id\\n ...TransactionForTransactionsTableFields\\n }\\n }\\n }\\n\": types.CreditcardBankChargeInfoFragmentDoc,\n \"\\n fragment ExchangeRatesInfo on Charge {\\n id\\n __typename\\n ... on FinancialCharge {\\n exchangeRates {\\n aud\\n cad\\n eur\\n gbp\\n ils\\n jpy\\n sek\\n usd\\n eth\\n grt\\n usdc\\n }\\n }\\n }\\n\": types.ExchangeRatesInfoFragmentDoc,\n \"\\n fragment TableMiscExpensesFields on Charge {\\n id\\n miscExpenses {\\n id\\n amount {\\n formatted\\n }\\n description\\n invoiceDate\\n valueDate\\n creditor {\\n id\\n name\\n }\\n debtor {\\n id\\n name\\n }\\n chargeId\\n ...EditMiscExpenseFields\\n }\\n }\\n\": types.TableMiscExpensesFieldsFragmentDoc,\n \"\\n fragment TableSalariesFields on Charge {\\n id\\n __typename\\n ... on SalaryCharge {\\n salaryRecords {\\n directAmount {\\n formatted\\n }\\n baseAmount {\\n formatted\\n }\\n employee {\\n id\\n name\\n }\\n pensionFund {\\n id\\n name\\n }\\n pensionEmployeeAmount {\\n formatted\\n }\\n pensionEmployerAmount {\\n formatted\\n }\\n compensationsAmount {\\n formatted\\n }\\n trainingFund {\\n id\\n name\\n }\\n trainingFundEmployeeAmount {\\n formatted\\n }\\n trainingFundEmployerAmount {\\n formatted\\n }\\n socialSecurityEmployeeAmount {\\n formatted\\n }\\n socialSecurityEmployerAmount {\\n formatted\\n }\\n incomeTaxAmount {\\n formatted\\n }\\n healthInsuranceAmount {\\n formatted\\n }\\n }\\n }\\n }\\n\": types.TableSalariesFieldsFragmentDoc,\n \"\\n query IncomeChargesChart($filters: ChargeFilter) {\\n allCharges(filters: $filters) {\\n nodes {\\n id\\n transactions {\\n id\\n eventDate\\n effectiveDate\\n amount {\\n currency\\n formatted\\n raw\\n }\\n eventExchangeRates {\\n aud\\n cad\\n eur\\n gbp\\n jpy\\n sek\\n usd\\n date\\n }\\n debitExchangeRates {\\n aud\\n cad\\n eur\\n gbp\\n jpy\\n sek\\n usd\\n date\\n }\\n }\\n }\\n }\\n }\\n\": types.IncomeChargesChartDocument,\n \"\\n fragment MonthlyIncomeExpenseChartInfo on IncomeExpenseChart {\\n monthlyData {\\n income {\\n formatted\\n raw\\n }\\n expense {\\n formatted\\n raw\\n }\\n balance {\\n formatted\\n raw\\n }\\n date\\n }\\n }\\n\": types.MonthlyIncomeExpenseChartInfoFragmentDoc,\n \"\\n query MonthlyIncomeExpenseChart($filters: IncomeExpenseChartFilters!) {\\n incomeExpenseChart(filters: $filters) {\\n fromDate\\n toDate\\n currency\\n ...MonthlyIncomeExpenseChartInfo\\n }\\n }\\n\": types.MonthlyIncomeExpenseChartDocument,\n \"\\n query ContractsEditModal($contractId: UUID!) {\\n contractsById(id: $contractId) {\\n id\\n startDate\\n endDate\\n purchaseOrders\\n amount {\\n raw\\n currency\\n }\\n product\\n msCloud\\n billingCycle\\n plan\\n isActive\\n remarks\\n documentType\\n operationsLimit\\n }\\n }\\n\": types.ContractsEditModalDocument,\n \"\\n fragment BusinessTripReportFields on BusinessTrip {\\n id\\n ...BusinessTripReportHeaderFields\\n ...BusinessTripReportSummaryFields\\n }\\n\": types.BusinessTripReportFieldsFragmentDoc,\n \"\\n fragment BusinessTripAccountantApprovalFields on BusinessTrip {\\n id\\n accountantApproval\\n }\\n\": types.BusinessTripAccountantApprovalFieldsFragmentDoc,\n \"\\n query UncategorizedTransactionsByBusinessTrip($businessTripId: UUID!) {\\n businessTrip(id: $businessTripId) {\\n id\\n uncategorizedTransactions {\\n transaction {\\n id\\n eventDate\\n sourceDescription\\n referenceKey\\n counterparty {\\n id\\n name\\n }\\n amount {\\n formatted\\n raw\\n }\\n }\\n }\\n }\\n }\\n\": types.UncategorizedTransactionsByBusinessTripDocument,\n \"\\n fragment BusinessTripReportAccommodationsRowFields on BusinessTripAccommodationExpense {\\n id\\n ...BusinessTripReportCoreExpenseRowFields\\n payedByEmployee\\n country {\\n id\\n name\\n }\\n nightsCount\\n attendeesStay {\\n id\\n attendee {\\n id\\n name\\n }\\n nightsCount\\n }\\n }\\n\": types.BusinessTripReportAccommodationsRowFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportAccommodationsTableFields on BusinessTripAccommodationExpense {\\n id\\n date\\n ...BusinessTripReportAccommodationsRowFields\\n }\\n\": types.BusinessTripReportAccommodationsTableFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportAccommodationsFields on BusinessTrip {\\n id\\n accommodationExpenses {\\n id\\n ...BusinessTripReportAccommodationsTableFields\\n }\\n }\\n\": types.BusinessTripReportAccommodationsFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportAttendeeRowFields on BusinessTripAttendee {\\n id\\n name\\n arrivalDate\\n departureDate\\n flights {\\n id\\n ...BusinessTripReportFlightsTableFields\\n }\\n accommodations {\\n id\\n ...BusinessTripReportAccommodationsTableFields\\n }\\n }\\n\": types.BusinessTripReportAttendeeRowFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportAttendeesFields on BusinessTrip {\\n id\\n attendees {\\n id\\n name\\n ...BusinessTripReportAttendeeRowFields\\n }\\n }\\n\": types.BusinessTripReportAttendeesFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportCarRentalRowFields on BusinessTripCarRentalExpense {\\n id\\n payedByEmployee\\n ...BusinessTripReportCoreExpenseRowFields\\n days\\n isFuelExpense\\n }\\n\": types.BusinessTripReportCarRentalRowFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportCarRentalFields on BusinessTrip {\\n id\\n carRentalExpenses {\\n id\\n date\\n ...BusinessTripReportCarRentalRowFields\\n }\\n }\\n\": types.BusinessTripReportCarRentalFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\\n id\\n date\\n valueDate\\n amount {\\n formatted\\n raw\\n currency\\n }\\n employee {\\n id\\n name\\n }\\n payedByEmployee\\n charges {\\n id\\n }\\n }\\n\": types.BusinessTripReportCoreExpenseRowFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportFlightsRowFields on BusinessTripFlightExpense {\\n id\\n payedByEmployee\\n ...BusinessTripReportCoreExpenseRowFields\\n path\\n class\\n attendees {\\n id\\n name\\n }\\n }\\n\": types.BusinessTripReportFlightsRowFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportFlightsTableFields on BusinessTripFlightExpense {\\n id\\n date\\n ...BusinessTripReportFlightsRowFields\\n }\\n\": types.BusinessTripReportFlightsTableFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportFlightsFields on BusinessTrip {\\n id\\n flightExpenses {\\n id\\n ...BusinessTripReportFlightsTableFields\\n }\\n attendees {\\n id\\n name\\n }\\n }\\n\": types.BusinessTripReportFlightsFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportOtherRowFields on BusinessTripOtherExpense {\\n id\\n ...BusinessTripReportCoreExpenseRowFields\\n payedByEmployee\\n description\\n deductibleExpense\\n }\\n\": types.BusinessTripReportOtherRowFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportOtherFields on BusinessTrip {\\n id\\n otherExpenses {\\n id\\n date\\n ...BusinessTripReportOtherRowFields\\n }\\n }\\n\": types.BusinessTripReportOtherFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportHeaderFields on BusinessTrip {\\n id\\n name\\n dates {\\n start\\n end\\n }\\n purpose\\n destination {\\n id\\n name\\n }\\n ...BusinessTripAccountantApprovalFields\\n }\\n\": types.BusinessTripReportHeaderFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportSummaryFields on BusinessTrip {\\n id\\n ... on BusinessTrip @defer {\\n summary {\\n excessExpenditure {\\n formatted\\n }\\n excessTax\\n rows {\\n type\\n totalForeignCurrency {\\n formatted\\n }\\n totalLocalCurrency {\\n formatted\\n }\\n taxableForeignCurrency {\\n formatted\\n }\\n taxableLocalCurrency {\\n formatted\\n }\\n maxTaxableForeignCurrency {\\n formatted\\n }\\n maxTaxableLocalCurrency {\\n formatted\\n }\\n excessExpenditure {\\n formatted\\n }\\n }\\n errors\\n }\\n }\\n }\\n\": types.BusinessTripReportSummaryFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportTravelAndSubsistenceRowFields on BusinessTripTravelAndSubsistenceExpense {\\n id\\n ...BusinessTripReportCoreExpenseRowFields\\n payedByEmployee\\n expenseType\\n }\\n\": types.BusinessTripReportTravelAndSubsistenceRowFieldsFragmentDoc,\n \"\\n fragment BusinessTripReportTravelAndSubsistenceFields on BusinessTrip {\\n id\\n travelAndSubsistenceExpenses {\\n id\\n date\\n ...BusinessTripReportTravelAndSubsistenceRowFields\\n }\\n }\\n\": types.BusinessTripReportTravelAndSubsistenceFieldsFragmentDoc,\n \"\\n fragment BusinessTripUncategorizedTransactionsFields on BusinessTrip {\\n id\\n uncategorizedTransactions {\\n transaction {\\n id\\n eventDate\\n chargeId\\n amount {\\n raw\\n }\\n ...TransactionsTableEventDateFields\\n ...TransactionsTableDebitDateFields\\n ...TransactionsTableAccountFields\\n ...TransactionsTableDescriptionFields\\n ...TransactionsTableSourceIDFields\\n ...TransactionsTableEntityFields\\n }\\n ...UncategorizedTransactionsTableAmountFields\\n }\\n }\\n\": types.BusinessTripUncategorizedTransactionsFieldsFragmentDoc,\n \"\\n fragment UncategorizedTransactionsTableAmountFields on UncategorizedTransaction {\\n transaction {\\n id\\n amount {\\n raw\\n formatted\\n }\\n cryptoExchangeRate {\\n rate\\n }\\n }\\n categorizedAmount {\\n raw\\n formatted\\n }\\n errors\\n }\\n\": types.UncategorizedTransactionsTableAmountFieldsFragmentDoc,\n \"\\n fragment DepreciationRecordRowFields on DepreciationRecord {\\n id\\n amount {\\n currency\\n formatted\\n raw\\n }\\n activationDate\\n category {\\n id\\n name\\n percentage\\n }\\n type\\n charge {\\n id\\n totalAmount {\\n currency\\n formatted\\n raw\\n }\\n }\\n }\\n\": types.DepreciationRecordRowFieldsFragmentDoc,\n \"\\n query ChargeDepreciation($chargeId: UUID!) {\\n depreciationRecordsByCharge(chargeId: $chargeId) {\\n id\\n ...DepreciationRecordRowFields\\n }\\n }\\n\": types.ChargeDepreciationDocument,\n \"\\n query RecentBusinessIssuedDocuments($businessId: UUID!, $limit: Int) {\\n recentDocumentsByBusiness(businessId: $businessId, limit: $limit) {\\n id\\n ... on FinancialDocument {\\n issuedDocumentInfo {\\n id\\n status\\n externalId\\n }\\n }\\n ...TableDocumentsRowFields\\n }\\n }\\n\": types.RecentBusinessIssuedDocumentsDocument,\n \"\\n query RecentIssuedDocumentsOfSameType($documentType: DocumentType!) {\\n recentIssuedDocumentsByType(documentType: $documentType) {\\n id\\n ...TableDocumentsRowFields\\n }\\n }\\n\": types.RecentIssuedDocumentsOfSameTypeDocument,\n \"\\n query EditDocument($documentId: UUID!) {\\n documentById(documentId: $documentId) {\\n id\\n image\\n file\\n documentType\\n description\\n remarks\\n __typename\\n ... on FinancialDocument {\\n vat {\\n raw\\n currency\\n }\\n serialNumber\\n date\\n amount {\\n raw\\n currency\\n }\\n debtor {\\n id\\n name\\n }\\n creditor {\\n id\\n name\\n }\\n vatReportDateOverride\\n noVatAmount\\n allocationNumber\\n exchangeRateOverride\\n }\\n }\\n }\\n\": types.EditDocumentDocument,\n \"\\n fragment EditMiscExpenseFields on MiscExpense {\\n id\\n amount {\\n raw\\n currency\\n }\\n description\\n invoiceDate\\n valueDate\\n creditor {\\n id\\n }\\n debtor {\\n id\\n }\\n }\\n\": types.EditMiscExpenseFieldsFragmentDoc,\n \"\\n fragment EditTagFields on Tag {\\n id\\n name\\n parent {\\n id\\n name\\n }\\n }\\n\": types.EditTagFieldsFragmentDoc,\n \"\\n query EditTransaction($transactionIDs: [UUID!]!) {\\n transactionsByIDs(transactionIDs: $transactionIDs) {\\n id\\n counterparty {\\n id\\n name\\n }\\n effectiveDate\\n isFee\\n account {\\n type\\n id\\n }\\n }\\n }\\n\": types.EditTransactionDocument,\n \"\\n query ClientInfoForDocumentIssuing($businessId: UUID!) {\\n client(businessId: $businessId) {\\n id\\n integrations {\\n id\\n greenInvoiceInfo {\\n greenInvoiceId\\n businessId\\n name\\n }\\n }\\n ...IssueDocumentClientFields\\n }\\n }\\n\": types.ClientInfoForDocumentIssuingDocument,\n \"\\n query AllBusinessTrips {\\n allBusinessTrips {\\n id\\n name\\n }\\n }\\n\": types.AllBusinessTripsDocument,\n \"\\n query AllDepreciationCategories {\\n depreciationCategories {\\n id\\n name\\n percentage\\n }\\n }\\n\": types.AllDepreciationCategoriesDocument,\n \"\\n query AllEmployeesByEmployer($employerId: UUID!) {\\n employeesByEmployerId(employerId: $employerId) {\\n id\\n name\\n }\\n }\\n\": types.AllEmployeesByEmployerDocument,\n \"\\n query AllPensionFunds {\\n allPensionFunds {\\n id\\n name\\n }\\n }\\n\": types.AllPensionFundsDocument,\n \"\\n query AllTrainingFunds {\\n allTrainingFunds {\\n id\\n name\\n }\\n }\\n\": types.AllTrainingFundsDocument,\n \"\\n query AttendeesByBusinessTrip($businessTripId: UUID!) {\\n businessTrip(id: $businessTripId) {\\n id\\n attendees {\\n id\\n name\\n }\\n }\\n }\\n\": types.AttendeesByBusinessTripDocument,\n \"\\n query FetchMultipleBusinesses($businessIds: [UUID!]!) {\\n businesses(ids: $businessIds) {\\n id\\n name\\n }\\n }\\n\": types.FetchMultipleBusinessesDocument,\n \"\\n query FetchMultipleCharges($chargeIds: [UUID!]!) {\\n chargesByIDs(chargeIDs: $chargeIds) {\\n id\\n __typename\\n metadata {\\n transactionsCount\\n invoicesCount\\n }\\n owner {\\n id\\n name\\n }\\n tags {\\n id\\n name\\n namePath\\n }\\n decreasedVAT\\n property\\n isInvoicePaymentDifferentCurrency\\n userDescription\\n optionalVAT\\n optionalDocuments\\n }\\n }\\n\": types.FetchMultipleChargesDocument,\n \"\\n query EditCharge($chargeId: UUID!) {\\n charge(chargeId: $chargeId) {\\n id\\n __typename\\n counterparty {\\n id\\n name\\n }\\n owner {\\n id\\n name\\n }\\n property\\n decreasedVAT\\n isInvoicePaymentDifferentCurrency\\n userDescription\\n taxCategory {\\n id\\n name\\n }\\n tags {\\n id\\n }\\n missingInfoSuggestions {\\n ... on ChargeSuggestions {\\n tags {\\n id\\n }\\n }\\n }\\n optionalVAT\\n optionalDocuments\\n ... on BusinessTripCharge {\\n businessTrip {\\n id\\n name\\n }\\n }\\n yearsOfRelevance {\\n year\\n amount\\n }\\n }\\n }\\n\": types.EditChargeDocument,\n \"\\n query EditSalaryRecord($month: TimelessDate!, $employeeIDs: [UUID!]!) {\\n salaryRecordsByDates(fromDate: $month, toDate: $month, employeeIDs: $employeeIDs) {\\n month\\n charge {\\n id\\n }\\n directAmount {\\n raw\\n }\\n baseAmount {\\n raw\\n }\\n employee {\\n id\\n name\\n }\\n employer {\\n id\\n name\\n }\\n pensionFund {\\n id\\n name\\n }\\n pensionEmployeeAmount {\\n raw\\n }\\n pensionEmployeePercentage\\n pensionEmployerAmount {\\n raw\\n }\\n pensionEmployerPercentage\\n compensationsAmount {\\n raw\\n }\\n compensationsPercentage\\n trainingFund {\\n id\\n name\\n }\\n trainingFundEmployeeAmount {\\n raw\\n }\\n trainingFundEmployeePercentage\\n trainingFundEmployerAmount {\\n raw\\n }\\n trainingFundEmployerPercentage\\n socialSecurityEmployeeAmount {\\n raw\\n }\\n socialSecurityEmployerAmount {\\n raw\\n }\\n incomeTaxAmount {\\n raw\\n }\\n healthInsuranceAmount {\\n raw\\n }\\n globalAdditionalHoursAmount {\\n raw\\n }\\n bonus {\\n raw\\n }\\n gift {\\n raw\\n }\\n travelAndSubsistence {\\n raw\\n }\\n recovery {\\n raw\\n }\\n notionalExpense {\\n raw\\n }\\n vacationDays {\\n added\\n balance\\n }\\n vacationTakeout {\\n raw\\n }\\n workDays\\n sicknessDays {\\n balance\\n }\\n }\\n }\\n\": types.EditSalaryRecordDocument,\n \"\\n query SortCodeToUpdate($key: Int!) {\\n sortCode(key: $key) {\\n id\\n key\\n name\\n defaultIrsCode\\n }\\n }\\n\": types.SortCodeToUpdateDocument,\n \"\\n query TaxCategoryToUpdate($id: UUID!) {\\n taxCategory(id: $id) {\\n id\\n name\\n sortCode {\\n id\\n key\\n name\\n }\\n irsCode\\n }\\n }\\n\": types.TaxCategoryToUpdateDocument,\n \"\\n query MiscExpenseTransactionFields($transactionId: UUID!) {\\n transactionsByIDs(transactionIDs: [$transactionId]) {\\n id\\n chargeId\\n amount {\\n raw\\n currency\\n }\\n eventDate\\n effectiveDate\\n exactEffectiveDate\\n counterparty {\\n id\\n }\\n }\\n }\\n\": types.MiscExpenseTransactionFieldsDocument,\n \"\\n fragment IssueDocumentClientFields on Client {\\n id\\n originalBusiness {\\n id\\n address\\n city\\n zipCode\\n country {\\n id\\n code\\n }\\n governmentId\\n name\\n phoneNumber\\n }\\n emails\\n # city\\n # zip\\n # fax\\n # mobile\\n }\\n\": types.IssueDocumentClientFieldsFragmentDoc,\n \"\\n query NewDocumentDraftByCharge($chargeId: UUID!) {\\n newDocumentDraftByCharge(chargeId: $chargeId) {\\n ...NewDocumentDraft\\n }\\n }\\n\": types.NewDocumentDraftByChargeDocument,\n \"\\n query NewDocumentDraftByDocument($documentId: UUID!) {\\n newDocumentDraftByDocument(documentId: $documentId) {\\n ...NewDocumentDraft\\n }\\n }\\n\": types.NewDocumentDraftByDocumentDocument,\n \"\\n fragment NewDocumentDraft on DocumentDraft {\\n description\\n remarks\\n footer\\n type\\n date\\n dueDate\\n language\\n currency\\n vatType\\n discount {\\n amount\\n type\\n }\\n rounding\\n signed\\n maxPayments\\n client {\\n id\\n originalBusiness {\\n id\\n name\\n }\\n integrations {\\n id\\n }\\n emails\\n ...IssueDocumentClientFields\\n }\\n income {\\n currency\\n currencyRate\\n description\\n itemId\\n price\\n quantity\\n vatRate\\n vatType\\n }\\n payment {\\n currency\\n currencyRate\\n date\\n price\\n type\\n bankName\\n bankBranch\\n bankAccount\\n chequeNum\\n accountId\\n transactionId\\n cardType\\n cardNum\\n numPayments\\n firstPayment\\n }\\n linkedDocumentIds\\n linkedPaymentId\\n }\\n\": types.NewDocumentDraftFragmentDoc,\n \"\\n query SimilarChargesByBusiness(\\n $businessId: UUID!\\n $tagsDifferentThan: [String!]\\n $descriptionDifferentThan: String\\n ) {\\n similarChargesByBusiness(\\n businessId: $businessId\\n tagsDifferentThan: $tagsDifferentThan\\n descriptionDifferentThan: $descriptionDifferentThan\\n ) {\\n id\\n ...SimilarChargesTable\\n }\\n }\\n\": types.SimilarChargesByBusinessDocument,\n \"\\n query SimilarCharges(\\n $chargeId: UUID!\\n $withMissingTags: Boolean!\\n $withMissingDescription: Boolean!\\n $tagsDifferentThan: [String!]\\n $descriptionDifferentThan: String\\n ) {\\n similarCharges(\\n chargeId: $chargeId\\n withMissingTags: $withMissingTags\\n withMissingDescription: $withMissingDescription\\n tagsDifferentThan: $tagsDifferentThan\\n descriptionDifferentThan: $descriptionDifferentThan\\n ) {\\n id\\n ...SimilarChargesTable\\n }\\n }\\n\": types.SimilarChargesDocument,\n \"\\n fragment SimilarChargesTable on Charge {\\n id\\n __typename\\n counterparty {\\n name\\n id\\n }\\n minEventDate\\n minDebitDate\\n minDocumentsDate\\n totalAmount {\\n raw\\n formatted\\n }\\n vat {\\n raw\\n formatted\\n }\\n userDescription\\n tags {\\n id\\n name\\n }\\n taxCategory {\\n id\\n name\\n }\\n ... on BusinessTripCharge {\\n businessTrip {\\n id\\n name\\n }\\n }\\n metadata {\\n transactionsCount\\n documentsCount\\n ledgerCount\\n miscExpensesCount\\n }\\n }\\n\": types.SimilarChargesTableFragmentDoc,\n \"\\n query SimilarTransactions($transactionId: UUID!, $withMissingInfo: Boolean!) {\\n similarTransactions(transactionId: $transactionId, withMissingInfo: $withMissingInfo) {\\n id\\n account {\\n id\\n name\\n type\\n }\\n amount {\\n formatted\\n raw\\n }\\n effectiveDate\\n eventDate\\n sourceDescription\\n }\\n }\\n\": types.SimilarTransactionsDocument,\n \"\\n query UniformFormat($fromDate: TimelessDate!, $toDate: TimelessDate!) {\\n uniformFormat(fromDate: $fromDate, toDate: $toDate) {\\n bkmvdata\\n ini\\n }\\n }\\n\": types.UniformFormatDocument,\n \"\\n fragment NewFetchedDocumentFields on Document {\\n id\\n documentType\\n charge {\\n id\\n userDescription\\n counterparty {\\n id\\n name\\n }\\n }\\n }\\n\": types.NewFetchedDocumentFieldsFragmentDoc,\n \"\\n fragment ContractForContractsTableFields on Contract {\\n id\\n isActive\\n client {\\n id\\n originalBusiness {\\n id\\n name\\n }\\n }\\n purchaseOrders\\n startDate\\n endDate\\n amount {\\n raw\\n formatted\\n }\\n billingCycle\\n product\\n plan\\n operationsLimit\\n msCloud\\n # documentType\\n # remarks\\n }\\n\": types.ContractForContractsTableFieldsFragmentDoc,\n \"\\n query ContractBasedDocumentDrafts($issueMonth: TimelessDate!, $contractIds: [UUID!]!) {\\n periodicalDocumentDraftsByContracts(issueMonth: $issueMonth, contractIds: $contractIds) {\\n ...NewDocumentDraft\\n }\\n }\\n\": types.ContractBasedDocumentDraftsDocument,\n \"\\n fragment TableDocumentsRowFields on Document {\\n id\\n documentType\\n image\\n file\\n description\\n remarks\\n charge {\\n id\\n }\\n ... on FinancialDocument {\\n amount {\\n raw\\n formatted\\n currency\\n }\\n missingInfoSuggestions {\\n amount {\\n raw\\n formatted\\n currency\\n }\\n isIncome\\n counterparty {\\n id\\n name\\n }\\n owner {\\n id\\n name\\n }\\n }\\n date\\n vat {\\n raw\\n formatted\\n currency\\n }\\n serialNumber\\n allocationNumber\\n creditor {\\n id\\n name\\n }\\n debtor {\\n id\\n name\\n }\\n issuedDocumentInfo {\\n id\\n status\\n originalDocument {\\n income {\\n description\\n }\\n }\\n }\\n }\\n }\\n\": types.TableDocumentsRowFieldsFragmentDoc,\n \"\\n fragment DocumentsGalleryFields on Charge {\\n id\\n additionalDocuments {\\n id\\n image\\n ... on FinancialDocument {\\n documentType\\n }\\n }\\n }\\n\": types.DocumentsGalleryFieldsFragmentDoc,\n \"\\n fragment LedgerRecordsTableFields on LedgerRecord {\\n id\\n creditAccount1 {\\n __typename\\n id\\n name\\n }\\n creditAccount2 {\\n __typename\\n id\\n name\\n }\\n debitAccount1 {\\n __typename\\n id\\n name\\n }\\n debitAccount2 {\\n __typename\\n id\\n name\\n }\\n creditAmount1 {\\n formatted\\n currency\\n }\\n creditAmount2 {\\n formatted\\n currency\\n }\\n debitAmount1 {\\n formatted\\n currency\\n }\\n debitAmount2 {\\n formatted\\n currency\\n }\\n localCurrencyCreditAmount1 {\\n formatted\\n raw\\n }\\n localCurrencyCreditAmount2 {\\n formatted\\n raw\\n }\\n localCurrencyDebitAmount1 {\\n formatted\\n raw\\n }\\n localCurrencyDebitAmount2 {\\n formatted\\n raw\\n }\\n invoiceDate\\n valueDate\\n description\\n reference\\n }\\n\": types.LedgerRecordsTableFieldsFragmentDoc,\n \"\\n query AccountantApprovalsChargesTable($page: Int, $limit: Int, $filters: ChargeFilter) {\\n allCharges(page: $page, limit: $limit, filters: $filters) {\\n nodes {\\n id\\n accountantApproval\\n }\\n }\\n }\\n\": types.AccountantApprovalsChargesTableDocument,\n \"\\n query AllContoReports {\\n allDynamicReports {\\n id\\n name\\n updated\\n }\\n }\\n\": types.AllContoReportsDocument,\n \"\\n query ContoReport($filters: BusinessTransactionsFilter) {\\n businessTransactionsSumFromLedgerRecords(filters: $filters) {\\n ... on BusinessTransactionsSumFromLedgerRecordsSuccessfulResult {\\n businessTransactionsSum {\\n business {\\n id\\n name\\n sortCode {\\n id\\n key\\n name\\n }\\n }\\n credit {\\n formatted\\n raw\\n }\\n debit {\\n formatted\\n raw\\n }\\n total {\\n formatted\\n raw\\n }\\n }\\n }\\n ... on CommonError {\\n __typename\\n }\\n }\\n }\\n\": types.ContoReportDocument,\n \"\\n query TemplateForContoReport($name: String!) {\\n dynamicReport(name: $name) {\\n id\\n name\\n template {\\n id\\n parent\\n text\\n droppable\\n data {\\n descendantSortCodes\\n descendantFinancialEntities\\n mergedSortCodes\\n isOpen\\n hebrewText\\n }\\n }\\n }\\n }\\n\": types.TemplateForContoReportDocument,\n \"\\n query CorporateTaxRulingComplianceReport($years: [Int!]!) {\\n corporateTaxRulingComplianceReport(years: $years) {\\n id\\n year\\n totalIncome {\\n formatted\\n raw\\n currency\\n }\\n researchAndDevelopmentExpenses {\\n formatted\\n raw\\n currency\\n }\\n rndRelativeToIncome {\\n rule\\n ...CorporateTaxRulingReportRuleCellFields\\n }\\n localDevelopmentExpenses {\\n formatted\\n raw\\n currency\\n }\\n localDevelopmentRelativeToRnd {\\n rule\\n ...CorporateTaxRulingReportRuleCellFields\\n }\\n foreignDevelopmentExpenses {\\n formatted\\n raw\\n currency\\n }\\n foreignDevelopmentRelativeToRnd {\\n rule\\n ...CorporateTaxRulingReportRuleCellFields\\n }\\n businessTripRndExpenses {\\n formatted\\n raw\\n currency\\n }\\n ... on CorporateTaxRulingComplianceReport @defer {\\n differences {\\n id\\n totalIncome {\\n formatted\\n raw\\n currency\\n }\\n researchAndDevelopmentExpenses {\\n formatted\\n raw\\n currency\\n }\\n rndRelativeToIncome {\\n ...CorporateTaxRulingReportRuleCellFields\\n }\\n localDevelopmentExpenses {\\n formatted\\n raw\\n currency\\n }\\n localDevelopmentRelativeToRnd {\\n ...CorporateTaxRulingReportRuleCellFields\\n }\\n foreignDevelopmentExpenses {\\n formatted\\n raw\\n currency\\n }\\n foreignDevelopmentRelativeToRnd {\\n ...CorporateTaxRulingReportRuleCellFields\\n }\\n businessTripRndExpenses {\\n formatted\\n raw\\n currency\\n }\\n }\\n }\\n }\\n }\\n\": types.CorporateTaxRulingComplianceReportDocument,\n \"\\n fragment CorporateTaxRulingReportRuleCellFields on CorporateTaxRule {\\n id\\n rule\\n percentage {\\n formatted\\n }\\n isCompliant\\n }\\n\": types.CorporateTaxRulingReportRuleCellFieldsFragmentDoc,\n \"\\n query ProfitAndLossReport($reportYear: Int!, $referenceYears: [Int!]!) {\\n profitAndLossReport(reportYear: $reportYear, referenceYears: $referenceYears) {\\n id\\n report {\\n id\\n year\\n revenue {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n costOfSales {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n grossProfit {\\n formatted\\n }\\n researchAndDevelopmentExpenses {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n marketingExpenses {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n managementAndGeneralExpenses {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n operatingProfit {\\n formatted\\n }\\n financialExpenses {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n otherIncome {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n profitBeforeTax {\\n formatted\\n }\\n tax {\\n formatted\\n }\\n netProfit {\\n formatted\\n }\\n }\\n reference {\\n id\\n year\\n revenue {\\n amount {\\n formatted\\n }\\n }\\n costOfSales {\\n amount {\\n formatted\\n }\\n }\\n grossProfit {\\n formatted\\n }\\n researchAndDevelopmentExpenses {\\n amount {\\n formatted\\n }\\n }\\n marketingExpenses {\\n amount {\\n formatted\\n }\\n }\\n managementAndGeneralExpenses {\\n amount {\\n formatted\\n }\\n }\\n operatingProfit {\\n formatted\\n }\\n financialExpenses {\\n amount {\\n formatted\\n }\\n }\\n otherIncome {\\n amount {\\n formatted\\n }\\n }\\n profitBeforeTax {\\n formatted\\n }\\n tax {\\n formatted\\n }\\n netProfit {\\n formatted\\n }\\n }\\n }\\n }\\n\": types.ProfitAndLossReportDocument,\n \"\\n fragment ReportCommentaryTableFields on ReportCommentary {\\n records {\\n sortCode {\\n id\\n key\\n name\\n }\\n amount {\\n formatted\\n }\\n records {\\n ...ReportSubCommentaryTableFields\\n }\\n }\\n }\\n\": types.ReportCommentaryTableFieldsFragmentDoc,\n \"\\n fragment ReportSubCommentaryTableFields on ReportCommentarySubRecord {\\n financialEntity {\\n id\\n name\\n }\\n amount {\\n formatted\\n }\\n }\\n\": types.ReportSubCommentaryTableFieldsFragmentDoc,\n \"\\n query TaxReport($reportYear: Int!, $referenceYears: [Int!]!) {\\n taxReport(reportYear: $reportYear, referenceYears: $referenceYears) {\\n id\\n report {\\n id\\n year\\n profitBeforeTax {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n researchAndDevelopmentExpensesByRecords {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n researchAndDevelopmentExpensesForTax {\\n formatted\\n }\\n fines {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n untaxableGifts {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n businessTripsExcessExpensesAmount {\\n formatted\\n }\\n salaryExcessExpensesAmount {\\n formatted\\n }\\n reserves {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n nontaxableLinkage {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n taxableIncome {\\n formatted\\n }\\n taxRate\\n specialTaxableIncome {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n specialTaxRate\\n annualTaxExpense {\\n formatted\\n }\\n }\\n reference {\\n id\\n year\\n profitBeforeTax {\\n amount {\\n formatted\\n }\\n }\\n researchAndDevelopmentExpensesByRecords {\\n amount {\\n formatted\\n }\\n }\\n researchAndDevelopmentExpensesForTax {\\n formatted\\n }\\n fines {\\n amount {\\n formatted\\n }\\n }\\n untaxableGifts {\\n amount {\\n formatted\\n }\\n }\\n businessTripsExcessExpensesAmount {\\n formatted\\n }\\n salaryExcessExpensesAmount {\\n formatted\\n }\\n reserves {\\n amount {\\n formatted\\n }\\n }\\n nontaxableLinkage {\\n amount {\\n formatted\\n }\\n }\\n taxableIncome {\\n formatted\\n }\\n taxRate\\n specialTaxableIncome {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n specialTaxRate\\n annualTaxExpense {\\n formatted\\n }\\n }\\n }\\n }\\n\": types.TaxReportDocument,\n \"\\n query TrialBalanceReport($filters: BusinessTransactionsFilter) {\\n businessTransactionsSumFromLedgerRecords(filters: $filters) {\\n ... on BusinessTransactionsSumFromLedgerRecordsSuccessfulResult {\\n ...TrialBalanceTableFields\\n }\\n ... on CommonError {\\n __typename\\n }\\n }\\n }\\n\": types.TrialBalanceReportDocument,\n \"\\n fragment TrialBalanceTableFields on BusinessTransactionsSumFromLedgerRecordsSuccessfulResult {\\n businessTransactionsSum {\\n business {\\n id\\n name\\n sortCode {\\n id\\n key\\n name\\n }\\n }\\n credit {\\n formatted\\n raw\\n }\\n debit {\\n formatted\\n raw\\n }\\n total {\\n formatted\\n raw\\n }\\n }\\n }\\n\": types.TrialBalanceTableFieldsFragmentDoc,\n \"\\n query ValidatePcn874Reports(\\n $businessId: UUID\\n $fromMonthDate: TimelessDate!\\n $toMonthDate: TimelessDate!\\n ) {\\n pcnByDate(businessId: $businessId, fromMonthDate: $fromMonthDate, toMonthDate: $toMonthDate)\\n @stream {\\n id\\n business {\\n id\\n name\\n }\\n date\\n content\\n diffContent\\n }\\n }\\n\": types.ValidatePcn874ReportsDocument,\n \"\\n fragment VatReportBusinessTripsFields on VatReportResult {\\n businessTrips {\\n id\\n ...ChargesTableFields\\n }\\n }\\n\": types.VatReportBusinessTripsFieldsFragmentDoc,\n \"\\n fragment VatReportAccountantApprovalFields on VatReportRecord {\\n chargeId\\n chargeAccountantStatus\\n }\\n\": types.VatReportAccountantApprovalFieldsFragmentDoc,\n \"\\n fragment VatReportExpensesRowFields on VatReportRecord {\\n ...VatReportAccountantApprovalFields\\n business {\\n id\\n name\\n }\\n vatNumber\\n image\\n allocationNumber\\n documentSerial\\n documentDate\\n chargeDate\\n chargeId\\n # chargeAccountantReviewed\\n amount {\\n formatted\\n raw\\n }\\n localAmount {\\n formatted\\n raw\\n }\\n localVat {\\n formatted\\n raw\\n }\\n foreignVatAfterDeduction {\\n formatted\\n raw\\n }\\n localVatAfterDeduction {\\n formatted\\n raw\\n }\\n roundedLocalVatAfterDeduction {\\n formatted\\n raw\\n }\\n taxReducedLocalAmount {\\n formatted\\n raw\\n }\\n recordType\\n }\\n\": types.VatReportExpensesRowFieldsFragmentDoc,\n \"\\n fragment VatReportExpensesFields on VatReportResult {\\n expenses {\\n ...VatReportExpensesRowFields\\n roundedLocalVatAfterDeduction {\\n raw\\n }\\n taxReducedLocalAmount {\\n raw\\n }\\n recordType\\n }\\n }\\n\": types.VatReportExpensesFieldsFragmentDoc,\n \"\\n fragment VatReportIncomeRowFields on VatReportRecord {\\n ...VatReportAccountantApprovalFields\\n chargeId\\n business {\\n id\\n name\\n }\\n vatNumber\\n image\\n allocationNumber\\n documentSerial\\n documentDate\\n chargeDate\\n taxReducedForeignAmount {\\n formatted\\n raw\\n }\\n taxReducedLocalAmount {\\n formatted\\n raw\\n }\\n recordType\\n }\\n\": types.VatReportIncomeRowFieldsFragmentDoc,\n \"\\n fragment VatReportIncomeFields on VatReportResult {\\n income {\\n ...VatReportIncomeRowFields\\n taxReducedLocalAmount {\\n raw\\n }\\n recordType\\n }\\n }\\n\": types.VatReportIncomeFieldsFragmentDoc,\n \"\\n query VatMonthlyReport($filters: VatReportFilter) {\\n vatReport(filters: $filters) {\\n ...VatReportSummaryFields\\n ...VatReportIncomeFields\\n ...VatReportExpensesFields\\n ...VatReportMissingInfoFields\\n ...VatReportMiscTableFields\\n ...VatReportBusinessTripsFields\\n }\\n }\\n\": types.VatMonthlyReportDocument,\n \"\\n fragment VatReportMiscTableFields on VatReportResult {\\n differentMonthDoc {\\n id\\n ...ChargesTableFields\\n }\\n }\\n\": types.VatReportMiscTableFieldsFragmentDoc,\n \"\\n fragment VatReportMissingInfoFields on VatReportResult {\\n missingInfo {\\n id\\n ...ChargesTableFields\\n }\\n }\\n\": types.VatReportMissingInfoFieldsFragmentDoc,\n \"\\n query GeneratePCN($monthDate: TimelessDate!, $financialEntityId: UUID!) {\\n pcnFile(monthDate: $monthDate, financialEntityId: $financialEntityId) {\\n reportContent\\n fileName\\n }\\n }\\n\": types.GeneratePcnDocument,\n \"\\n fragment VatReportSummaryFields on VatReportResult {\\n expenses {\\n roundedLocalVatAfterDeduction {\\n raw\\n }\\n taxReducedLocalAmount {\\n raw\\n }\\n recordType\\n isProperty\\n }\\n income {\\n roundedLocalVatAfterDeduction {\\n raw\\n }\\n taxReducedLocalAmount {\\n raw\\n }\\n recordType\\n }\\n }\\n\": types.VatReportSummaryFieldsFragmentDoc,\n \"\\n fragment LedgerCsvFields on YearlyLedgerReport {\\n id\\n year\\n financialEntitiesInfo {\\n entity {\\n id\\n name\\n sortCode {\\n id\\n key\\n }\\n }\\n openingBalance {\\n raw\\n }\\n totalCredit {\\n raw\\n }\\n totalDebit {\\n raw\\n }\\n closingBalance {\\n raw\\n }\\n records {\\n id\\n amount {\\n raw\\n formatted\\n }\\n invoiceDate\\n valueDate\\n description\\n reference\\n counterParty {\\n id\\n name\\n }\\n balance\\n }\\n }\\n }\\n\": types.LedgerCsvFieldsFragmentDoc,\n \"\\n query YearlyLedger($year: Int!) {\\n yearlyLedgerReport(year: $year) {\\n id\\n year\\n financialEntitiesInfo {\\n entity {\\n id\\n name\\n sortCode {\\n id\\n key\\n }\\n }\\n openingBalance {\\n raw\\n }\\n totalCredit {\\n raw\\n }\\n totalDebit {\\n raw\\n }\\n closingBalance {\\n raw\\n }\\n records {\\n id\\n amount {\\n raw\\n formatted\\n }\\n invoiceDate\\n valueDate\\n description\\n reference\\n counterParty {\\n id\\n name\\n }\\n balance\\n }\\n }\\n ...LedgerCsvFields\\n }\\n }\\n\": types.YearlyLedgerDocument,\n \"\\n query SalaryScreenRecords(\\n $fromDate: TimelessDate!\\n $toDate: TimelessDate!\\n $employeeIDs: [UUID!]\\n ) {\\n salaryRecordsByDates(fromDate: $fromDate, toDate: $toDate, employeeIDs: $employeeIDs) {\\n month\\n employee {\\n id\\n }\\n ...SalariesTableFields\\n }\\n }\\n\": types.SalaryScreenRecordsDocument,\n \"\\n fragment SalariesRecordEmployeeFields on Salary {\\n month\\n employee {\\n id\\n name\\n }\\n }\\n\": types.SalariesRecordEmployeeFieldsFragmentDoc,\n \"\\n fragment SalariesRecordFundsFields on Salary {\\n month\\n employee {\\n id\\n }\\n pensionFund {\\n id\\n name\\n }\\n pensionEmployeeAmount {\\n formatted\\n raw\\n }\\n pensionEmployeePercentage\\n pensionEmployerAmount {\\n formatted\\n raw\\n }\\n pensionEmployerPercentage\\n compensationsAmount {\\n formatted\\n raw\\n }\\n compensationsPercentage\\n trainingFund {\\n id\\n name\\n }\\n trainingFundEmployeeAmount {\\n formatted\\n raw\\n }\\n trainingFundEmployeePercentage\\n trainingFundEmployerAmount {\\n formatted\\n raw\\n }\\n trainingFundEmployerPercentage\\n }\\n\": types.SalariesRecordFundsFieldsFragmentDoc,\n \"\\n fragment SalariesRecordInsurancesAndTaxesFields on Salary {\\n month\\n employee {\\n id\\n }\\n healthInsuranceAmount {\\n formatted\\n raw\\n }\\n socialSecurityEmployeeAmount {\\n formatted\\n raw\\n }\\n socialSecurityEmployerAmount {\\n formatted\\n raw\\n }\\n incomeTaxAmount {\\n formatted\\n raw\\n }\\n notionalExpense {\\n formatted\\n raw\\n }\\n }\\n\": types.SalariesRecordInsurancesAndTaxesFieldsFragmentDoc,\n \"\\n fragment SalariesRecordMainSalaryFields on Salary {\\n month\\n employee {\\n id\\n }\\n baseAmount {\\n formatted\\n }\\n directAmount {\\n formatted\\n }\\n globalAdditionalHoursAmount {\\n formatted\\n }\\n bonus {\\n formatted\\n raw\\n }\\n gift {\\n formatted\\n raw\\n }\\n recovery {\\n formatted\\n raw\\n }\\n vacationTakeout {\\n formatted\\n raw\\n }\\n }\\n\": types.SalariesRecordMainSalaryFieldsFragmentDoc,\n \"\\n fragment SalariesRecordWorkFrameFields on Salary {\\n month\\n employee {\\n id\\n }\\n vacationDays {\\n added\\n taken\\n balance\\n }\\n workDays\\n sicknessDays {\\n balance\\n }\\n }\\n\": types.SalariesRecordWorkFrameFieldsFragmentDoc,\n \"\\n fragment SalariesMonthFields on Salary {\\n month\\n employee {\\n id\\n }\\n ...SalariesRecordFields\\n }\\n\": types.SalariesMonthFieldsFragmentDoc,\n \"\\n fragment SalariesTableFields on Salary {\\n month\\n employee {\\n id\\n }\\n ...SalariesMonthFields\\n }\\n\": types.SalariesTableFieldsFragmentDoc,\n \"\\n fragment SalariesRecordFields on Salary {\\n month\\n employee {\\n id\\n }\\n ...SalariesRecordEmployeeFields\\n ...SalariesRecordMainSalaryFields\\n ...SalariesRecordFundsFields\\n ...SalariesRecordInsurancesAndTaxesFields\\n ...SalariesRecordWorkFrameFields\\n }\\n\": types.SalariesRecordFieldsFragmentDoc,\n \"\\n query AllDeposits {\\n allDeposits {\\n id\\n currency\\n openDate\\n closeDate\\n isOpen\\n currencyError\\n currentBalance {\\n raw\\n formatted\\n }\\n totalDeposit {\\n raw\\n formatted\\n }\\n totalInterest {\\n raw\\n formatted\\n }\\n # transactions field exists but we don't need to pull ids here\\n }\\n }\\n\": types.AllDepositsDocument,\n \"\\n query BusinessScreen($businessId: UUID!) {\\n business(id: $businessId) {\\n id\\n ...BusinessPage\\n }\\n }\\n\": types.BusinessScreenDocument,\n \"\\n query ContractsScreen($adminId: UUID!) {\\n contractsByAdmin(adminId: $adminId) {\\n id\\n ...ContractForContractsTableFields\\n }\\n }\\n\": types.ContractsScreenDocument,\n \"\\n query AllCharges($page: Int, $limit: Int, $filters: ChargeFilter) {\\n allCharges(page: $page, limit: $limit, filters: $filters) {\\n nodes {\\n id\\n ...ChargesTableFields\\n }\\n pageInfo {\\n totalPages\\n }\\n }\\n }\\n\": types.AllChargesDocument,\n \"\\n query ChargeScreen($chargeId: UUID!) {\\n charge(chargeId: $chargeId) {\\n id\\n ...ChargesTableFields\\n }\\n }\\n\": types.ChargeScreenDocument,\n \"\\n query MissingInfoCharges($page: Int, $limit: Int) {\\n chargesWithMissingRequiredInfo(page: $page, limit: $limit) {\\n nodes {\\n id\\n ...ChargesTableFields\\n }\\n pageInfo {\\n totalPages\\n }\\n }\\n }\\n\": types.MissingInfoChargesDocument,\n \"\\n query DocumentsScreen($filters: DocumentsFilters!) {\\n documentsByFilters(filters: $filters) {\\n id\\n image\\n file\\n charge {\\n id\\n userDescription\\n __typename\\n vat {\\n formatted\\n __typename\\n }\\n transactions {\\n id\\n eventDate\\n sourceDescription\\n effectiveDate\\n amount {\\n formatted\\n __typename\\n }\\n }\\n }\\n __typename\\n ... on FinancialDocument {\\n creditor {\\n id\\n name\\n }\\n debtor {\\n id\\n name\\n }\\n vat {\\n raw\\n formatted\\n currency\\n }\\n serialNumber\\n date\\n amount {\\n raw\\n formatted\\n currency\\n }\\n }\\n }\\n }\\n\": types.DocumentsScreenDocument,\n \"\\n query MonthlyDocumentDraftByClient($clientId: UUID!, $issueMonth: TimelessDate!) {\\n clientMonthlyChargeDraft(clientId: $clientId, issueMonth: $issueMonth) {\\n ...NewDocumentDraft\\n }\\n }\\n\": types.MonthlyDocumentDraftByClientDocument,\n \"\\n query MonthlyDocumentsDrafts($issueMonth: TimelessDate!) {\\n periodicalDocumentDrafts(issueMonth: $issueMonth) {\\n ...NewDocumentDraft\\n }\\n }\\n\": types.MonthlyDocumentsDraftsDocument,\n \"\\n query AllOpenContracts {\\n allOpenContracts {\\n id\\n client {\\n id\\n originalBusiness {\\n id\\n name\\n }\\n }\\n billingCycle\\n }\\n }\\n\": types.AllOpenContractsDocument,\n \"\\n query AccountantApprovalStatus($fromDate: TimelessDate!, $toDate: TimelessDate!) {\\n accountantApprovalStatus(from: $fromDate, to: $toDate) {\\n totalCharges\\n approvedCount\\n pendingCount\\n unapprovedCount\\n }\\n }\\n\": types.AccountantApprovalStatusDocument,\n \"\\n query LedgerValidationStatus($limit: Int, $filters: ChargeFilter) {\\n chargesWithLedgerChanges(limit: $limit, filters: $filters) {\\n charge {\\n id\\n }\\n }\\n }\\n\": types.LedgerValidationStatusDocument,\n \"\\n query AdminLedgerLockDate($ownerId: UUID) {\\n adminContext(ownerId: $ownerId) {\\n id\\n ledgerLock\\n }\\n }\\n\": types.AdminLedgerLockDateDocument,\n \"\\n fragment AnnualRevenueReportClient on AnnualRevenueReportCountryClient {\\n id\\n name\\n revenueLocal {\\n raw\\n formatted\\n currency\\n }\\n revenueDefaultForeign {\\n raw\\n formatted\\n currency\\n }\\n records {\\n id\\n date\\n ...AnnualRevenueReportRecord\\n }\\n }\\n\": types.AnnualRevenueReportClientFragmentDoc,\n \"\\n fragment AnnualRevenueReportCountry on AnnualRevenueReportCountry {\\n id\\n code\\n name\\n revenueLocal {\\n raw\\n formatted\\n currency\\n }\\n revenueDefaultForeign {\\n raw\\n formatted\\n currency\\n }\\n clients {\\n id\\n revenueDefaultForeign {\\n raw\\n }\\n ...AnnualRevenueReportClient\\n }\\n }\\n\": types.AnnualRevenueReportCountryFragmentDoc,\n \"\\n query AnnualRevenueReportScreen($filters: AnnualRevenueReportFilter!) {\\n annualRevenueReport(filters: $filters) {\\n id\\n year\\n countries {\\n id\\n name\\n revenueLocal {\\n raw\\n currency\\n }\\n revenueDefaultForeign {\\n raw\\n currency\\n }\\n clients {\\n id\\n name\\n revenueLocal {\\n raw\\n }\\n revenueDefaultForeign {\\n raw\\n }\\n records {\\n id\\n date\\n description\\n reference\\n chargeId\\n revenueLocal {\\n raw\\n }\\n revenueDefaultForeign {\\n raw\\n }\\n }\\n }\\n ...AnnualRevenueReportCountry\\n }\\n }\\n }\\n\": types.AnnualRevenueReportScreenDocument,\n \"\\n fragment AnnualRevenueReportRecord on AnnualRevenueReportClientRecord {\\n id\\n revenueLocal {\\n raw\\n formatted\\n currency\\n }\\n revenueDefaultForeign {\\n raw\\n formatted\\n currency\\n }\\n revenueOriginal {\\n raw\\n formatted\\n currency\\n }\\n chargeId\\n date\\n description\\n reference\\n }\\n\": types.AnnualRevenueReportRecordFragmentDoc,\n \"\\n query BalanceReportExtendedTransactions($transactionIDs: [UUID!]!) {\\n transactionsByIDs(transactionIDs: $transactionIDs) {\\n id\\n ...TransactionForTransactionsTableFields\\n ...TransactionToDownloadForTransactionsTableFields\\n }\\n }\\n\": types.BalanceReportExtendedTransactionsDocument,\n \"\\n query BalanceReportScreen($fromDate: TimelessDate!, $toDate: TimelessDate!, $ownerId: UUID) {\\n transactionsForBalanceReport(fromDate: $fromDate, toDate: $toDate, ownerId: $ownerId) {\\n id\\n amountUsd {\\n formatted\\n raw\\n }\\n amount {\\n currency\\n raw\\n }\\n date\\n month\\n year\\n counterparty {\\n id\\n }\\n account {\\n id\\n name\\n }\\n isFee\\n description\\n charge {\\n id\\n tags {\\n id\\n name\\n }\\n }\\n }\\n }\\n\": types.BalanceReportScreenDocument,\n \"\\n fragment DepreciationReportRecordCore on DepreciationCoreRecord {\\n id\\n originalCost\\n reportYearDelta\\n totalDepreciableCosts\\n reportYearClaimedDepreciation\\n pastYearsAccumulatedDepreciation\\n totalDepreciation\\n netValue\\n }\\n\": types.DepreciationReportRecordCoreFragmentDoc,\n \"\\n query DepreciationReportScreen($filters: DepreciationReportFilter!) {\\n depreciationReport(filters: $filters) {\\n id\\n year\\n categories {\\n id\\n category {\\n id\\n name\\n percentage\\n }\\n records {\\n id\\n chargeId\\n description\\n purchaseDate\\n activationDate\\n statutoryDepreciationRate\\n claimedDepreciationRate\\n ...DepreciationReportRecordCore\\n }\\n summary {\\n id\\n ...DepreciationReportRecordCore\\n }\\n }\\n summary {\\n id\\n ...DepreciationReportRecordCore\\n }\\n }\\n }\\n\": types.DepreciationReportScreenDocument,\n \"\\n fragment Shaam6111DataContentBalanceSheet on Shaam6111Data {\\n id\\n balanceSheet {\\n code\\n amount\\n label\\n }\\n }\\n\": types.Shaam6111DataContentBalanceSheetFragmentDoc,\n \"\\n fragment Shaam6111DataContentHeader on Shaam6111Data {\\n id\\n header {\\n taxYear\\n businessDescription\\n taxFileNumber\\n idNumber\\n vatFileNumber\\n withholdingTaxFileNumber\\n businessType\\n reportingMethod\\n currencyType\\n amountsInThousands\\n accountingMethod\\n accountingSystem\\n softwareRegistrationNumber\\n isPartnership\\n partnershipCount\\n partnershipProfitShare\\n ifrsImplementationYear\\n ifrsReportingOption\\n\\n includesProfitLoss\\n includesTaxAdjustment\\n includesBalanceSheet\\n\\n industryCode\\n auditOpinionType\\n }\\n }\\n\": types.Shaam6111DataContentHeaderFragmentDoc,\n \"\\n fragment Shaam6111DataContentHeaderBusiness on Business {\\n id\\n name\\n }\\n\": types.Shaam6111DataContentHeaderBusinessFragmentDoc,\n \"\\n query Shaam6111ReportScreen($year: Int!, $businessId: UUID) {\\n shaam6111(year: $year, businessId: $businessId) {\\n id\\n year\\n data {\\n id\\n ...Shaam6111DataContent\\n }\\n business {\\n id\\n ...Shaam6111DataContentHeaderBusiness\\n }\\n }\\n }\\n\": types.Shaam6111ReportScreenDocument,\n \"\\n fragment Shaam6111DataContentProfitLoss on Shaam6111Data {\\n id\\n profitAndLoss {\\n code\\n amount\\n label\\n }\\n }\\n\": types.Shaam6111DataContentProfitLossFragmentDoc,\n \"\\n fragment Shaam6111DataContent on Shaam6111Data {\\n id\\n ...Shaam6111DataContentHeader\\n ...Shaam6111DataContentProfitLoss\\n ...Shaam6111DataContentTaxAdjustment\\n ...Shaam6111DataContentBalanceSheet\\n }\\n\": types.Shaam6111DataContentFragmentDoc,\n \"\\n fragment Shaam6111DataContentTaxAdjustment on Shaam6111Data {\\n id\\n taxAdjustment {\\n code\\n amount\\n label\\n }\\n }\\n\": types.Shaam6111DataContentTaxAdjustmentFragmentDoc,\n \"\\n query AllSortCodesForScreen {\\n allSortCodes {\\n id\\n key\\n name\\n defaultIrsCode\\n }\\n }\\n\": types.AllSortCodesForScreenDocument,\n \"\\n query AllTagsScreen {\\n allTags {\\n id\\n name\\n namePath\\n parent {\\n id\\n }\\n ...EditTagFields\\n }\\n }\\n\": types.AllTagsScreenDocument,\n \"\\n query AllTaxCategoriesForScreen {\\n taxCategories {\\n id\\n name\\n sortCode {\\n id\\n key\\n name\\n }\\n }\\n }\\n\": types.AllTaxCategoriesForScreenDocument,\n \"\\n fragment TransactionsTableAccountFields on Transaction {\\n id\\n account {\\n id\\n name\\n type\\n }\\n }\\n\": types.TransactionsTableAccountFieldsFragmentDoc,\n \"\\n fragment TransactionsTableEntityFields on Transaction {\\n id\\n counterparty {\\n name\\n id\\n }\\n sourceDescription\\n missingInfoSuggestions {\\n business {\\n id\\n name\\n }\\n }\\n }\\n\": types.TransactionsTableEntityFieldsFragmentDoc,\n \"\\n fragment TransactionsTableDebitDateFields on Transaction {\\n id\\n effectiveDate\\n sourceEffectiveDate\\n }\\n\": types.TransactionsTableDebitDateFieldsFragmentDoc,\n \"\\n fragment TransactionsTableDescriptionFields on Transaction {\\n id\\n sourceDescription\\n }\\n\": types.TransactionsTableDescriptionFieldsFragmentDoc,\n \"\\n fragment TransactionsTableEventDateFields on Transaction {\\n id\\n eventDate\\n }\\n\": types.TransactionsTableEventDateFieldsFragmentDoc,\n \"\\n fragment TransactionsTableSourceIDFields on Transaction {\\n id\\n referenceKey\\n }\\n\": types.TransactionsTableSourceIdFieldsFragmentDoc,\n \"\\n fragment TransactionForTransactionsTableFields on Transaction {\\n id\\n chargeId\\n eventDate\\n effectiveDate\\n sourceEffectiveDate\\n amount {\\n raw\\n formatted\\n }\\n cryptoExchangeRate {\\n rate\\n }\\n account {\\n id\\n name\\n type\\n }\\n sourceDescription\\n referenceKey\\n counterparty {\\n name\\n id\\n }\\n missingInfoSuggestions {\\n business {\\n id\\n name\\n }\\n }\\n }\\n\": types.TransactionForTransactionsTableFieldsFragmentDoc,\n \"\\n fragment TransactionToDownloadForTransactionsTableFields on Transaction {\\n id\\n account {\\n id\\n name\\n type\\n }\\n amount {\\n currency\\n raw\\n }\\n counterparty {\\n id\\n name\\n }\\n effectiveDate\\n eventDate\\n referenceKey\\n sourceDescription\\n }\\n\": types.TransactionToDownloadForTransactionsTableFieldsFragmentDoc,\n \"\\n mutation AcceptInvitation($token: String!) {\\n acceptInvitation(token: $token) {\\n success\\n businessId\\n roleId\\n }\\n }\\n\": types.AcceptInvitationDocument,\n \"\\n mutation AddBusinessTripAccommodationsExpense(\\n $fields: AddBusinessTripAccommodationsExpenseInput!\\n ) {\\n addBusinessTripAccommodationsExpense(fields: $fields)\\n }\\n\": types.AddBusinessTripAccommodationsExpenseDocument,\n \"\\n mutation AddBusinessTripCarRentalExpense($fields: AddBusinessTripCarRentalExpenseInput!) {\\n addBusinessTripCarRentalExpense(fields: $fields)\\n }\\n\": types.AddBusinessTripCarRentalExpenseDocument,\n \"\\n mutation AddBusinessTripFlightsExpense($fields: AddBusinessTripFlightsExpenseInput!) {\\n addBusinessTripFlightsExpense(fields: $fields)\\n }\\n\": types.AddBusinessTripFlightsExpenseDocument,\n \"\\n mutation AddBusinessTripOtherExpense($fields: AddBusinessTripOtherExpenseInput!) {\\n addBusinessTripOtherExpense(fields: $fields)\\n }\\n\": types.AddBusinessTripOtherExpenseDocument,\n \"\\n mutation AddBusinessTripTravelAndSubsistenceExpense(\\n $fields: AddBusinessTripTravelAndSubsistenceExpenseInput!\\n ) {\\n addBusinessTripTravelAndSubsistenceExpense(fields: $fields)\\n }\\n\": types.AddBusinessTripTravelAndSubsistenceExpenseDocument,\n \"\\n mutation AddDepreciationRecord($fields: InsertDepreciationRecordInput!) {\\n insertDepreciationRecord(input: $fields) {\\n __typename\\n ... on CommonError {\\n message\\n }\\n ... on DepreciationRecord {\\n id\\n }\\n }\\n }\\n\": types.AddDepreciationRecordDocument,\n \"\\n mutation AddSortCode($key: Int!, $name: String!, $defaultIrsCode: Int) {\\n addSortCode(key: $key, name: $name, defaultIrsCode: $defaultIrsCode)\\n }\\n\": types.AddSortCodeDocument,\n \"\\n mutation AddTag($tagName: String!, $parentTag: UUID) {\\n addTag(name: $tagName, parentId: $parentTag)\\n }\\n\": types.AddTagDocument,\n \"\\n mutation AssignChargeToDeposit($chargeId: UUID!, $depositId: String!) {\\n assignChargeToDeposit(chargeId: $chargeId, depositId: $depositId) {\\n id\\n isOpen\\n currentBalance {\\n formatted\\n }\\n transactions {\\n id\\n }\\n }\\n }\\n\": types.AssignChargeToDepositDocument,\n \"\\n mutation GenerateBalanceCharge(\\n $description: String!\\n $balanceRecords: [InsertMiscExpenseInput!]!\\n ) {\\n generateBalanceCharge(description: $description, balanceRecords: $balanceRecords) {\\n id\\n }\\n }\\n\": types.GenerateBalanceChargeDocument,\n \"\\n mutation BatchUpdateCharges($chargeIds: [UUID!]!, $fields: UpdateChargeInput!) {\\n batchUpdateCharges(chargeIds: $chargeIds, fields: $fields) {\\n __typename\\n ... on BatchUpdateChargesSuccessfulResult {\\n charges {\\n id\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": types.BatchUpdateChargesDocument,\n \"\\n mutation CategorizeBusinessTripExpense($fields: CategorizeBusinessTripExpenseInput!) {\\n categorizeBusinessTripExpense(fields: $fields)\\n }\\n\": types.CategorizeBusinessTripExpenseDocument,\n \"\\n mutation CategorizeIntoExistingBusinessTripExpense(\\n $fields: CategorizeIntoExistingBusinessTripExpenseInput!\\n ) {\\n categorizeIntoExistingBusinessTripExpense(fields: $fields)\\n }\\n\": types.CategorizeIntoExistingBusinessTripExpenseDocument,\n \"\\n mutation CloseDocument($documentId: UUID!) {\\n closeDocument(id: $documentId)\\n }\\n\": types.CloseDocumentDocument,\n \"\\n mutation FlagForeignFeeTransactions {\\n flagForeignFeeTransactions {\\n success\\n errors\\n }\\n }\\n\": types.FlagForeignFeeTransactionsDocument,\n \"\\n mutation MergeChargesByTransactionReference {\\n mergeChargesByTransactionReference {\\n success\\n errors\\n }\\n }\\n\": types.MergeChargesByTransactionReferenceDocument,\n \"\\n mutation CalculateCreditcardTransactionsDebitDate {\\n calculateCreditcardTransactionsDebitDate\\n }\\n\": types.CalculateCreditcardTransactionsDebitDateDocument,\n \"\\n mutation CreateContract($input: CreateContractInput!) {\\n createContract(input: $input) {\\n id\\n }\\n }\\n\": types.CreateContractDocument,\n \"\\n mutation CreateDeposit($currency: Currency!) {\\n createDeposit(currency: $currency) {\\n id\\n currency\\n isOpen\\n }\\n }\\n\": types.CreateDepositDocument,\n \"\\n mutation CreateFinancialAccount($input: CreateFinancialAccountInput!) {\\n createFinancialAccount(input: $input) {\\n id\\n }\\n }\\n\": types.CreateFinancialAccountDocument,\n \"\\n mutation CreditShareholdersBusinessTripTravelAndSubsistence($businessTripId: UUID!) {\\n creditShareholdersBusinessTripTravelAndSubsistence(businessTripId: $businessTripId)\\n }\\n\": types.CreditShareholdersBusinessTripTravelAndSubsistenceDocument,\n \"\\n mutation DeleteBusinessTripAttendee($fields: DeleteBusinessTripAttendeeInput!) {\\n deleteBusinessTripAttendee(fields: $fields)\\n }\\n\": types.DeleteBusinessTripAttendeeDocument,\n \"\\n mutation DeleteBusinessTripExpense($businessTripExpenseId: UUID!) {\\n deleteBusinessTripExpense(businessTripExpenseId: $businessTripExpenseId)\\n }\\n\": types.DeleteBusinessTripExpenseDocument,\n \"\\n mutation DeleteCharge($chargeId: UUID!) {\\n deleteCharge(chargeId: $chargeId)\\n }\\n\": types.DeleteChargeDocument,\n \"\\n mutation DeleteContract($contractId: UUID!) {\\n deleteContract(id: $contractId)\\n }\\n\": types.DeleteContractDocument,\n \"\\n mutation DeleteDepreciationRecord($depreciationRecordId: UUID!) {\\n deleteDepreciationRecord(depreciationRecordId: $depreciationRecordId)\\n }\\n\": types.DeleteDepreciationRecordDocument,\n \"\\n mutation DeleteDocument($documentId: UUID!) {\\n deleteDocument(documentId: $documentId)\\n }\\n\": types.DeleteDocumentDocument,\n \"\\n mutation DeleteDynamicReportTemplate($name: String!) {\\n deleteDynamicReportTemplate(name: $name)\\n }\\n\": types.DeleteDynamicReportTemplateDocument,\n \"\\n mutation DeleteMiscExpense($id: UUID!) {\\n deleteMiscExpense(id: $id)\\n }\\n\": types.DeleteMiscExpenseDocument,\n \"\\n mutation DeleteTag($tagId: UUID!) {\\n deleteTag(id: $tagId)\\n }\\n\": types.DeleteTagDocument,\n \"\\n mutation GenerateRevaluationCharge($ownerId: UUID!, $date: TimelessDate!) {\\n generateRevaluationCharge(ownerId: $ownerId, date: $date) {\\n id\\n }\\n }\\n\": types.GenerateRevaluationChargeDocument,\n \"\\n mutation GenerateBankDepositsRevaluationCharge($ownerId: UUID!, $date: TimelessDate!) {\\n generateBankDepositsRevaluationCharge(ownerId: $ownerId, date: $date) {\\n id\\n }\\n }\\n\": types.GenerateBankDepositsRevaluationChargeDocument,\n \"\\n mutation GenerateTaxExpensesCharge($ownerId: UUID!, $date: TimelessDate!) {\\n generateTaxExpensesCharge(ownerId: $ownerId, year: $date) {\\n id\\n }\\n }\\n\": types.GenerateTaxExpensesChargeDocument,\n \"\\n mutation GenerateDepreciationCharge($ownerId: UUID!, $date: TimelessDate!) {\\n generateDepreciationCharge(ownerId: $ownerId, year: $date) {\\n id\\n }\\n }\\n\": types.GenerateDepreciationChargeDocument,\n \"\\n mutation GenerateRecoveryReserveCharge($ownerId: UUID!, $date: TimelessDate!) {\\n generateRecoveryReserveCharge(ownerId: $ownerId, year: $date) {\\n id\\n }\\n }\\n\": types.GenerateRecoveryReserveChargeDocument,\n \"\\n mutation GenerateVacationReserveCharge($ownerId: UUID!, $date: TimelessDate!) {\\n generateVacationReserveCharge(ownerId: $ownerId, year: $date) {\\n id\\n }\\n }\\n\": types.GenerateVacationReserveChargeDocument,\n \"\\n query AllAdminBusinesses {\\n allAdminBusinesses {\\n id\\n name\\n governmentId\\n }\\n }\\n\": types.AllAdminBusinessesDocument,\n \"\\n query AllClients {\\n allClients {\\n id\\n originalBusiness {\\n id\\n name\\n }\\n }\\n }\\n\": types.AllClientsDocument,\n \"\\n query AllBusinesses {\\n allBusinesses {\\n nodes {\\n id\\n name\\n }\\n }\\n }\\n\": types.AllBusinessesDocument,\n \"\\n query AllCountries {\\n allCountries {\\n id\\n name\\n code\\n }\\n }\\n\": types.AllCountriesDocument,\n \"\\n query AllFinancialAccounts {\\n allFinancialAccounts {\\n id\\n name\\n }\\n }\\n\": types.AllFinancialAccountsDocument,\n \"\\n query AllFinancialEntities {\\n allFinancialEntities {\\n nodes {\\n id\\n name\\n }\\n }\\n }\\n\": types.AllFinancialEntitiesDocument,\n \"\\n query AllSortCodes {\\n allSortCodes {\\n id\\n key\\n name\\n defaultIrsCode\\n }\\n }\\n\": types.AllSortCodesDocument,\n \"\\n query AllTags {\\n allTags {\\n id\\n name\\n namePath\\n }\\n }\\n\": types.AllTagsDocument,\n \"\\n query AllTaxCategories {\\n taxCategories {\\n id\\n name\\n }\\n }\\n\": types.AllTaxCategoriesDocument,\n \"\\n mutation InsertBusinessTripAttendee($fields: InsertBusinessTripAttendeeInput!) {\\n insertBusinessTripAttendee(fields: $fields)\\n }\\n\": types.InsertBusinessTripAttendeeDocument,\n \"\\n mutation InsertBusinessTrip($fields: InsertBusinessTripInput!) {\\n insertBusinessTrip(fields: $fields)\\n }\\n\": types.InsertBusinessTripDocument,\n \"\\n mutation InsertBusiness($fields: InsertNewBusinessInput!) {\\n insertNewBusiness(fields: $fields) {\\n __typename\\n ... on LtdFinancialEntity {\\n id\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": types.InsertBusinessDocument,\n \"\\n mutation InsertClient($fields: ClientInsertInput!) {\\n insertClient(fields: $fields) {\\n __typename\\n ... on Client {\\n id\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": types.InsertClientDocument,\n \"\\n mutation InsertDocument($record: InsertDocumentInput!) {\\n insertDocument(record: $record) {\\n __typename\\n ... on InsertDocumentSuccessfulResult {\\n document {\\n id\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": types.InsertDocumentDocument,\n \"\\n mutation InsertDynamicReportTemplate($name: String!, $template: String!) {\\n insertDynamicReportTemplate(name: $name, template: $template) {\\n id\\n name\\n }\\n }\\n\": types.InsertDynamicReportTemplateDocument,\n \"\\n mutation InsertMiscExpense($chargeId: UUID!, $fields: InsertMiscExpenseInput!) {\\n insertMiscExpense(chargeId: $chargeId, fields: $fields) {\\n id\\n }\\n }\\n\": types.InsertMiscExpenseDocument,\n \"\\n mutation InsertMiscExpenses($chargeId: UUID!, $expenses: [InsertMiscExpenseInput!]!) {\\n insertMiscExpenses(chargeId: $chargeId, expenses: $expenses) {\\n id\\n }\\n }\\n\": types.InsertMiscExpensesDocument,\n \"\\n mutation InsertSalaryRecord($salaryRecords: [SalaryRecordInput!]!) {\\n insertSalaryRecords(salaryRecords: $salaryRecords) {\\n __typename\\n ... on InsertSalaryRecordsSuccessfulResult {\\n salaryRecords {\\n month\\n employee {\\n id\\n }\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": types.InsertSalaryRecordDocument,\n \"\\n mutation InsertTaxCategory($fields: InsertTaxCategoryInput!) {\\n insertTaxCategory(fields: $fields) {\\n id\\n name\\n }\\n }\\n\": types.InsertTaxCategoryDocument,\n \"\\n mutation IssueGreenInvoiceDocument(\\n $input: DocumentIssueInput!\\n $emailContent: String\\n $attachment: Boolean\\n $chargeId: UUID\\n ) {\\n issueGreenInvoiceDocument(\\n input: $input\\n emailContent: $emailContent\\n attachment: $attachment\\n chargeId: $chargeId\\n ) {\\n id\\n }\\n }\\n\": types.IssueGreenInvoiceDocumentDocument,\n \"\\n mutation IssueMonthlyDocuments($generateDocumentsInfo: [DocumentIssueInput!]!) {\\n issueGreenInvoiceDocuments(generateDocumentsInfo: $generateDocumentsInfo) {\\n success\\n errors\\n }\\n }\\n\": types.IssueMonthlyDocumentsDocument,\n \"\\n mutation LedgerLock($date: TimelessDate!) {\\n lockLedgerRecords(date: $date)\\n }\\n\": types.LedgerLockDocument,\n \"\\n mutation MergeBusinesses($targetBusinessId: UUID!, $businessIdsToMerge: [UUID!]!) {\\n mergeBusinesses(targetBusinessId: $targetBusinessId, businessIdsToMerge: $businessIdsToMerge) {\\n __typename\\n id\\n }\\n }\\n\": types.MergeBusinessesDocument,\n \"\\n mutation MergeCharges(\\n $baseChargeID: UUID!\\n $chargeIdsToMerge: [UUID!]!\\n $fields: UpdateChargeInput\\n ) {\\n mergeCharges(\\n baseChargeID: $baseChargeID\\n chargeIdsToMerge: $chargeIdsToMerge\\n fields: $fields\\n ) {\\n __typename\\n ... on MergeChargeSuccessfulResult {\\n charge {\\n id\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": types.MergeChargesDocument,\n \"\\n mutation PreviewDocument($input: DocumentIssueInput!) {\\n previewDocument(input: $input)\\n }\\n\": types.PreviewDocumentDocument,\n \"\\n mutation RegenerateLedger($chargeId: UUID!) {\\n regenerateLedgerRecords(chargeId: $chargeId) {\\n __typename\\n ... on Ledger {\\n records {\\n id\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": types.RegenerateLedgerDocument,\n \"\\n mutation SyncGreenInvoiceDocuments($ownerId: UUID!) {\\n syncGreenInvoiceDocuments(ownerId: $ownerId) {\\n id\\n ...NewFetchedDocumentFields\\n }\\n }\\n\": types.SyncGreenInvoiceDocumentsDocument,\n \"\\n mutation UpdateAdminBusiness($adminBusinessId: UUID!, $fields: UpdateAdminBusinessInput!) {\\n updateAdminBusiness(businessId: $adminBusinessId, fields: $fields) {\\n id\\n }\\n }\\n\": types.UpdateAdminBusinessDocument,\n \"\\n mutation UpdateBusinessTripAccommodationsExpense(\\n $fields: UpdateBusinessTripAccommodationsExpenseInput!\\n ) {\\n updateBusinessTripAccommodationsExpense(fields: $fields)\\n }\\n\": types.UpdateBusinessTripAccommodationsExpenseDocument,\n \"\\n mutation UpdateBusinessTripAccountantApproval(\\n $businessTripId: UUID!\\n $status: AccountantStatus!\\n ) {\\n updateBusinessTripAccountantApproval(businessTripId: $businessTripId, approvalStatus: $status)\\n }\\n\": types.UpdateBusinessTripAccountantApprovalDocument,\n \"\\n mutation UpdateBusinessTripAttendee($fields: BusinessTripAttendeeUpdateInput!) {\\n updateBusinessTripAttendee(fields: $fields)\\n }\\n\": types.UpdateBusinessTripAttendeeDocument,\n \"\\n mutation UpdateBusinessTripCarRentalExpense($fields: UpdateBusinessTripCarRentalExpenseInput!) {\\n updateBusinessTripCarRentalExpense(fields: $fields)\\n }\\n\": types.UpdateBusinessTripCarRentalExpenseDocument,\n \"\\n mutation UpdateBusinessTripFlightsExpense($fields: UpdateBusinessTripFlightsExpenseInput!) {\\n updateBusinessTripFlightsExpense(fields: $fields)\\n }\\n\": types.UpdateBusinessTripFlightsExpenseDocument,\n \"\\n mutation UpdateBusinessTripOtherExpense($fields: UpdateBusinessTripOtherExpenseInput!) {\\n updateBusinessTripOtherExpense(fields: $fields)\\n }\\n\": types.UpdateBusinessTripOtherExpenseDocument,\n \"\\n mutation UpdateBusinessTripTravelAndSubsistenceExpense(\\n $fields: UpdateBusinessTripTravelAndSubsistenceExpenseInput!\\n ) {\\n updateBusinessTripTravelAndSubsistenceExpense(fields: $fields)\\n }\\n\": types.UpdateBusinessTripTravelAndSubsistenceExpenseDocument,\n \"\\n mutation UpdateBusiness($businessId: UUID!, $ownerId: UUID!, $fields: UpdateBusinessInput!) {\\n updateBusiness(businessId: $businessId, ownerId: $ownerId, fields: $fields) {\\n __typename\\n ... on LtdFinancialEntity {\\n id\\n name\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": types.UpdateBusinessDocument,\n \"\\n mutation UpdateChargeAccountantApproval($chargeId: UUID!, $status: AccountantStatus!) {\\n updateChargeAccountantApproval(chargeId: $chargeId, approvalStatus: $status)\\n }\\n\": types.UpdateChargeAccountantApprovalDocument,\n \"\\n mutation UpdateCharge($chargeId: UUID!, $fields: UpdateChargeInput!) {\\n updateCharge(chargeId: $chargeId, fields: $fields) {\\n __typename\\n ... on UpdateChargeSuccessfulResult {\\n charge {\\n id\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": types.UpdateChargeDocument,\n \"\\n mutation UpdateClient($businessId: UUID!, $fields: ClientUpdateInput!) {\\n updateClient(businessId: $businessId, fields: $fields) {\\n __typename\\n ... on Client {\\n id\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": types.UpdateClientDocument,\n \"\\n mutation UpdateContract($contractId: UUID!, $input: UpdateContractInput!) {\\n updateContract(contractId: $contractId, input: $input) {\\n id\\n }\\n }\\n\": types.UpdateContractDocument,\n \"\\n mutation UpdateDepreciationRecord($fields: UpdateDepreciationRecordInput!) {\\n updateDepreciationRecord(input: $fields) {\\n __typename\\n ... on CommonError {\\n message\\n }\\n ... on DepreciationRecord {\\n id\\n }\\n }\\n }\\n\": types.UpdateDepreciationRecordDocument,\n \"\\n mutation UpdateDocument($documentId: UUID!, $fields: UpdateDocumentFieldsInput!) {\\n updateDocument(documentId: $documentId, fields: $fields) {\\n __typename\\n ... on CommonError {\\n message\\n }\\n ... on UpdateDocumentSuccessfulResult {\\n document {\\n id\\n }\\n }\\n }\\n }\\n\": types.UpdateDocumentDocument,\n \"\\n mutation UpdateDynamicReportTemplateName($name: String!, $newName: String!) {\\n updateDynamicReportTemplateName(name: $name, newName: $newName) {\\n id\\n name\\n }\\n }\\n\": types.UpdateDynamicReportTemplateNameDocument,\n \"\\n mutation UpdateDynamicReportTemplate($name: String!, $template: String!) {\\n updateDynamicReportTemplate(name: $name, template: $template) {\\n id\\n name\\n }\\n }\\n\": types.UpdateDynamicReportTemplateDocument,\n \"\\n mutation UpdateFinancialAccount(\\n $financialAccountId: UUID!\\n $fields: UpdateFinancialAccountInput!\\n ) {\\n updateFinancialAccount(id: $financialAccountId, fields: $fields) {\\n id\\n }\\n }\\n\": types.UpdateFinancialAccountDocument,\n \"\\n mutation UpdateMiscExpense($id: UUID!, $fields: UpdateMiscExpenseInput!) {\\n updateMiscExpense(id: $id, fields: $fields) {\\n id\\n }\\n }\\n\": types.UpdateMiscExpenseDocument,\n \"\\n mutation UpdateOrInsertSalaryRecords($salaryRecords: [SalaryRecordInput!]!) {\\n insertOrUpdateSalaryRecords(salaryRecords: $salaryRecords) {\\n __typename\\n ... on InsertSalaryRecordsSuccessfulResult {\\n salaryRecords {\\n month\\n employee {\\n id\\n }\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": types.UpdateOrInsertSalaryRecordsDocument,\n \"\\n mutation UpdateSalaryRecord($salaryRecord: SalaryRecordEditInput!) {\\n updateSalaryRecord(salaryRecord: $salaryRecord) {\\n __typename\\n ... on UpdateSalaryRecordSuccessfulResult {\\n salaryRecord {\\n month\\n employee {\\n id\\n }\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": types.UpdateSalaryRecordDocument,\n \"\\n mutation UpdateSortCode($key: Int!, $fields: UpdateSortCodeFieldsInput!) {\\n updateSortCode(key: $key, fields: $fields)\\n }\\n\": types.UpdateSortCodeDocument,\n \"\\n mutation UpdateTag($tagId: UUID!, $fields: UpdateTagFieldsInput!) {\\n updateTag(id: $tagId, fields: $fields)\\n }\\n\": types.UpdateTagDocument,\n \"\\n mutation UpdateTaxCategory($taxCategoryId: UUID!, $fields: UpdateTaxCategoryInput!) {\\n updateTaxCategory(taxCategoryId: $taxCategoryId, fields: $fields) {\\n __typename\\n ... on TaxCategory {\\n id\\n name\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": types.UpdateTaxCategoryDocument,\n \"\\n mutation UpdateTransaction($transactionId: UUID!, $fields: UpdateTransactionInput!) {\\n updateTransaction(transactionId: $transactionId, fields: $fields) {\\n __typename\\n ... on Transaction {\\n id\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": types.UpdateTransactionDocument,\n \"\\n mutation UpdateTransactions($transactionIds: [UUID!]!, $fields: UpdateTransactionInput!) {\\n updateTransactions(transactionIds: $transactionIds, fields: $fields) {\\n __typename\\n ... on UpdatedTransactionsSuccessfulResult {\\n transactions {\\n ... on Transaction {\\n id\\n }\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": types.UpdateTransactionsDocument,\n \"\\n mutation UploadDocument($file: FileScalar!, $chargeId: UUID) {\\n uploadDocument(file: $file, chargeId: $chargeId) {\\n __typename\\n ... on UploadDocumentSuccessfulResult {\\n document {\\n id\\n charge {\\n id\\n }\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\": types.UploadDocumentDocument,\n \"\\n mutation UploadDocumentsFromGoogleDrive(\\n $sharedFolderUrl: String!\\n $chargeId: UUID\\n $isSensitive: Boolean\\n ) {\\n batchUploadDocumentsFromGoogleDrive(\\n sharedFolderUrl: $sharedFolderUrl\\n chargeId: $chargeId\\n isSensitive: $isSensitive\\n ) {\\n ... on CommonError {\\n message\\n }\\n ... on UploadDocumentSuccessfulResult {\\n document {\\n id\\n ...NewFetchedDocumentFields\\n }\\n }\\n }\\n }\\n\": types.UploadDocumentsFromGoogleDriveDocument,\n \"\\n mutation UploadMultipleDocuments(\\n $documents: [FileScalar!]!\\n $chargeId: UUID\\n $isSensitive: Boolean\\n ) {\\n batchUploadDocuments(documents: $documents, chargeId: $chargeId, isSensitive: $isSensitive) {\\n ... on CommonError {\\n message\\n }\\n ... on UploadDocumentSuccessfulResult {\\n document {\\n id\\n ...NewFetchedDocumentFields\\n }\\n }\\n }\\n }\\n\": types.UploadMultipleDocumentsDocument,\n \"\\n mutation UploadPayrollFile($file: FileScalar!, $chargeId: UUID!) {\\n insertSalaryRecordsFromFile(file: $file, chargeId: $chargeId)\\n }\\n\": types.UploadPayrollFileDocument,\n \"\\n query UserContext {\\n userContext {\\n adminBusinessId\\n defaultLocalCurrency\\n defaultCryptoConversionFiatCurrency\\n ledgerLock\\n financialAccountsBusinessesIds\\n locality\\n }\\n }\\n\": types.UserContextDocument,\n \"\\n query BusinessEmailConfig($email: String!) {\\n businessEmailConfig(email: $email) {\\n businessId\\n internalEmailLinks\\n emailBody\\n attachments\\n }\\n }\\n\": types.BusinessEmailConfigDocument,\n \"\\n mutation InsertEmailDocuments(\\n $documents: [FileScalar!]!\\n $userDescription: String!\\n $messageId: String\\n $businessId: UUID\\n ) {\\n insertEmailDocuments(\\n documents: $documents\\n userDescription: $userDescription\\n messageId: $messageId\\n businessId: $businessId\\n )\\n }\\n\": types.InsertEmailDocumentsDocument,\n};\n\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment DepositTransactionFields on Transaction {\\n id\\n eventDate\\n chargeId\\n amount {\\n raw\\n formatted\\n currency\\n }\\n debitExchangeRates {\\n aud\\n cad\\n eur\\n gbp\\n jpy\\n sek\\n usd\\n date\\n }\\n eventExchangeRates {\\n aud\\n cad\\n eur\\n gbp\\n jpy\\n sek\\n usd\\n date\\n }\\n }\\n\"): typeof import('./graphql.js').DepositTransactionFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query SharedDepositTransactions($depositId: String!) {\\n deposit(depositId: $depositId) {\\n id\\n currency\\n transactions {\\n id\\n ...DepositTransactionFields\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').SharedDepositTransactionsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query BusinessLedgerInfo($filters: BusinessTransactionsFilter) {\\n businessTransactionsFromLedgerRecords(filters: $filters) {\\n ... on BusinessTransactionsFromLedgerRecordsSuccessfulResult {\\n businessTransactions {\\n amount {\\n formatted\\n raw\\n }\\n business {\\n id\\n name\\n }\\n foreignAmount {\\n formatted\\n raw\\n currency\\n }\\n invoiceDate\\n reference\\n details\\n counterAccount {\\n __typename\\n id\\n name\\n }\\n chargeId\\n }\\n }\\n ... on CommonError {\\n __typename\\n message\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessLedgerInfoDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query BusinessLedgerRecordsSummery($filters: BusinessTransactionsFilter) {\\n businessTransactionsSumFromLedgerRecords(filters: $filters) {\\n ... on BusinessTransactionsSumFromLedgerRecordsSuccessfulResult {\\n businessTransactionsSum {\\n business {\\n id\\n name\\n }\\n credit {\\n formatted\\n }\\n debit {\\n formatted\\n }\\n total {\\n formatted\\n raw\\n }\\n foreignCurrenciesSum {\\n currency\\n credit {\\n formatted\\n }\\n debit {\\n formatted\\n }\\n total {\\n formatted\\n raw\\n }\\n }\\n }\\n }\\n ... on CommonError {\\n __typename\\n message\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessLedgerRecordsSummeryDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query BusinessTripScreen($businessTripId: UUID!) {\\n businessTrip(id: $businessTripId) {\\n id\\n name\\n dates {\\n start\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessTripScreenDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripsRowFields on BusinessTrip {\\n id\\n name\\n accountantApproval\\n }\\n\"): typeof import('./graphql.js').BusinessTripsRowFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query BusinessTripsRowValidation($id: UUID!) {\\n businessTrip(id: $id) {\\n id\\n uncategorizedTransactions {\\n transaction {\\n ... on Transaction @defer {\\n id\\n }\\n }\\n }\\n summary {\\n ... on BusinessTripSummary @defer {\\n errors\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessTripsRowValidationDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query EditableBusinessTrip($businessTripId: UUID!) {\\n businessTrip(id: $businessTripId) {\\n id\\n ...BusinessTripReportHeaderFields\\n ...BusinessTripReportAttendeesFields\\n ...BusinessTripUncategorizedTransactionsFields\\n ...BusinessTripReportFlightsFields\\n ...BusinessTripReportAccommodationsFields\\n ...BusinessTripReportTravelAndSubsistenceFields\\n ...BusinessTripReportCarRentalFields\\n ...BusinessTripReportOtherFields\\n ...BusinessTripReportSummaryFields\\n ... on BusinessTrip {\\n uncategorizedTransactions {\\n transaction {\\n id\\n }\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').EditableBusinessTripDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query BusinessTripsScreen {\\n allBusinessTrips {\\n id\\n name\\n dates {\\n start\\n }\\n ...BusinessTripsRowFields\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessTripsScreenDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessAdminSection on Business {\\n id\\n ... on LtdFinancialEntity {\\n adminInfo {\\n id\\n registrationDate\\n withholdingTaxAnnualIds {\\n id\\n year\\n }\\n withholdingTaxCompanyId\\n socialSecurityEmployerIds {\\n id\\n year\\n }\\n socialSecurityDeductionsId\\n taxAdvancesAnnualIds {\\n id\\n year\\n }\\n taxAdvancesRates {\\n date\\n rate\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessAdminSectionFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AdminFinancialAccountsSection($adminId: UUID!) {\\n financialAccountsByOwner(ownerId: $adminId) {\\n id\\n __typename\\n name\\n number\\n type\\n privateOrBusiness\\n accountTaxCategories {\\n id\\n currency\\n taxCategory {\\n id\\n name\\n }\\n }\\n ... on BankFinancialAccount {\\n bankNumber\\n branchNumber\\n iban\\n swiftCode\\n extendedBankNumber\\n partyPreferredIndication\\n partyAccountInvolvementCode\\n accountDealDate\\n accountUpdateDate\\n metegDoarNet\\n kodHarshaatPeilut\\n accountClosingReasonCode\\n accountAgreementOpeningDate\\n serviceAuthorizationDesc\\n branchTypeCode\\n mymailEntitlementSwitch\\n productLabel\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').AdminFinancialAccountsSectionDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessHeader on Business {\\n __typename\\n id\\n name\\n createdAt\\n isActive\\n ... on LtdFinancialEntity {\\n governmentId\\n adminInfo {\\n id\\n }\\n clientInfo {\\n id\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessHeaderFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query BusinessChargesSection($page: Int, $limit: Int, $filters: ChargeFilter) {\\n allCharges(page: $page, limit: $limit, filters: $filters) {\\n nodes {\\n id\\n ...ChargesTableFields\\n }\\n pageInfo {\\n totalPages\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessChargesSectionDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query ClientContractsSection($clientId: UUID!) {\\n contractsByClient(clientId: $clientId) {\\n id\\n purchaseOrders\\n startDate\\n endDate\\n amount {\\n raw\\n currency\\n }\\n billingCycle\\n isActive\\n product\\n documentType\\n remarks\\n plan\\n msCloud\\n operationsLimit\\n }\\n }\\n\"): typeof import('./graphql.js').ClientContractsSectionDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ClientIntegrationsSection on LtdFinancialEntity {\\n id\\n clientInfo {\\n id\\n integrations {\\n id\\n greenInvoiceInfo {\\n businessId\\n greenInvoiceId\\n }\\n hiveId\\n linearId\\n slackChannelKey\\n notionId\\n workflowyUrl\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ClientIntegrationsSectionFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query ClientIntegrationsSectionGreenInvoice($clientId: UUID!) {\\n greenInvoiceClient(clientId: $clientId) {\\n businessId\\n greenInvoiceId\\n country {\\n id\\n name\\n }\\n emails\\n name\\n phone\\n taxId\\n address\\n city\\n zip\\n fax\\n mobile\\n }\\n }\\n\"): typeof import('./graphql.js').ClientIntegrationsSectionGreenInvoiceDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query ContractBasedDocumentDraft($issueMonth: TimelessDate!, $contractId: UUID!) {\\n periodicalDocumentDraftsByContracts(issueMonth: $issueMonth, contractIds: [$contractId]) {\\n ...NewDocumentDraft\\n }\\n }\\n\"): typeof import('./graphql.js').ContractBasedDocumentDraftDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessConfigurationSection on Business {\\n __typename\\n id\\n pcn874RecordType\\n irsCode\\n isActive\\n ... on LtdFinancialEntity {\\n optionalVAT\\n exemptDealer\\n isReceiptEnough\\n isDocumentsOptional\\n sortCode {\\n id\\n key\\n defaultIrsCode\\n }\\n taxCategory {\\n id\\n }\\n suggestions {\\n phrases\\n emails\\n tags {\\n id\\n }\\n description\\n emailListener {\\n internalEmailLinks\\n emailBody\\n attachments\\n }\\n }\\n clientInfo {\\n id\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessConfigurationSectionFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessContactSection on Business {\\n __typename\\n id\\n ... on LtdFinancialEntity {\\n name\\n hebrewName\\n country {\\n id\\n code\\n }\\n governmentId\\n address\\n city\\n zipCode\\n email\\n # localAddress\\n phoneNumber\\n website\\n clientInfo {\\n id\\n emails\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessContactSectionFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessPage on Business {\\n id\\n ... on LtdFinancialEntity {\\n clientInfo {\\n id\\n }\\n adminInfo {\\n id\\n }\\n }\\n ...ClientIntegrationsSection\\n ...BusinessHeader\\n ...BusinessContactSection\\n ...BusinessConfigurationSection\\n ...BusinessAdminSection\\n }\\n\"): typeof import('./graphql.js').BusinessPageFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query BusinessLedgerSection($businessId: UUID!) {\\n ledgerRecordsByFinancialEntity(financialEntityId: $businessId) {\\n id\\n ...LedgerRecordsTableFields\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessLedgerSectionDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query BusinessTransactionsSection($businessId: UUID!) {\\n transactionsByFinancialEntity(financialEntityID: $businessId) {\\n id\\n ...TransactionForTransactionsTableFields\\n ...TransactionToDownloadForTransactionsTableFields\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessTransactionsSectionDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllBusinessesForScreen($page: Int, $limit: Int, $name: String) {\\n allBusinesses(page: $page, limit: $limit, name: $name) {\\n nodes {\\n __typename\\n id\\n name\\n ... on LtdFinancialEntity {\\n ...BusinessHeader\\n }\\n }\\n pageInfo {\\n totalPages\\n totalRecords\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').AllBusinessesForScreenDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ChargeMatchesTableFields on ChargeMatch {\\n charge {\\n id\\n __typename\\n minEventDate\\n minDebitDate\\n minDocumentsDate\\n totalAmount {\\n raw\\n formatted\\n }\\n vat {\\n raw\\n formatted\\n }\\n counterparty {\\n name\\n id\\n }\\n userDescription\\n tags {\\n id\\n name\\n namePath\\n }\\n taxCategory {\\n id\\n name\\n }\\n # ...ChargesTableRowFields\\n }\\n confidenceScore\\n }\\n\"): typeof import('./graphql.js').ChargeMatchesTableFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query ChargeExtendedInfoForChargeMatches($chargeId: UUID!) {\\n charge(chargeId: $chargeId) {\\n id\\n transactions {\\n id\\n ...TransactionForTransactionsTableFields\\n }\\n additionalDocuments {\\n id\\n ...TableDocumentsRowFields\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ChargeExtendedInfoForChargeMatchesDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query ChargesLedgerValidation($limit: Int, $filters: ChargeFilter) {\\n chargesWithLedgerChanges(limit: $limit, filters: $filters) @stream {\\n progress\\n charge {\\n id\\n ...ChargesTableFields\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ChargesLedgerValidationDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ChargesTableAccountantApprovalFields on Charge {\\n id\\n accountantApproval\\n }\\n\"): typeof import('./graphql.js').ChargesTableAccountantApprovalFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ChargesTableAmountFields on Charge {\\n __typename\\n id\\n totalAmount {\\n raw\\n formatted\\n }\\n ... on CreditcardBankCharge @defer {\\n validCreditCardAmount\\n }\\n }\\n\"): typeof import('./graphql.js').ChargesTableAmountFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ChargesTableBusinessTripFields on Charge {\\n id\\n ... on BusinessTripCharge {\\n businessTrip {\\n id\\n name\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ChargesTableBusinessTripFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ChargesTableEntityFields on Charge {\\n __typename\\n id\\n counterparty {\\n name\\n id\\n }\\n ... on Charge @defer {\\n validationData {\\n missingInfo\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ChargesTableEntityFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ChargesTableDateFields on Charge {\\n id\\n minEventDate\\n minDebitDate\\n minDocumentsDate\\n }\\n\"): typeof import('./graphql.js').ChargesTableDateFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ChargesTableDescriptionFields on Charge {\\n id\\n userDescription\\n ... on Charge @defer {\\n validationData {\\n missingInfo\\n }\\n missingInfoSuggestions {\\n description\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ChargesTableDescriptionFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ChargesTableMoreInfoFields on Charge {\\n __typename\\n id\\n metadata {\\n transactionsCount\\n documentsCount\\n ledgerCount\\n miscExpensesCount\\n ... on ChargeMetadata @defer {\\n invalidLedger\\n }\\n }\\n ... on Charge @defer {\\n validationData {\\n missingInfo\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ChargesTableMoreInfoFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ChargesTableTagsFields on Charge {\\n id\\n tags {\\n id\\n name\\n namePath\\n }\\n ... on Charge @defer {\\n validationData {\\n ... on ValidationData {\\n missingInfo\\n }\\n }\\n missingInfoSuggestions {\\n ... on ChargeSuggestions {\\n tags {\\n id\\n name\\n namePath\\n }\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ChargesTableTagsFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ChargesTableTaxCategoryFields on Charge {\\n __typename\\n id\\n taxCategory {\\n id\\n name\\n }\\n ... on Charge @defer {\\n validationData {\\n missingInfo\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ChargesTableTaxCategoryFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ChargesTableTypeFields on Charge {\\n __typename\\n id\\n }\\n\"): typeof import('./graphql.js').ChargesTableTypeFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ChargesTableVatFields on Charge {\\n __typename\\n id\\n vat {\\n raw\\n formatted\\n }\\n totalAmount {\\n raw\\n currency\\n }\\n ... on Charge @defer {\\n validationData {\\n missingInfo\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ChargesTableVatFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ChargesTableErrorsFields on Charge {\\n id\\n ... on Charge @defer {\\n errorsLedger: ledger {\\n ... on Ledger @defer {\\n validate {\\n ... on LedgerValidation @defer {\\n errors\\n }\\n }\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ChargesTableErrorsFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query FetchCharge($chargeId: UUID!) {\\n charge(chargeId: $chargeId) {\\n __typename\\n id\\n metadata {\\n transactionsCount\\n documentsCount\\n receiptsCount\\n invoicesCount\\n ledgerCount\\n isLedgerLocked\\n openDocuments\\n }\\n totalAmount {\\n raw\\n }\\n ...DocumentsGalleryFields @defer\\n ...TableDocumentsFields @defer\\n ...ChargeLedgerRecordsTableFields @defer\\n ...ChargeTableTransactionsFields @defer\\n ...ConversionChargeInfo @defer\\n ...CreditcardBankChargeInfo @defer\\n ...TableSalariesFields @defer\\n ... on BusinessTripCharge {\\n businessTrip {\\n id\\n ... on BusinessTrip @defer {\\n ...BusinessTripReportFields\\n }\\n }\\n }\\n ...ChargesTableErrorsFields @defer\\n miscExpenses {\\n id\\n }\\n ...TableMiscExpensesFields @defer\\n ...ExchangeRatesInfo @defer\\n }\\n }\\n\"): typeof import('./graphql.js').FetchChargeDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment TableDocumentsFields on Charge {\\n id\\n additionalDocuments {\\n id\\n ...TableDocumentsRowFields\\n }\\n }\\n\"): typeof import('./graphql.js').TableDocumentsFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ChargeLedgerRecordsTableFields on Charge {\\n id\\n ledger {\\n __typename\\n records {\\n id\\n ...LedgerRecordsTableFields\\n }\\n ... on Ledger @defer {\\n validate {\\n ... on LedgerValidation @defer {\\n matches\\n differences {\\n id\\n ...LedgerRecordsTableFields\\n }\\n }\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ChargeLedgerRecordsTableFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ChargeTableTransactionsFields on Charge {\\n id\\n transactions {\\n id\\n ...TransactionForTransactionsTableFields\\n }\\n }\\n\"): typeof import('./graphql.js').ChargeTableTransactionsFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ChargesTableRowFields on Charge {\\n id\\n __typename\\n metadata {\\n ... on ChargeMetadata @defer {\\n documentsCount\\n ledgerCount\\n transactionsCount\\n miscExpensesCount\\n }\\n }\\n totalAmount {\\n raw\\n }\\n ...ChargesTableAccountantApprovalFields\\n ...ChargesTableAmountFields\\n ...ChargesTableBusinessTripFields @defer\\n ...ChargesTableDateFields\\n ...ChargesTableDescriptionFields\\n ...ChargesTableEntityFields @defer\\n ...ChargesTableMoreInfoFields\\n ...ChargesTableTagsFields @defer\\n ...ChargesTableTaxCategoryFields @defer\\n ...ChargesTableTypeFields\\n ...ChargesTableVatFields\\n }\\n\"): typeof import('./graphql.js').ChargesTableRowFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query ChargeForRow($chargeId: UUID!) {\\n charge(chargeId: $chargeId) {\\n id\\n ...ChargesTableRowFields\\n }\\n }\\n\"): typeof import('./graphql.js').ChargeForRowDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ChargesTableFields on Charge {\\n id\\n owner {\\n id\\n }\\n ...ChargesTableRowFields\\n }\\n\"): typeof import('./graphql.js').ChargesTableFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query BankDepositInfo($chargeId: UUID!) {\\n depositByCharge(chargeId: $chargeId) {\\n id\\n currentBalance {\\n formatted\\n }\\n transactions {\\n id\\n chargeId\\n ...TransactionForTransactionsTableFields\\n }\\n isOpen\\n }\\n }\\n\"): typeof import('./graphql.js').BankDepositInfoDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query ChargeTransactionIds($chargeId: UUID!) {\\n charge(chargeId: $chargeId) {\\n id\\n transactions {\\n id\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ChargeTransactionIdsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query ChargeMatches($chargeId: UUID!) {\\n findChargeMatches(chargeId: $chargeId) {\\n matches {\\n chargeId\\n ...ChargeMatchesTableFields\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ChargeMatchesDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ConversionChargeInfo on Charge {\\n id\\n __typename\\n ... on ConversionCharge {\\n eventRate {\\n from\\n to\\n rate\\n }\\n officialRate {\\n from\\n to\\n rate\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ConversionChargeInfoFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment CreditcardBankChargeInfo on Charge {\\n id\\n __typename\\n ... on CreditcardBankCharge {\\n creditCardTransactions {\\n id\\n ...TransactionForTransactionsTableFields\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').CreditcardBankChargeInfoFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ExchangeRatesInfo on Charge {\\n id\\n __typename\\n ... on FinancialCharge {\\n exchangeRates {\\n aud\\n cad\\n eur\\n gbp\\n ils\\n jpy\\n sek\\n usd\\n eth\\n grt\\n usdc\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ExchangeRatesInfoFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment TableMiscExpensesFields on Charge {\\n id\\n miscExpenses {\\n id\\n amount {\\n formatted\\n }\\n description\\n invoiceDate\\n valueDate\\n creditor {\\n id\\n name\\n }\\n debtor {\\n id\\n name\\n }\\n chargeId\\n ...EditMiscExpenseFields\\n }\\n }\\n\"): typeof import('./graphql.js').TableMiscExpensesFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment TableSalariesFields on Charge {\\n id\\n __typename\\n ... on SalaryCharge {\\n salaryRecords {\\n directAmount {\\n formatted\\n }\\n baseAmount {\\n formatted\\n }\\n employee {\\n id\\n name\\n }\\n pensionFund {\\n id\\n name\\n }\\n pensionEmployeeAmount {\\n formatted\\n }\\n pensionEmployerAmount {\\n formatted\\n }\\n compensationsAmount {\\n formatted\\n }\\n trainingFund {\\n id\\n name\\n }\\n trainingFundEmployeeAmount {\\n formatted\\n }\\n trainingFundEmployerAmount {\\n formatted\\n }\\n socialSecurityEmployeeAmount {\\n formatted\\n }\\n socialSecurityEmployerAmount {\\n formatted\\n }\\n incomeTaxAmount {\\n formatted\\n }\\n healthInsuranceAmount {\\n formatted\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').TableSalariesFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query IncomeChargesChart($filters: ChargeFilter) {\\n allCharges(filters: $filters) {\\n nodes {\\n id\\n transactions {\\n id\\n eventDate\\n effectiveDate\\n amount {\\n currency\\n formatted\\n raw\\n }\\n eventExchangeRates {\\n aud\\n cad\\n eur\\n gbp\\n jpy\\n sek\\n usd\\n date\\n }\\n debitExchangeRates {\\n aud\\n cad\\n eur\\n gbp\\n jpy\\n sek\\n usd\\n date\\n }\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').IncomeChargesChartDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment MonthlyIncomeExpenseChartInfo on IncomeExpenseChart {\\n monthlyData {\\n income {\\n formatted\\n raw\\n }\\n expense {\\n formatted\\n raw\\n }\\n balance {\\n formatted\\n raw\\n }\\n date\\n }\\n }\\n\"): typeof import('./graphql.js').MonthlyIncomeExpenseChartInfoFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query MonthlyIncomeExpenseChart($filters: IncomeExpenseChartFilters!) {\\n incomeExpenseChart(filters: $filters) {\\n fromDate\\n toDate\\n currency\\n ...MonthlyIncomeExpenseChartInfo\\n }\\n }\\n\"): typeof import('./graphql.js').MonthlyIncomeExpenseChartDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query ContractsEditModal($contractId: UUID!) {\\n contractsById(id: $contractId) {\\n id\\n startDate\\n endDate\\n purchaseOrders\\n amount {\\n raw\\n currency\\n }\\n product\\n msCloud\\n billingCycle\\n plan\\n isActive\\n remarks\\n documentType\\n operationsLimit\\n }\\n }\\n\"): typeof import('./graphql.js').ContractsEditModalDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripReportFields on BusinessTrip {\\n id\\n ...BusinessTripReportHeaderFields\\n ...BusinessTripReportSummaryFields\\n }\\n\"): typeof import('./graphql.js').BusinessTripReportFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripAccountantApprovalFields on BusinessTrip {\\n id\\n accountantApproval\\n }\\n\"): typeof import('./graphql.js').BusinessTripAccountantApprovalFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query UncategorizedTransactionsByBusinessTrip($businessTripId: UUID!) {\\n businessTrip(id: $businessTripId) {\\n id\\n uncategorizedTransactions {\\n transaction {\\n id\\n eventDate\\n sourceDescription\\n referenceKey\\n counterparty {\\n id\\n name\\n }\\n amount {\\n formatted\\n raw\\n }\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').UncategorizedTransactionsByBusinessTripDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripReportAccommodationsRowFields on BusinessTripAccommodationExpense {\\n id\\n ...BusinessTripReportCoreExpenseRowFields\\n payedByEmployee\\n country {\\n id\\n name\\n }\\n nightsCount\\n attendeesStay {\\n id\\n attendee {\\n id\\n name\\n }\\n nightsCount\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessTripReportAccommodationsRowFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripReportAccommodationsTableFields on BusinessTripAccommodationExpense {\\n id\\n date\\n ...BusinessTripReportAccommodationsRowFields\\n }\\n\"): typeof import('./graphql.js').BusinessTripReportAccommodationsTableFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripReportAccommodationsFields on BusinessTrip {\\n id\\n accommodationExpenses {\\n id\\n ...BusinessTripReportAccommodationsTableFields\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessTripReportAccommodationsFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripReportAttendeeRowFields on BusinessTripAttendee {\\n id\\n name\\n arrivalDate\\n departureDate\\n flights {\\n id\\n ...BusinessTripReportFlightsTableFields\\n }\\n accommodations {\\n id\\n ...BusinessTripReportAccommodationsTableFields\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessTripReportAttendeeRowFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripReportAttendeesFields on BusinessTrip {\\n id\\n attendees {\\n id\\n name\\n ...BusinessTripReportAttendeeRowFields\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessTripReportAttendeesFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripReportCarRentalRowFields on BusinessTripCarRentalExpense {\\n id\\n payedByEmployee\\n ...BusinessTripReportCoreExpenseRowFields\\n days\\n isFuelExpense\\n }\\n\"): typeof import('./graphql.js').BusinessTripReportCarRentalRowFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripReportCarRentalFields on BusinessTrip {\\n id\\n carRentalExpenses {\\n id\\n date\\n ...BusinessTripReportCarRentalRowFields\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessTripReportCarRentalFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripReportCoreExpenseRowFields on BusinessTripExpense {\\n id\\n date\\n valueDate\\n amount {\\n formatted\\n raw\\n currency\\n }\\n employee {\\n id\\n name\\n }\\n payedByEmployee\\n charges {\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessTripReportCoreExpenseRowFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripReportFlightsRowFields on BusinessTripFlightExpense {\\n id\\n payedByEmployee\\n ...BusinessTripReportCoreExpenseRowFields\\n path\\n class\\n attendees {\\n id\\n name\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessTripReportFlightsRowFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripReportFlightsTableFields on BusinessTripFlightExpense {\\n id\\n date\\n ...BusinessTripReportFlightsRowFields\\n }\\n\"): typeof import('./graphql.js').BusinessTripReportFlightsTableFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripReportFlightsFields on BusinessTrip {\\n id\\n flightExpenses {\\n id\\n ...BusinessTripReportFlightsTableFields\\n }\\n attendees {\\n id\\n name\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessTripReportFlightsFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripReportOtherRowFields on BusinessTripOtherExpense {\\n id\\n ...BusinessTripReportCoreExpenseRowFields\\n payedByEmployee\\n description\\n deductibleExpense\\n }\\n\"): typeof import('./graphql.js').BusinessTripReportOtherRowFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripReportOtherFields on BusinessTrip {\\n id\\n otherExpenses {\\n id\\n date\\n ...BusinessTripReportOtherRowFields\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessTripReportOtherFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripReportHeaderFields on BusinessTrip {\\n id\\n name\\n dates {\\n start\\n end\\n }\\n purpose\\n destination {\\n id\\n name\\n }\\n ...BusinessTripAccountantApprovalFields\\n }\\n\"): typeof import('./graphql.js').BusinessTripReportHeaderFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripReportSummaryFields on BusinessTrip {\\n id\\n ... on BusinessTrip @defer {\\n summary {\\n excessExpenditure {\\n formatted\\n }\\n excessTax\\n rows {\\n type\\n totalForeignCurrency {\\n formatted\\n }\\n totalLocalCurrency {\\n formatted\\n }\\n taxableForeignCurrency {\\n formatted\\n }\\n taxableLocalCurrency {\\n formatted\\n }\\n maxTaxableForeignCurrency {\\n formatted\\n }\\n maxTaxableLocalCurrency {\\n formatted\\n }\\n excessExpenditure {\\n formatted\\n }\\n }\\n errors\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessTripReportSummaryFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripReportTravelAndSubsistenceRowFields on BusinessTripTravelAndSubsistenceExpense {\\n id\\n ...BusinessTripReportCoreExpenseRowFields\\n payedByEmployee\\n expenseType\\n }\\n\"): typeof import('./graphql.js').BusinessTripReportTravelAndSubsistenceRowFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripReportTravelAndSubsistenceFields on BusinessTrip {\\n id\\n travelAndSubsistenceExpenses {\\n id\\n date\\n ...BusinessTripReportTravelAndSubsistenceRowFields\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessTripReportTravelAndSubsistenceFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment BusinessTripUncategorizedTransactionsFields on BusinessTrip {\\n id\\n uncategorizedTransactions {\\n transaction {\\n id\\n eventDate\\n chargeId\\n amount {\\n raw\\n }\\n ...TransactionsTableEventDateFields\\n ...TransactionsTableDebitDateFields\\n ...TransactionsTableAccountFields\\n ...TransactionsTableDescriptionFields\\n ...TransactionsTableSourceIDFields\\n ...TransactionsTableEntityFields\\n }\\n ...UncategorizedTransactionsTableAmountFields\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessTripUncategorizedTransactionsFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment UncategorizedTransactionsTableAmountFields on UncategorizedTransaction {\\n transaction {\\n id\\n amount {\\n raw\\n formatted\\n }\\n cryptoExchangeRate {\\n rate\\n }\\n }\\n categorizedAmount {\\n raw\\n formatted\\n }\\n errors\\n }\\n\"): typeof import('./graphql.js').UncategorizedTransactionsTableAmountFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment DepreciationRecordRowFields on DepreciationRecord {\\n id\\n amount {\\n currency\\n formatted\\n raw\\n }\\n activationDate\\n category {\\n id\\n name\\n percentage\\n }\\n type\\n charge {\\n id\\n totalAmount {\\n currency\\n formatted\\n raw\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').DepreciationRecordRowFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query ChargeDepreciation($chargeId: UUID!) {\\n depreciationRecordsByCharge(chargeId: $chargeId) {\\n id\\n ...DepreciationRecordRowFields\\n }\\n }\\n\"): typeof import('./graphql.js').ChargeDepreciationDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query RecentBusinessIssuedDocuments($businessId: UUID!, $limit: Int) {\\n recentDocumentsByBusiness(businessId: $businessId, limit: $limit) {\\n id\\n ... on FinancialDocument {\\n issuedDocumentInfo {\\n id\\n status\\n externalId\\n }\\n }\\n ...TableDocumentsRowFields\\n }\\n }\\n\"): typeof import('./graphql.js').RecentBusinessIssuedDocumentsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query RecentIssuedDocumentsOfSameType($documentType: DocumentType!) {\\n recentIssuedDocumentsByType(documentType: $documentType) {\\n id\\n ...TableDocumentsRowFields\\n }\\n }\\n\"): typeof import('./graphql.js').RecentIssuedDocumentsOfSameTypeDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query EditDocument($documentId: UUID!) {\\n documentById(documentId: $documentId) {\\n id\\n image\\n file\\n documentType\\n description\\n remarks\\n __typename\\n ... on FinancialDocument {\\n vat {\\n raw\\n currency\\n }\\n serialNumber\\n date\\n amount {\\n raw\\n currency\\n }\\n debtor {\\n id\\n name\\n }\\n creditor {\\n id\\n name\\n }\\n vatReportDateOverride\\n noVatAmount\\n allocationNumber\\n exchangeRateOverride\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').EditDocumentDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment EditMiscExpenseFields on MiscExpense {\\n id\\n amount {\\n raw\\n currency\\n }\\n description\\n invoiceDate\\n valueDate\\n creditor {\\n id\\n }\\n debtor {\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').EditMiscExpenseFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment EditTagFields on Tag {\\n id\\n name\\n parent {\\n id\\n name\\n }\\n }\\n\"): typeof import('./graphql.js').EditTagFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query EditTransaction($transactionIDs: [UUID!]!) {\\n transactionsByIDs(transactionIDs: $transactionIDs) {\\n id\\n counterparty {\\n id\\n name\\n }\\n effectiveDate\\n isFee\\n account {\\n type\\n id\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').EditTransactionDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query ClientInfoForDocumentIssuing($businessId: UUID!) {\\n client(businessId: $businessId) {\\n id\\n integrations {\\n id\\n greenInvoiceInfo {\\n greenInvoiceId\\n businessId\\n name\\n }\\n }\\n ...IssueDocumentClientFields\\n }\\n }\\n\"): typeof import('./graphql.js').ClientInfoForDocumentIssuingDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllBusinessTrips {\\n allBusinessTrips {\\n id\\n name\\n }\\n }\\n\"): typeof import('./graphql.js').AllBusinessTripsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllDepreciationCategories {\\n depreciationCategories {\\n id\\n name\\n percentage\\n }\\n }\\n\"): typeof import('./graphql.js').AllDepreciationCategoriesDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllEmployeesByEmployer($employerId: UUID!) {\\n employeesByEmployerId(employerId: $employerId) {\\n id\\n name\\n }\\n }\\n\"): typeof import('./graphql.js').AllEmployeesByEmployerDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllPensionFunds {\\n allPensionFunds {\\n id\\n name\\n }\\n }\\n\"): typeof import('./graphql.js').AllPensionFundsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllTrainingFunds {\\n allTrainingFunds {\\n id\\n name\\n }\\n }\\n\"): typeof import('./graphql.js').AllTrainingFundsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AttendeesByBusinessTrip($businessTripId: UUID!) {\\n businessTrip(id: $businessTripId) {\\n id\\n attendees {\\n id\\n name\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').AttendeesByBusinessTripDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query FetchMultipleBusinesses($businessIds: [UUID!]!) {\\n businesses(ids: $businessIds) {\\n id\\n name\\n }\\n }\\n\"): typeof import('./graphql.js').FetchMultipleBusinessesDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query FetchMultipleCharges($chargeIds: [UUID!]!) {\\n chargesByIDs(chargeIDs: $chargeIds) {\\n id\\n __typename\\n metadata {\\n transactionsCount\\n invoicesCount\\n }\\n owner {\\n id\\n name\\n }\\n tags {\\n id\\n name\\n namePath\\n }\\n decreasedVAT\\n property\\n isInvoicePaymentDifferentCurrency\\n userDescription\\n optionalVAT\\n optionalDocuments\\n }\\n }\\n\"): typeof import('./graphql.js').FetchMultipleChargesDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query EditCharge($chargeId: UUID!) {\\n charge(chargeId: $chargeId) {\\n id\\n __typename\\n counterparty {\\n id\\n name\\n }\\n owner {\\n id\\n name\\n }\\n property\\n decreasedVAT\\n isInvoicePaymentDifferentCurrency\\n userDescription\\n taxCategory {\\n id\\n name\\n }\\n tags {\\n id\\n }\\n missingInfoSuggestions {\\n ... on ChargeSuggestions {\\n tags {\\n id\\n }\\n }\\n }\\n optionalVAT\\n optionalDocuments\\n ... on BusinessTripCharge {\\n businessTrip {\\n id\\n name\\n }\\n }\\n yearsOfRelevance {\\n year\\n amount\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').EditChargeDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query EditSalaryRecord($month: TimelessDate!, $employeeIDs: [UUID!]!) {\\n salaryRecordsByDates(fromDate: $month, toDate: $month, employeeIDs: $employeeIDs) {\\n month\\n charge {\\n id\\n }\\n directAmount {\\n raw\\n }\\n baseAmount {\\n raw\\n }\\n employee {\\n id\\n name\\n }\\n employer {\\n id\\n name\\n }\\n pensionFund {\\n id\\n name\\n }\\n pensionEmployeeAmount {\\n raw\\n }\\n pensionEmployeePercentage\\n pensionEmployerAmount {\\n raw\\n }\\n pensionEmployerPercentage\\n compensationsAmount {\\n raw\\n }\\n compensationsPercentage\\n trainingFund {\\n id\\n name\\n }\\n trainingFundEmployeeAmount {\\n raw\\n }\\n trainingFundEmployeePercentage\\n trainingFundEmployerAmount {\\n raw\\n }\\n trainingFundEmployerPercentage\\n socialSecurityEmployeeAmount {\\n raw\\n }\\n socialSecurityEmployerAmount {\\n raw\\n }\\n incomeTaxAmount {\\n raw\\n }\\n healthInsuranceAmount {\\n raw\\n }\\n globalAdditionalHoursAmount {\\n raw\\n }\\n bonus {\\n raw\\n }\\n gift {\\n raw\\n }\\n travelAndSubsistence {\\n raw\\n }\\n recovery {\\n raw\\n }\\n notionalExpense {\\n raw\\n }\\n vacationDays {\\n added\\n balance\\n }\\n vacationTakeout {\\n raw\\n }\\n workDays\\n sicknessDays {\\n balance\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').EditSalaryRecordDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query SortCodeToUpdate($key: Int!) {\\n sortCode(key: $key) {\\n id\\n key\\n name\\n defaultIrsCode\\n }\\n }\\n\"): typeof import('./graphql.js').SortCodeToUpdateDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query TaxCategoryToUpdate($id: UUID!) {\\n taxCategory(id: $id) {\\n id\\n name\\n sortCode {\\n id\\n key\\n name\\n }\\n irsCode\\n }\\n }\\n\"): typeof import('./graphql.js').TaxCategoryToUpdateDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query MiscExpenseTransactionFields($transactionId: UUID!) {\\n transactionsByIDs(transactionIDs: [$transactionId]) {\\n id\\n chargeId\\n amount {\\n raw\\n currency\\n }\\n eventDate\\n effectiveDate\\n exactEffectiveDate\\n counterparty {\\n id\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').MiscExpenseTransactionFieldsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment IssueDocumentClientFields on Client {\\n id\\n originalBusiness {\\n id\\n address\\n city\\n zipCode\\n country {\\n id\\n code\\n }\\n governmentId\\n name\\n phoneNumber\\n }\\n emails\\n # city\\n # zip\\n # fax\\n # mobile\\n }\\n\"): typeof import('./graphql.js').IssueDocumentClientFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query NewDocumentDraftByCharge($chargeId: UUID!) {\\n newDocumentDraftByCharge(chargeId: $chargeId) {\\n ...NewDocumentDraft\\n }\\n }\\n\"): typeof import('./graphql.js').NewDocumentDraftByChargeDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query NewDocumentDraftByDocument($documentId: UUID!) {\\n newDocumentDraftByDocument(documentId: $documentId) {\\n ...NewDocumentDraft\\n }\\n }\\n\"): typeof import('./graphql.js').NewDocumentDraftByDocumentDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment NewDocumentDraft on DocumentDraft {\\n description\\n remarks\\n footer\\n type\\n date\\n dueDate\\n language\\n currency\\n vatType\\n discount {\\n amount\\n type\\n }\\n rounding\\n signed\\n maxPayments\\n client {\\n id\\n originalBusiness {\\n id\\n name\\n }\\n integrations {\\n id\\n }\\n emails\\n ...IssueDocumentClientFields\\n }\\n income {\\n currency\\n currencyRate\\n description\\n itemId\\n price\\n quantity\\n vatRate\\n vatType\\n }\\n payment {\\n currency\\n currencyRate\\n date\\n price\\n type\\n bankName\\n bankBranch\\n bankAccount\\n chequeNum\\n accountId\\n transactionId\\n cardType\\n cardNum\\n numPayments\\n firstPayment\\n }\\n linkedDocumentIds\\n linkedPaymentId\\n }\\n\"): typeof import('./graphql.js').NewDocumentDraftFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query SimilarChargesByBusiness(\\n $businessId: UUID!\\n $tagsDifferentThan: [String!]\\n $descriptionDifferentThan: String\\n ) {\\n similarChargesByBusiness(\\n businessId: $businessId\\n tagsDifferentThan: $tagsDifferentThan\\n descriptionDifferentThan: $descriptionDifferentThan\\n ) {\\n id\\n ...SimilarChargesTable\\n }\\n }\\n\"): typeof import('./graphql.js').SimilarChargesByBusinessDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query SimilarCharges(\\n $chargeId: UUID!\\n $withMissingTags: Boolean!\\n $withMissingDescription: Boolean!\\n $tagsDifferentThan: [String!]\\n $descriptionDifferentThan: String\\n ) {\\n similarCharges(\\n chargeId: $chargeId\\n withMissingTags: $withMissingTags\\n withMissingDescription: $withMissingDescription\\n tagsDifferentThan: $tagsDifferentThan\\n descriptionDifferentThan: $descriptionDifferentThan\\n ) {\\n id\\n ...SimilarChargesTable\\n }\\n }\\n\"): typeof import('./graphql.js').SimilarChargesDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment SimilarChargesTable on Charge {\\n id\\n __typename\\n counterparty {\\n name\\n id\\n }\\n minEventDate\\n minDebitDate\\n minDocumentsDate\\n totalAmount {\\n raw\\n formatted\\n }\\n vat {\\n raw\\n formatted\\n }\\n userDescription\\n tags {\\n id\\n name\\n }\\n taxCategory {\\n id\\n name\\n }\\n ... on BusinessTripCharge {\\n businessTrip {\\n id\\n name\\n }\\n }\\n metadata {\\n transactionsCount\\n documentsCount\\n ledgerCount\\n miscExpensesCount\\n }\\n }\\n\"): typeof import('./graphql.js').SimilarChargesTableFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query SimilarTransactions($transactionId: UUID!, $withMissingInfo: Boolean!) {\\n similarTransactions(transactionId: $transactionId, withMissingInfo: $withMissingInfo) {\\n id\\n account {\\n id\\n name\\n type\\n }\\n amount {\\n formatted\\n raw\\n }\\n effectiveDate\\n eventDate\\n sourceDescription\\n }\\n }\\n\"): typeof import('./graphql.js').SimilarTransactionsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query UniformFormat($fromDate: TimelessDate!, $toDate: TimelessDate!) {\\n uniformFormat(fromDate: $fromDate, toDate: $toDate) {\\n bkmvdata\\n ini\\n }\\n }\\n\"): typeof import('./graphql.js').UniformFormatDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment NewFetchedDocumentFields on Document {\\n id\\n documentType\\n charge {\\n id\\n userDescription\\n counterparty {\\n id\\n name\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').NewFetchedDocumentFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ContractForContractsTableFields on Contract {\\n id\\n isActive\\n client {\\n id\\n originalBusiness {\\n id\\n name\\n }\\n }\\n purchaseOrders\\n startDate\\n endDate\\n amount {\\n raw\\n formatted\\n }\\n billingCycle\\n product\\n plan\\n operationsLimit\\n msCloud\\n # documentType\\n # remarks\\n }\\n\"): typeof import('./graphql.js').ContractForContractsTableFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query ContractBasedDocumentDrafts($issueMonth: TimelessDate!, $contractIds: [UUID!]!) {\\n periodicalDocumentDraftsByContracts(issueMonth: $issueMonth, contractIds: $contractIds) {\\n ...NewDocumentDraft\\n }\\n }\\n\"): typeof import('./graphql.js').ContractBasedDocumentDraftsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment TableDocumentsRowFields on Document {\\n id\\n documentType\\n image\\n file\\n description\\n remarks\\n charge {\\n id\\n }\\n ... on FinancialDocument {\\n amount {\\n raw\\n formatted\\n currency\\n }\\n missingInfoSuggestions {\\n amount {\\n raw\\n formatted\\n currency\\n }\\n isIncome\\n counterparty {\\n id\\n name\\n }\\n owner {\\n id\\n name\\n }\\n }\\n date\\n vat {\\n raw\\n formatted\\n currency\\n }\\n serialNumber\\n allocationNumber\\n creditor {\\n id\\n name\\n }\\n debtor {\\n id\\n name\\n }\\n issuedDocumentInfo {\\n id\\n status\\n originalDocument {\\n income {\\n description\\n }\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').TableDocumentsRowFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment DocumentsGalleryFields on Charge {\\n id\\n additionalDocuments {\\n id\\n image\\n ... on FinancialDocument {\\n documentType\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').DocumentsGalleryFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment LedgerRecordsTableFields on LedgerRecord {\\n id\\n creditAccount1 {\\n __typename\\n id\\n name\\n }\\n creditAccount2 {\\n __typename\\n id\\n name\\n }\\n debitAccount1 {\\n __typename\\n id\\n name\\n }\\n debitAccount2 {\\n __typename\\n id\\n name\\n }\\n creditAmount1 {\\n formatted\\n currency\\n }\\n creditAmount2 {\\n formatted\\n currency\\n }\\n debitAmount1 {\\n formatted\\n currency\\n }\\n debitAmount2 {\\n formatted\\n currency\\n }\\n localCurrencyCreditAmount1 {\\n formatted\\n raw\\n }\\n localCurrencyCreditAmount2 {\\n formatted\\n raw\\n }\\n localCurrencyDebitAmount1 {\\n formatted\\n raw\\n }\\n localCurrencyDebitAmount2 {\\n formatted\\n raw\\n }\\n invoiceDate\\n valueDate\\n description\\n reference\\n }\\n\"): typeof import('./graphql.js').LedgerRecordsTableFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AccountantApprovalsChargesTable($page: Int, $limit: Int, $filters: ChargeFilter) {\\n allCharges(page: $page, limit: $limit, filters: $filters) {\\n nodes {\\n id\\n accountantApproval\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').AccountantApprovalsChargesTableDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllContoReports {\\n allDynamicReports {\\n id\\n name\\n updated\\n }\\n }\\n\"): typeof import('./graphql.js').AllContoReportsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query ContoReport($filters: BusinessTransactionsFilter) {\\n businessTransactionsSumFromLedgerRecords(filters: $filters) {\\n ... on BusinessTransactionsSumFromLedgerRecordsSuccessfulResult {\\n businessTransactionsSum {\\n business {\\n id\\n name\\n sortCode {\\n id\\n key\\n name\\n }\\n }\\n credit {\\n formatted\\n raw\\n }\\n debit {\\n formatted\\n raw\\n }\\n total {\\n formatted\\n raw\\n }\\n }\\n }\\n ... on CommonError {\\n __typename\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ContoReportDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query TemplateForContoReport($name: String!) {\\n dynamicReport(name: $name) {\\n id\\n name\\n template {\\n id\\n parent\\n text\\n droppable\\n data {\\n descendantSortCodes\\n descendantFinancialEntities\\n mergedSortCodes\\n isOpen\\n hebrewText\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').TemplateForContoReportDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query CorporateTaxRulingComplianceReport($years: [Int!]!) {\\n corporateTaxRulingComplianceReport(years: $years) {\\n id\\n year\\n totalIncome {\\n formatted\\n raw\\n currency\\n }\\n researchAndDevelopmentExpenses {\\n formatted\\n raw\\n currency\\n }\\n rndRelativeToIncome {\\n rule\\n ...CorporateTaxRulingReportRuleCellFields\\n }\\n localDevelopmentExpenses {\\n formatted\\n raw\\n currency\\n }\\n localDevelopmentRelativeToRnd {\\n rule\\n ...CorporateTaxRulingReportRuleCellFields\\n }\\n foreignDevelopmentExpenses {\\n formatted\\n raw\\n currency\\n }\\n foreignDevelopmentRelativeToRnd {\\n rule\\n ...CorporateTaxRulingReportRuleCellFields\\n }\\n businessTripRndExpenses {\\n formatted\\n raw\\n currency\\n }\\n ... on CorporateTaxRulingComplianceReport @defer {\\n differences {\\n id\\n totalIncome {\\n formatted\\n raw\\n currency\\n }\\n researchAndDevelopmentExpenses {\\n formatted\\n raw\\n currency\\n }\\n rndRelativeToIncome {\\n ...CorporateTaxRulingReportRuleCellFields\\n }\\n localDevelopmentExpenses {\\n formatted\\n raw\\n currency\\n }\\n localDevelopmentRelativeToRnd {\\n ...CorporateTaxRulingReportRuleCellFields\\n }\\n foreignDevelopmentExpenses {\\n formatted\\n raw\\n currency\\n }\\n foreignDevelopmentRelativeToRnd {\\n ...CorporateTaxRulingReportRuleCellFields\\n }\\n businessTripRndExpenses {\\n formatted\\n raw\\n currency\\n }\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').CorporateTaxRulingComplianceReportDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment CorporateTaxRulingReportRuleCellFields on CorporateTaxRule {\\n id\\n rule\\n percentage {\\n formatted\\n }\\n isCompliant\\n }\\n\"): typeof import('./graphql.js').CorporateTaxRulingReportRuleCellFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query ProfitAndLossReport($reportYear: Int!, $referenceYears: [Int!]!) {\\n profitAndLossReport(reportYear: $reportYear, referenceYears: $referenceYears) {\\n id\\n report {\\n id\\n year\\n revenue {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n costOfSales {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n grossProfit {\\n formatted\\n }\\n researchAndDevelopmentExpenses {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n marketingExpenses {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n managementAndGeneralExpenses {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n operatingProfit {\\n formatted\\n }\\n financialExpenses {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n otherIncome {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n profitBeforeTax {\\n formatted\\n }\\n tax {\\n formatted\\n }\\n netProfit {\\n formatted\\n }\\n }\\n reference {\\n id\\n year\\n revenue {\\n amount {\\n formatted\\n }\\n }\\n costOfSales {\\n amount {\\n formatted\\n }\\n }\\n grossProfit {\\n formatted\\n }\\n researchAndDevelopmentExpenses {\\n amount {\\n formatted\\n }\\n }\\n marketingExpenses {\\n amount {\\n formatted\\n }\\n }\\n managementAndGeneralExpenses {\\n amount {\\n formatted\\n }\\n }\\n operatingProfit {\\n formatted\\n }\\n financialExpenses {\\n amount {\\n formatted\\n }\\n }\\n otherIncome {\\n amount {\\n formatted\\n }\\n }\\n profitBeforeTax {\\n formatted\\n }\\n tax {\\n formatted\\n }\\n netProfit {\\n formatted\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ProfitAndLossReportDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ReportCommentaryTableFields on ReportCommentary {\\n records {\\n sortCode {\\n id\\n key\\n name\\n }\\n amount {\\n formatted\\n }\\n records {\\n ...ReportSubCommentaryTableFields\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').ReportCommentaryTableFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment ReportSubCommentaryTableFields on ReportCommentarySubRecord {\\n financialEntity {\\n id\\n name\\n }\\n amount {\\n formatted\\n }\\n }\\n\"): typeof import('./graphql.js').ReportSubCommentaryTableFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query TaxReport($reportYear: Int!, $referenceYears: [Int!]!) {\\n taxReport(reportYear: $reportYear, referenceYears: $referenceYears) {\\n id\\n report {\\n id\\n year\\n profitBeforeTax {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n researchAndDevelopmentExpensesByRecords {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n researchAndDevelopmentExpensesForTax {\\n formatted\\n }\\n fines {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n untaxableGifts {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n businessTripsExcessExpensesAmount {\\n formatted\\n }\\n salaryExcessExpensesAmount {\\n formatted\\n }\\n reserves {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n nontaxableLinkage {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n taxableIncome {\\n formatted\\n }\\n taxRate\\n specialTaxableIncome {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n specialTaxRate\\n annualTaxExpense {\\n formatted\\n }\\n }\\n reference {\\n id\\n year\\n profitBeforeTax {\\n amount {\\n formatted\\n }\\n }\\n researchAndDevelopmentExpensesByRecords {\\n amount {\\n formatted\\n }\\n }\\n researchAndDevelopmentExpensesForTax {\\n formatted\\n }\\n fines {\\n amount {\\n formatted\\n }\\n }\\n untaxableGifts {\\n amount {\\n formatted\\n }\\n }\\n businessTripsExcessExpensesAmount {\\n formatted\\n }\\n salaryExcessExpensesAmount {\\n formatted\\n }\\n reserves {\\n amount {\\n formatted\\n }\\n }\\n nontaxableLinkage {\\n amount {\\n formatted\\n }\\n }\\n taxableIncome {\\n formatted\\n }\\n taxRate\\n specialTaxableIncome {\\n amount {\\n formatted\\n }\\n ...ReportCommentaryTableFields\\n }\\n specialTaxRate\\n annualTaxExpense {\\n formatted\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').TaxReportDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query TrialBalanceReport($filters: BusinessTransactionsFilter) {\\n businessTransactionsSumFromLedgerRecords(filters: $filters) {\\n ... on BusinessTransactionsSumFromLedgerRecordsSuccessfulResult {\\n ...TrialBalanceTableFields\\n }\\n ... on CommonError {\\n __typename\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').TrialBalanceReportDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment TrialBalanceTableFields on BusinessTransactionsSumFromLedgerRecordsSuccessfulResult {\\n businessTransactionsSum {\\n business {\\n id\\n name\\n sortCode {\\n id\\n key\\n name\\n }\\n }\\n credit {\\n formatted\\n raw\\n }\\n debit {\\n formatted\\n raw\\n }\\n total {\\n formatted\\n raw\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').TrialBalanceTableFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query ValidatePcn874Reports(\\n $businessId: UUID\\n $fromMonthDate: TimelessDate!\\n $toMonthDate: TimelessDate!\\n ) {\\n pcnByDate(businessId: $businessId, fromMonthDate: $fromMonthDate, toMonthDate: $toMonthDate)\\n @stream {\\n id\\n business {\\n id\\n name\\n }\\n date\\n content\\n diffContent\\n }\\n }\\n\"): typeof import('./graphql.js').ValidatePcn874ReportsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment VatReportBusinessTripsFields on VatReportResult {\\n businessTrips {\\n id\\n ...ChargesTableFields\\n }\\n }\\n\"): typeof import('./graphql.js').VatReportBusinessTripsFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment VatReportAccountantApprovalFields on VatReportRecord {\\n chargeId\\n chargeAccountantStatus\\n }\\n\"): typeof import('./graphql.js').VatReportAccountantApprovalFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment VatReportExpensesRowFields on VatReportRecord {\\n ...VatReportAccountantApprovalFields\\n business {\\n id\\n name\\n }\\n vatNumber\\n image\\n allocationNumber\\n documentSerial\\n documentDate\\n chargeDate\\n chargeId\\n # chargeAccountantReviewed\\n amount {\\n formatted\\n raw\\n }\\n localAmount {\\n formatted\\n raw\\n }\\n localVat {\\n formatted\\n raw\\n }\\n foreignVatAfterDeduction {\\n formatted\\n raw\\n }\\n localVatAfterDeduction {\\n formatted\\n raw\\n }\\n roundedLocalVatAfterDeduction {\\n formatted\\n raw\\n }\\n taxReducedLocalAmount {\\n formatted\\n raw\\n }\\n recordType\\n }\\n\"): typeof import('./graphql.js').VatReportExpensesRowFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment VatReportExpensesFields on VatReportResult {\\n expenses {\\n ...VatReportExpensesRowFields\\n roundedLocalVatAfterDeduction {\\n raw\\n }\\n taxReducedLocalAmount {\\n raw\\n }\\n recordType\\n }\\n }\\n\"): typeof import('./graphql.js').VatReportExpensesFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment VatReportIncomeRowFields on VatReportRecord {\\n ...VatReportAccountantApprovalFields\\n chargeId\\n business {\\n id\\n name\\n }\\n vatNumber\\n image\\n allocationNumber\\n documentSerial\\n documentDate\\n chargeDate\\n taxReducedForeignAmount {\\n formatted\\n raw\\n }\\n taxReducedLocalAmount {\\n formatted\\n raw\\n }\\n recordType\\n }\\n\"): typeof import('./graphql.js').VatReportIncomeRowFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment VatReportIncomeFields on VatReportResult {\\n income {\\n ...VatReportIncomeRowFields\\n taxReducedLocalAmount {\\n raw\\n }\\n recordType\\n }\\n }\\n\"): typeof import('./graphql.js').VatReportIncomeFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query VatMonthlyReport($filters: VatReportFilter) {\\n vatReport(filters: $filters) {\\n ...VatReportSummaryFields\\n ...VatReportIncomeFields\\n ...VatReportExpensesFields\\n ...VatReportMissingInfoFields\\n ...VatReportMiscTableFields\\n ...VatReportBusinessTripsFields\\n }\\n }\\n\"): typeof import('./graphql.js').VatMonthlyReportDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment VatReportMiscTableFields on VatReportResult {\\n differentMonthDoc {\\n id\\n ...ChargesTableFields\\n }\\n }\\n\"): typeof import('./graphql.js').VatReportMiscTableFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment VatReportMissingInfoFields on VatReportResult {\\n missingInfo {\\n id\\n ...ChargesTableFields\\n }\\n }\\n\"): typeof import('./graphql.js').VatReportMissingInfoFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query GeneratePCN($monthDate: TimelessDate!, $financialEntityId: UUID!) {\\n pcnFile(monthDate: $monthDate, financialEntityId: $financialEntityId) {\\n reportContent\\n fileName\\n }\\n }\\n\"): typeof import('./graphql.js').GeneratePcnDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment VatReportSummaryFields on VatReportResult {\\n expenses {\\n roundedLocalVatAfterDeduction {\\n raw\\n }\\n taxReducedLocalAmount {\\n raw\\n }\\n recordType\\n isProperty\\n }\\n income {\\n roundedLocalVatAfterDeduction {\\n raw\\n }\\n taxReducedLocalAmount {\\n raw\\n }\\n recordType\\n }\\n }\\n\"): typeof import('./graphql.js').VatReportSummaryFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment LedgerCsvFields on YearlyLedgerReport {\\n id\\n year\\n financialEntitiesInfo {\\n entity {\\n id\\n name\\n sortCode {\\n id\\n key\\n }\\n }\\n openingBalance {\\n raw\\n }\\n totalCredit {\\n raw\\n }\\n totalDebit {\\n raw\\n }\\n closingBalance {\\n raw\\n }\\n records {\\n id\\n amount {\\n raw\\n formatted\\n }\\n invoiceDate\\n valueDate\\n description\\n reference\\n counterParty {\\n id\\n name\\n }\\n balance\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').LedgerCsvFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query YearlyLedger($year: Int!) {\\n yearlyLedgerReport(year: $year) {\\n id\\n year\\n financialEntitiesInfo {\\n entity {\\n id\\n name\\n sortCode {\\n id\\n key\\n }\\n }\\n openingBalance {\\n raw\\n }\\n totalCredit {\\n raw\\n }\\n totalDebit {\\n raw\\n }\\n closingBalance {\\n raw\\n }\\n records {\\n id\\n amount {\\n raw\\n formatted\\n }\\n invoiceDate\\n valueDate\\n description\\n reference\\n counterParty {\\n id\\n name\\n }\\n balance\\n }\\n }\\n ...LedgerCsvFields\\n }\\n }\\n\"): typeof import('./graphql.js').YearlyLedgerDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query SalaryScreenRecords(\\n $fromDate: TimelessDate!\\n $toDate: TimelessDate!\\n $employeeIDs: [UUID!]\\n ) {\\n salaryRecordsByDates(fromDate: $fromDate, toDate: $toDate, employeeIDs: $employeeIDs) {\\n month\\n employee {\\n id\\n }\\n ...SalariesTableFields\\n }\\n }\\n\"): typeof import('./graphql.js').SalaryScreenRecordsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment SalariesRecordEmployeeFields on Salary {\\n month\\n employee {\\n id\\n name\\n }\\n }\\n\"): typeof import('./graphql.js').SalariesRecordEmployeeFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment SalariesRecordFundsFields on Salary {\\n month\\n employee {\\n id\\n }\\n pensionFund {\\n id\\n name\\n }\\n pensionEmployeeAmount {\\n formatted\\n raw\\n }\\n pensionEmployeePercentage\\n pensionEmployerAmount {\\n formatted\\n raw\\n }\\n pensionEmployerPercentage\\n compensationsAmount {\\n formatted\\n raw\\n }\\n compensationsPercentage\\n trainingFund {\\n id\\n name\\n }\\n trainingFundEmployeeAmount {\\n formatted\\n raw\\n }\\n trainingFundEmployeePercentage\\n trainingFundEmployerAmount {\\n formatted\\n raw\\n }\\n trainingFundEmployerPercentage\\n }\\n\"): typeof import('./graphql.js').SalariesRecordFundsFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment SalariesRecordInsurancesAndTaxesFields on Salary {\\n month\\n employee {\\n id\\n }\\n healthInsuranceAmount {\\n formatted\\n raw\\n }\\n socialSecurityEmployeeAmount {\\n formatted\\n raw\\n }\\n socialSecurityEmployerAmount {\\n formatted\\n raw\\n }\\n incomeTaxAmount {\\n formatted\\n raw\\n }\\n notionalExpense {\\n formatted\\n raw\\n }\\n }\\n\"): typeof import('./graphql.js').SalariesRecordInsurancesAndTaxesFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment SalariesRecordMainSalaryFields on Salary {\\n month\\n employee {\\n id\\n }\\n baseAmount {\\n formatted\\n }\\n directAmount {\\n formatted\\n }\\n globalAdditionalHoursAmount {\\n formatted\\n }\\n bonus {\\n formatted\\n raw\\n }\\n gift {\\n formatted\\n raw\\n }\\n recovery {\\n formatted\\n raw\\n }\\n vacationTakeout {\\n formatted\\n raw\\n }\\n }\\n\"): typeof import('./graphql.js').SalariesRecordMainSalaryFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment SalariesRecordWorkFrameFields on Salary {\\n month\\n employee {\\n id\\n }\\n vacationDays {\\n added\\n taken\\n balance\\n }\\n workDays\\n sicknessDays {\\n balance\\n }\\n }\\n\"): typeof import('./graphql.js').SalariesRecordWorkFrameFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment SalariesMonthFields on Salary {\\n month\\n employee {\\n id\\n }\\n ...SalariesRecordFields\\n }\\n\"): typeof import('./graphql.js').SalariesMonthFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment SalariesTableFields on Salary {\\n month\\n employee {\\n id\\n }\\n ...SalariesMonthFields\\n }\\n\"): typeof import('./graphql.js').SalariesTableFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment SalariesRecordFields on Salary {\\n month\\n employee {\\n id\\n }\\n ...SalariesRecordEmployeeFields\\n ...SalariesRecordMainSalaryFields\\n ...SalariesRecordFundsFields\\n ...SalariesRecordInsurancesAndTaxesFields\\n ...SalariesRecordWorkFrameFields\\n }\\n\"): typeof import('./graphql.js').SalariesRecordFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllDeposits {\\n allDeposits {\\n id\\n currency\\n openDate\\n closeDate\\n isOpen\\n currencyError\\n currentBalance {\\n raw\\n formatted\\n }\\n totalDeposit {\\n raw\\n formatted\\n }\\n totalInterest {\\n raw\\n formatted\\n }\\n # transactions field exists but we don't need to pull ids here\\n }\\n }\\n\"): typeof import('./graphql.js').AllDepositsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query BusinessScreen($businessId: UUID!) {\\n business(id: $businessId) {\\n id\\n ...BusinessPage\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessScreenDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query ContractsScreen($adminId: UUID!) {\\n contractsByAdmin(adminId: $adminId) {\\n id\\n ...ContractForContractsTableFields\\n }\\n }\\n\"): typeof import('./graphql.js').ContractsScreenDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllCharges($page: Int, $limit: Int, $filters: ChargeFilter) {\\n allCharges(page: $page, limit: $limit, filters: $filters) {\\n nodes {\\n id\\n ...ChargesTableFields\\n }\\n pageInfo {\\n totalPages\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').AllChargesDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query ChargeScreen($chargeId: UUID!) {\\n charge(chargeId: $chargeId) {\\n id\\n ...ChargesTableFields\\n }\\n }\\n\"): typeof import('./graphql.js').ChargeScreenDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query MissingInfoCharges($page: Int, $limit: Int) {\\n chargesWithMissingRequiredInfo(page: $page, limit: $limit) {\\n nodes {\\n id\\n ...ChargesTableFields\\n }\\n pageInfo {\\n totalPages\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').MissingInfoChargesDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query DocumentsScreen($filters: DocumentsFilters!) {\\n documentsByFilters(filters: $filters) {\\n id\\n image\\n file\\n charge {\\n id\\n userDescription\\n __typename\\n vat {\\n formatted\\n __typename\\n }\\n transactions {\\n id\\n eventDate\\n sourceDescription\\n effectiveDate\\n amount {\\n formatted\\n __typename\\n }\\n }\\n }\\n __typename\\n ... on FinancialDocument {\\n creditor {\\n id\\n name\\n }\\n debtor {\\n id\\n name\\n }\\n vat {\\n raw\\n formatted\\n currency\\n }\\n serialNumber\\n date\\n amount {\\n raw\\n formatted\\n currency\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').DocumentsScreenDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query MonthlyDocumentDraftByClient($clientId: UUID!, $issueMonth: TimelessDate!) {\\n clientMonthlyChargeDraft(clientId: $clientId, issueMonth: $issueMonth) {\\n ...NewDocumentDraft\\n }\\n }\\n\"): typeof import('./graphql.js').MonthlyDocumentDraftByClientDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query MonthlyDocumentsDrafts($issueMonth: TimelessDate!) {\\n periodicalDocumentDrafts(issueMonth: $issueMonth) {\\n ...NewDocumentDraft\\n }\\n }\\n\"): typeof import('./graphql.js').MonthlyDocumentsDraftsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllOpenContracts {\\n allOpenContracts {\\n id\\n client {\\n id\\n originalBusiness {\\n id\\n name\\n }\\n }\\n billingCycle\\n }\\n }\\n\"): typeof import('./graphql.js').AllOpenContractsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AccountantApprovalStatus($fromDate: TimelessDate!, $toDate: TimelessDate!) {\\n accountantApprovalStatus(from: $fromDate, to: $toDate) {\\n totalCharges\\n approvedCount\\n pendingCount\\n unapprovedCount\\n }\\n }\\n\"): typeof import('./graphql.js').AccountantApprovalStatusDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query LedgerValidationStatus($limit: Int, $filters: ChargeFilter) {\\n chargesWithLedgerChanges(limit: $limit, filters: $filters) {\\n charge {\\n id\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').LedgerValidationStatusDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AdminLedgerLockDate($ownerId: UUID) {\\n adminContext(ownerId: $ownerId) {\\n id\\n ledgerLock\\n }\\n }\\n\"): typeof import('./graphql.js').AdminLedgerLockDateDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment AnnualRevenueReportClient on AnnualRevenueReportCountryClient {\\n id\\n name\\n revenueLocal {\\n raw\\n formatted\\n currency\\n }\\n revenueDefaultForeign {\\n raw\\n formatted\\n currency\\n }\\n records {\\n id\\n date\\n ...AnnualRevenueReportRecord\\n }\\n }\\n\"): typeof import('./graphql.js').AnnualRevenueReportClientFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment AnnualRevenueReportCountry on AnnualRevenueReportCountry {\\n id\\n code\\n name\\n revenueLocal {\\n raw\\n formatted\\n currency\\n }\\n revenueDefaultForeign {\\n raw\\n formatted\\n currency\\n }\\n clients {\\n id\\n revenueDefaultForeign {\\n raw\\n }\\n ...AnnualRevenueReportClient\\n }\\n }\\n\"): typeof import('./graphql.js').AnnualRevenueReportCountryFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AnnualRevenueReportScreen($filters: AnnualRevenueReportFilter!) {\\n annualRevenueReport(filters: $filters) {\\n id\\n year\\n countries {\\n id\\n name\\n revenueLocal {\\n raw\\n currency\\n }\\n revenueDefaultForeign {\\n raw\\n currency\\n }\\n clients {\\n id\\n name\\n revenueLocal {\\n raw\\n }\\n revenueDefaultForeign {\\n raw\\n }\\n records {\\n id\\n date\\n description\\n reference\\n chargeId\\n revenueLocal {\\n raw\\n }\\n revenueDefaultForeign {\\n raw\\n }\\n }\\n }\\n ...AnnualRevenueReportCountry\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').AnnualRevenueReportScreenDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment AnnualRevenueReportRecord on AnnualRevenueReportClientRecord {\\n id\\n revenueLocal {\\n raw\\n formatted\\n currency\\n }\\n revenueDefaultForeign {\\n raw\\n formatted\\n currency\\n }\\n revenueOriginal {\\n raw\\n formatted\\n currency\\n }\\n chargeId\\n date\\n description\\n reference\\n }\\n\"): typeof import('./graphql.js').AnnualRevenueReportRecordFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query BalanceReportExtendedTransactions($transactionIDs: [UUID!]!) {\\n transactionsByIDs(transactionIDs: $transactionIDs) {\\n id\\n ...TransactionForTransactionsTableFields\\n ...TransactionToDownloadForTransactionsTableFields\\n }\\n }\\n\"): typeof import('./graphql.js').BalanceReportExtendedTransactionsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query BalanceReportScreen($fromDate: TimelessDate!, $toDate: TimelessDate!, $ownerId: UUID) {\\n transactionsForBalanceReport(fromDate: $fromDate, toDate: $toDate, ownerId: $ownerId) {\\n id\\n amountUsd {\\n formatted\\n raw\\n }\\n amount {\\n currency\\n raw\\n }\\n date\\n month\\n year\\n counterparty {\\n id\\n }\\n account {\\n id\\n name\\n }\\n isFee\\n description\\n charge {\\n id\\n tags {\\n id\\n name\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').BalanceReportScreenDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment DepreciationReportRecordCore on DepreciationCoreRecord {\\n id\\n originalCost\\n reportYearDelta\\n totalDepreciableCosts\\n reportYearClaimedDepreciation\\n pastYearsAccumulatedDepreciation\\n totalDepreciation\\n netValue\\n }\\n\"): typeof import('./graphql.js').DepreciationReportRecordCoreFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query DepreciationReportScreen($filters: DepreciationReportFilter!) {\\n depreciationReport(filters: $filters) {\\n id\\n year\\n categories {\\n id\\n category {\\n id\\n name\\n percentage\\n }\\n records {\\n id\\n chargeId\\n description\\n purchaseDate\\n activationDate\\n statutoryDepreciationRate\\n claimedDepreciationRate\\n ...DepreciationReportRecordCore\\n }\\n summary {\\n id\\n ...DepreciationReportRecordCore\\n }\\n }\\n summary {\\n id\\n ...DepreciationReportRecordCore\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').DepreciationReportScreenDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment Shaam6111DataContentBalanceSheet on Shaam6111Data {\\n id\\n balanceSheet {\\n code\\n amount\\n label\\n }\\n }\\n\"): typeof import('./graphql.js').Shaam6111DataContentBalanceSheetFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment Shaam6111DataContentHeader on Shaam6111Data {\\n id\\n header {\\n taxYear\\n businessDescription\\n taxFileNumber\\n idNumber\\n vatFileNumber\\n withholdingTaxFileNumber\\n businessType\\n reportingMethod\\n currencyType\\n amountsInThousands\\n accountingMethod\\n accountingSystem\\n softwareRegistrationNumber\\n isPartnership\\n partnershipCount\\n partnershipProfitShare\\n ifrsImplementationYear\\n ifrsReportingOption\\n\\n includesProfitLoss\\n includesTaxAdjustment\\n includesBalanceSheet\\n\\n industryCode\\n auditOpinionType\\n }\\n }\\n\"): typeof import('./graphql.js').Shaam6111DataContentHeaderFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment Shaam6111DataContentHeaderBusiness on Business {\\n id\\n name\\n }\\n\"): typeof import('./graphql.js').Shaam6111DataContentHeaderBusinessFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query Shaam6111ReportScreen($year: Int!, $businessId: UUID) {\\n shaam6111(year: $year, businessId: $businessId) {\\n id\\n year\\n data {\\n id\\n ...Shaam6111DataContent\\n }\\n business {\\n id\\n ...Shaam6111DataContentHeaderBusiness\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').Shaam6111ReportScreenDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment Shaam6111DataContentProfitLoss on Shaam6111Data {\\n id\\n profitAndLoss {\\n code\\n amount\\n label\\n }\\n }\\n\"): typeof import('./graphql.js').Shaam6111DataContentProfitLossFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment Shaam6111DataContent on Shaam6111Data {\\n id\\n ...Shaam6111DataContentHeader\\n ...Shaam6111DataContentProfitLoss\\n ...Shaam6111DataContentTaxAdjustment\\n ...Shaam6111DataContentBalanceSheet\\n }\\n\"): typeof import('./graphql.js').Shaam6111DataContentFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment Shaam6111DataContentTaxAdjustment on Shaam6111Data {\\n id\\n taxAdjustment {\\n code\\n amount\\n label\\n }\\n }\\n\"): typeof import('./graphql.js').Shaam6111DataContentTaxAdjustmentFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllSortCodesForScreen {\\n allSortCodes {\\n id\\n key\\n name\\n defaultIrsCode\\n }\\n }\\n\"): typeof import('./graphql.js').AllSortCodesForScreenDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllTagsScreen {\\n allTags {\\n id\\n name\\n namePath\\n parent {\\n id\\n }\\n ...EditTagFields\\n }\\n }\\n\"): typeof import('./graphql.js').AllTagsScreenDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllTaxCategoriesForScreen {\\n taxCategories {\\n id\\n name\\n sortCode {\\n id\\n key\\n name\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').AllTaxCategoriesForScreenDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment TransactionsTableAccountFields on Transaction {\\n id\\n account {\\n id\\n name\\n type\\n }\\n }\\n\"): typeof import('./graphql.js').TransactionsTableAccountFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment TransactionsTableEntityFields on Transaction {\\n id\\n counterparty {\\n name\\n id\\n }\\n sourceDescription\\n missingInfoSuggestions {\\n business {\\n id\\n name\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').TransactionsTableEntityFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment TransactionsTableDebitDateFields on Transaction {\\n id\\n effectiveDate\\n sourceEffectiveDate\\n }\\n\"): typeof import('./graphql.js').TransactionsTableDebitDateFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment TransactionsTableDescriptionFields on Transaction {\\n id\\n sourceDescription\\n }\\n\"): typeof import('./graphql.js').TransactionsTableDescriptionFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment TransactionsTableEventDateFields on Transaction {\\n id\\n eventDate\\n }\\n\"): typeof import('./graphql.js').TransactionsTableEventDateFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment TransactionsTableSourceIDFields on Transaction {\\n id\\n referenceKey\\n }\\n\"): typeof import('./graphql.js').TransactionsTableSourceIdFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment TransactionForTransactionsTableFields on Transaction {\\n id\\n chargeId\\n eventDate\\n effectiveDate\\n sourceEffectiveDate\\n amount {\\n raw\\n formatted\\n }\\n cryptoExchangeRate {\\n rate\\n }\\n account {\\n id\\n name\\n type\\n }\\n sourceDescription\\n referenceKey\\n counterparty {\\n name\\n id\\n }\\n missingInfoSuggestions {\\n business {\\n id\\n name\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').TransactionForTransactionsTableFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n fragment TransactionToDownloadForTransactionsTableFields on Transaction {\\n id\\n account {\\n id\\n name\\n type\\n }\\n amount {\\n currency\\n raw\\n }\\n counterparty {\\n id\\n name\\n }\\n effectiveDate\\n eventDate\\n referenceKey\\n sourceDescription\\n }\\n\"): typeof import('./graphql.js').TransactionToDownloadForTransactionsTableFieldsFragmentDoc;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation AcceptInvitation($token: String!) {\\n acceptInvitation(token: $token) {\\n success\\n businessId\\n roleId\\n }\\n }\\n\"): typeof import('./graphql.js').AcceptInvitationDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation AddBusinessTripAccommodationsExpense(\\n $fields: AddBusinessTripAccommodationsExpenseInput!\\n ) {\\n addBusinessTripAccommodationsExpense(fields: $fields)\\n }\\n\"): typeof import('./graphql.js').AddBusinessTripAccommodationsExpenseDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation AddBusinessTripCarRentalExpense($fields: AddBusinessTripCarRentalExpenseInput!) {\\n addBusinessTripCarRentalExpense(fields: $fields)\\n }\\n\"): typeof import('./graphql.js').AddBusinessTripCarRentalExpenseDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation AddBusinessTripFlightsExpense($fields: AddBusinessTripFlightsExpenseInput!) {\\n addBusinessTripFlightsExpense(fields: $fields)\\n }\\n\"): typeof import('./graphql.js').AddBusinessTripFlightsExpenseDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation AddBusinessTripOtherExpense($fields: AddBusinessTripOtherExpenseInput!) {\\n addBusinessTripOtherExpense(fields: $fields)\\n }\\n\"): typeof import('./graphql.js').AddBusinessTripOtherExpenseDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation AddBusinessTripTravelAndSubsistenceExpense(\\n $fields: AddBusinessTripTravelAndSubsistenceExpenseInput!\\n ) {\\n addBusinessTripTravelAndSubsistenceExpense(fields: $fields)\\n }\\n\"): typeof import('./graphql.js').AddBusinessTripTravelAndSubsistenceExpenseDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation AddDepreciationRecord($fields: InsertDepreciationRecordInput!) {\\n insertDepreciationRecord(input: $fields) {\\n __typename\\n ... on CommonError {\\n message\\n }\\n ... on DepreciationRecord {\\n id\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').AddDepreciationRecordDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation AddSortCode($key: Int!, $name: String!, $defaultIrsCode: Int) {\\n addSortCode(key: $key, name: $name, defaultIrsCode: $defaultIrsCode)\\n }\\n\"): typeof import('./graphql.js').AddSortCodeDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation AddTag($tagName: String!, $parentTag: UUID) {\\n addTag(name: $tagName, parentId: $parentTag)\\n }\\n\"): typeof import('./graphql.js').AddTagDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation AssignChargeToDeposit($chargeId: UUID!, $depositId: String!) {\\n assignChargeToDeposit(chargeId: $chargeId, depositId: $depositId) {\\n id\\n isOpen\\n currentBalance {\\n formatted\\n }\\n transactions {\\n id\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').AssignChargeToDepositDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation GenerateBalanceCharge(\\n $description: String!\\n $balanceRecords: [InsertMiscExpenseInput!]!\\n ) {\\n generateBalanceCharge(description: $description, balanceRecords: $balanceRecords) {\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').GenerateBalanceChargeDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation BatchUpdateCharges($chargeIds: [UUID!]!, $fields: UpdateChargeInput!) {\\n batchUpdateCharges(chargeIds: $chargeIds, fields: $fields) {\\n __typename\\n ... on BatchUpdateChargesSuccessfulResult {\\n charges {\\n id\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').BatchUpdateChargesDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation CategorizeBusinessTripExpense($fields: CategorizeBusinessTripExpenseInput!) {\\n categorizeBusinessTripExpense(fields: $fields)\\n }\\n\"): typeof import('./graphql.js').CategorizeBusinessTripExpenseDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation CategorizeIntoExistingBusinessTripExpense(\\n $fields: CategorizeIntoExistingBusinessTripExpenseInput!\\n ) {\\n categorizeIntoExistingBusinessTripExpense(fields: $fields)\\n }\\n\"): typeof import('./graphql.js').CategorizeIntoExistingBusinessTripExpenseDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation CloseDocument($documentId: UUID!) {\\n closeDocument(id: $documentId)\\n }\\n\"): typeof import('./graphql.js').CloseDocumentDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation FlagForeignFeeTransactions {\\n flagForeignFeeTransactions {\\n success\\n errors\\n }\\n }\\n\"): typeof import('./graphql.js').FlagForeignFeeTransactionsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation MergeChargesByTransactionReference {\\n mergeChargesByTransactionReference {\\n success\\n errors\\n }\\n }\\n\"): typeof import('./graphql.js').MergeChargesByTransactionReferenceDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation CalculateCreditcardTransactionsDebitDate {\\n calculateCreditcardTransactionsDebitDate\\n }\\n\"): typeof import('./graphql.js').CalculateCreditcardTransactionsDebitDateDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation CreateContract($input: CreateContractInput!) {\\n createContract(input: $input) {\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').CreateContractDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation CreateDeposit($currency: Currency!) {\\n createDeposit(currency: $currency) {\\n id\\n currency\\n isOpen\\n }\\n }\\n\"): typeof import('./graphql.js').CreateDepositDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation CreateFinancialAccount($input: CreateFinancialAccountInput!) {\\n createFinancialAccount(input: $input) {\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').CreateFinancialAccountDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation CreditShareholdersBusinessTripTravelAndSubsistence($businessTripId: UUID!) {\\n creditShareholdersBusinessTripTravelAndSubsistence(businessTripId: $businessTripId)\\n }\\n\"): typeof import('./graphql.js').CreditShareholdersBusinessTripTravelAndSubsistenceDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation DeleteBusinessTripAttendee($fields: DeleteBusinessTripAttendeeInput!) {\\n deleteBusinessTripAttendee(fields: $fields)\\n }\\n\"): typeof import('./graphql.js').DeleteBusinessTripAttendeeDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation DeleteBusinessTripExpense($businessTripExpenseId: UUID!) {\\n deleteBusinessTripExpense(businessTripExpenseId: $businessTripExpenseId)\\n }\\n\"): typeof import('./graphql.js').DeleteBusinessTripExpenseDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation DeleteCharge($chargeId: UUID!) {\\n deleteCharge(chargeId: $chargeId)\\n }\\n\"): typeof import('./graphql.js').DeleteChargeDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation DeleteContract($contractId: UUID!) {\\n deleteContract(id: $contractId)\\n }\\n\"): typeof import('./graphql.js').DeleteContractDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation DeleteDepreciationRecord($depreciationRecordId: UUID!) {\\n deleteDepreciationRecord(depreciationRecordId: $depreciationRecordId)\\n }\\n\"): typeof import('./graphql.js').DeleteDepreciationRecordDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation DeleteDocument($documentId: UUID!) {\\n deleteDocument(documentId: $documentId)\\n }\\n\"): typeof import('./graphql.js').DeleteDocumentDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation DeleteDynamicReportTemplate($name: String!) {\\n deleteDynamicReportTemplate(name: $name)\\n }\\n\"): typeof import('./graphql.js').DeleteDynamicReportTemplateDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation DeleteMiscExpense($id: UUID!) {\\n deleteMiscExpense(id: $id)\\n }\\n\"): typeof import('./graphql.js').DeleteMiscExpenseDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation DeleteTag($tagId: UUID!) {\\n deleteTag(id: $tagId)\\n }\\n\"): typeof import('./graphql.js').DeleteTagDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation GenerateRevaluationCharge($ownerId: UUID!, $date: TimelessDate!) {\\n generateRevaluationCharge(ownerId: $ownerId, date: $date) {\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').GenerateRevaluationChargeDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation GenerateBankDepositsRevaluationCharge($ownerId: UUID!, $date: TimelessDate!) {\\n generateBankDepositsRevaluationCharge(ownerId: $ownerId, date: $date) {\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').GenerateBankDepositsRevaluationChargeDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation GenerateTaxExpensesCharge($ownerId: UUID!, $date: TimelessDate!) {\\n generateTaxExpensesCharge(ownerId: $ownerId, year: $date) {\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').GenerateTaxExpensesChargeDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation GenerateDepreciationCharge($ownerId: UUID!, $date: TimelessDate!) {\\n generateDepreciationCharge(ownerId: $ownerId, year: $date) {\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').GenerateDepreciationChargeDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation GenerateRecoveryReserveCharge($ownerId: UUID!, $date: TimelessDate!) {\\n generateRecoveryReserveCharge(ownerId: $ownerId, year: $date) {\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').GenerateRecoveryReserveChargeDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation GenerateVacationReserveCharge($ownerId: UUID!, $date: TimelessDate!) {\\n generateVacationReserveCharge(ownerId: $ownerId, year: $date) {\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').GenerateVacationReserveChargeDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllAdminBusinesses {\\n allAdminBusinesses {\\n id\\n name\\n governmentId\\n }\\n }\\n\"): typeof import('./graphql.js').AllAdminBusinessesDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllClients {\\n allClients {\\n id\\n originalBusiness {\\n id\\n name\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').AllClientsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllBusinesses {\\n allBusinesses {\\n nodes {\\n id\\n name\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').AllBusinessesDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllCountries {\\n allCountries {\\n id\\n name\\n code\\n }\\n }\\n\"): typeof import('./graphql.js').AllCountriesDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllFinancialAccounts {\\n allFinancialAccounts {\\n id\\n name\\n }\\n }\\n\"): typeof import('./graphql.js').AllFinancialAccountsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllFinancialEntities {\\n allFinancialEntities {\\n nodes {\\n id\\n name\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').AllFinancialEntitiesDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllSortCodes {\\n allSortCodes {\\n id\\n key\\n name\\n defaultIrsCode\\n }\\n }\\n\"): typeof import('./graphql.js').AllSortCodesDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllTags {\\n allTags {\\n id\\n name\\n namePath\\n }\\n }\\n\"): typeof import('./graphql.js').AllTagsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query AllTaxCategories {\\n taxCategories {\\n id\\n name\\n }\\n }\\n\"): typeof import('./graphql.js').AllTaxCategoriesDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation InsertBusinessTripAttendee($fields: InsertBusinessTripAttendeeInput!) {\\n insertBusinessTripAttendee(fields: $fields)\\n }\\n\"): typeof import('./graphql.js').InsertBusinessTripAttendeeDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation InsertBusinessTrip($fields: InsertBusinessTripInput!) {\\n insertBusinessTrip(fields: $fields)\\n }\\n\"): typeof import('./graphql.js').InsertBusinessTripDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation InsertBusiness($fields: InsertNewBusinessInput!) {\\n insertNewBusiness(fields: $fields) {\\n __typename\\n ... on LtdFinancialEntity {\\n id\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').InsertBusinessDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation InsertClient($fields: ClientInsertInput!) {\\n insertClient(fields: $fields) {\\n __typename\\n ... on Client {\\n id\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').InsertClientDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation InsertDocument($record: InsertDocumentInput!) {\\n insertDocument(record: $record) {\\n __typename\\n ... on InsertDocumentSuccessfulResult {\\n document {\\n id\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').InsertDocumentDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation InsertDynamicReportTemplate($name: String!, $template: String!) {\\n insertDynamicReportTemplate(name: $name, template: $template) {\\n id\\n name\\n }\\n }\\n\"): typeof import('./graphql.js').InsertDynamicReportTemplateDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation InsertMiscExpense($chargeId: UUID!, $fields: InsertMiscExpenseInput!) {\\n insertMiscExpense(chargeId: $chargeId, fields: $fields) {\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').InsertMiscExpenseDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation InsertMiscExpenses($chargeId: UUID!, $expenses: [InsertMiscExpenseInput!]!) {\\n insertMiscExpenses(chargeId: $chargeId, expenses: $expenses) {\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').InsertMiscExpensesDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation InsertSalaryRecord($salaryRecords: [SalaryRecordInput!]!) {\\n insertSalaryRecords(salaryRecords: $salaryRecords) {\\n __typename\\n ... on InsertSalaryRecordsSuccessfulResult {\\n salaryRecords {\\n month\\n employee {\\n id\\n }\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').InsertSalaryRecordDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation InsertTaxCategory($fields: InsertTaxCategoryInput!) {\\n insertTaxCategory(fields: $fields) {\\n id\\n name\\n }\\n }\\n\"): typeof import('./graphql.js').InsertTaxCategoryDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation IssueGreenInvoiceDocument(\\n $input: DocumentIssueInput!\\n $emailContent: String\\n $attachment: Boolean\\n $chargeId: UUID\\n ) {\\n issueGreenInvoiceDocument(\\n input: $input\\n emailContent: $emailContent\\n attachment: $attachment\\n chargeId: $chargeId\\n ) {\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').IssueGreenInvoiceDocumentDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation IssueMonthlyDocuments($generateDocumentsInfo: [DocumentIssueInput!]!) {\\n issueGreenInvoiceDocuments(generateDocumentsInfo: $generateDocumentsInfo) {\\n success\\n errors\\n }\\n }\\n\"): typeof import('./graphql.js').IssueMonthlyDocumentsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation LedgerLock($date: TimelessDate!) {\\n lockLedgerRecords(date: $date)\\n }\\n\"): typeof import('./graphql.js').LedgerLockDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation MergeBusinesses($targetBusinessId: UUID!, $businessIdsToMerge: [UUID!]!) {\\n mergeBusinesses(targetBusinessId: $targetBusinessId, businessIdsToMerge: $businessIdsToMerge) {\\n __typename\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').MergeBusinessesDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation MergeCharges(\\n $baseChargeID: UUID!\\n $chargeIdsToMerge: [UUID!]!\\n $fields: UpdateChargeInput\\n ) {\\n mergeCharges(\\n baseChargeID: $baseChargeID\\n chargeIdsToMerge: $chargeIdsToMerge\\n fields: $fields\\n ) {\\n __typename\\n ... on MergeChargeSuccessfulResult {\\n charge {\\n id\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').MergeChargesDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation PreviewDocument($input: DocumentIssueInput!) {\\n previewDocument(input: $input)\\n }\\n\"): typeof import('./graphql.js').PreviewDocumentDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation RegenerateLedger($chargeId: UUID!) {\\n regenerateLedgerRecords(chargeId: $chargeId) {\\n __typename\\n ... on Ledger {\\n records {\\n id\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').RegenerateLedgerDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation SyncGreenInvoiceDocuments($ownerId: UUID!) {\\n syncGreenInvoiceDocuments(ownerId: $ownerId) {\\n id\\n ...NewFetchedDocumentFields\\n }\\n }\\n\"): typeof import('./graphql.js').SyncGreenInvoiceDocumentsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateAdminBusiness($adminBusinessId: UUID!, $fields: UpdateAdminBusinessInput!) {\\n updateAdminBusiness(businessId: $adminBusinessId, fields: $fields) {\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').UpdateAdminBusinessDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateBusinessTripAccommodationsExpense(\\n $fields: UpdateBusinessTripAccommodationsExpenseInput!\\n ) {\\n updateBusinessTripAccommodationsExpense(fields: $fields)\\n }\\n\"): typeof import('./graphql.js').UpdateBusinessTripAccommodationsExpenseDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateBusinessTripAccountantApproval(\\n $businessTripId: UUID!\\n $status: AccountantStatus!\\n ) {\\n updateBusinessTripAccountantApproval(businessTripId: $businessTripId, approvalStatus: $status)\\n }\\n\"): typeof import('./graphql.js').UpdateBusinessTripAccountantApprovalDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateBusinessTripAttendee($fields: BusinessTripAttendeeUpdateInput!) {\\n updateBusinessTripAttendee(fields: $fields)\\n }\\n\"): typeof import('./graphql.js').UpdateBusinessTripAttendeeDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateBusinessTripCarRentalExpense($fields: UpdateBusinessTripCarRentalExpenseInput!) {\\n updateBusinessTripCarRentalExpense(fields: $fields)\\n }\\n\"): typeof import('./graphql.js').UpdateBusinessTripCarRentalExpenseDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateBusinessTripFlightsExpense($fields: UpdateBusinessTripFlightsExpenseInput!) {\\n updateBusinessTripFlightsExpense(fields: $fields)\\n }\\n\"): typeof import('./graphql.js').UpdateBusinessTripFlightsExpenseDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateBusinessTripOtherExpense($fields: UpdateBusinessTripOtherExpenseInput!) {\\n updateBusinessTripOtherExpense(fields: $fields)\\n }\\n\"): typeof import('./graphql.js').UpdateBusinessTripOtherExpenseDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateBusinessTripTravelAndSubsistenceExpense(\\n $fields: UpdateBusinessTripTravelAndSubsistenceExpenseInput!\\n ) {\\n updateBusinessTripTravelAndSubsistenceExpense(fields: $fields)\\n }\\n\"): typeof import('./graphql.js').UpdateBusinessTripTravelAndSubsistenceExpenseDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateBusiness($businessId: UUID!, $ownerId: UUID!, $fields: UpdateBusinessInput!) {\\n updateBusiness(businessId: $businessId, ownerId: $ownerId, fields: $fields) {\\n __typename\\n ... on LtdFinancialEntity {\\n id\\n name\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').UpdateBusinessDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateChargeAccountantApproval($chargeId: UUID!, $status: AccountantStatus!) {\\n updateChargeAccountantApproval(chargeId: $chargeId, approvalStatus: $status)\\n }\\n\"): typeof import('./graphql.js').UpdateChargeAccountantApprovalDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateCharge($chargeId: UUID!, $fields: UpdateChargeInput!) {\\n updateCharge(chargeId: $chargeId, fields: $fields) {\\n __typename\\n ... on UpdateChargeSuccessfulResult {\\n charge {\\n id\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').UpdateChargeDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateClient($businessId: UUID!, $fields: ClientUpdateInput!) {\\n updateClient(businessId: $businessId, fields: $fields) {\\n __typename\\n ... on Client {\\n id\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').UpdateClientDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateContract($contractId: UUID!, $input: UpdateContractInput!) {\\n updateContract(contractId: $contractId, input: $input) {\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').UpdateContractDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateDepreciationRecord($fields: UpdateDepreciationRecordInput!) {\\n updateDepreciationRecord(input: $fields) {\\n __typename\\n ... on CommonError {\\n message\\n }\\n ... on DepreciationRecord {\\n id\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').UpdateDepreciationRecordDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateDocument($documentId: UUID!, $fields: UpdateDocumentFieldsInput!) {\\n updateDocument(documentId: $documentId, fields: $fields) {\\n __typename\\n ... on CommonError {\\n message\\n }\\n ... on UpdateDocumentSuccessfulResult {\\n document {\\n id\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').UpdateDocumentDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateDynamicReportTemplateName($name: String!, $newName: String!) {\\n updateDynamicReportTemplateName(name: $name, newName: $newName) {\\n id\\n name\\n }\\n }\\n\"): typeof import('./graphql.js').UpdateDynamicReportTemplateNameDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateDynamicReportTemplate($name: String!, $template: String!) {\\n updateDynamicReportTemplate(name: $name, template: $template) {\\n id\\n name\\n }\\n }\\n\"): typeof import('./graphql.js').UpdateDynamicReportTemplateDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateFinancialAccount(\\n $financialAccountId: UUID!\\n $fields: UpdateFinancialAccountInput!\\n ) {\\n updateFinancialAccount(id: $financialAccountId, fields: $fields) {\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').UpdateFinancialAccountDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateMiscExpense($id: UUID!, $fields: UpdateMiscExpenseInput!) {\\n updateMiscExpense(id: $id, fields: $fields) {\\n id\\n }\\n }\\n\"): typeof import('./graphql.js').UpdateMiscExpenseDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateOrInsertSalaryRecords($salaryRecords: [SalaryRecordInput!]!) {\\n insertOrUpdateSalaryRecords(salaryRecords: $salaryRecords) {\\n __typename\\n ... on InsertSalaryRecordsSuccessfulResult {\\n salaryRecords {\\n month\\n employee {\\n id\\n }\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').UpdateOrInsertSalaryRecordsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateSalaryRecord($salaryRecord: SalaryRecordEditInput!) {\\n updateSalaryRecord(salaryRecord: $salaryRecord) {\\n __typename\\n ... on UpdateSalaryRecordSuccessfulResult {\\n salaryRecord {\\n month\\n employee {\\n id\\n }\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').UpdateSalaryRecordDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateSortCode($key: Int!, $fields: UpdateSortCodeFieldsInput!) {\\n updateSortCode(key: $key, fields: $fields)\\n }\\n\"): typeof import('./graphql.js').UpdateSortCodeDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateTag($tagId: UUID!, $fields: UpdateTagFieldsInput!) {\\n updateTag(id: $tagId, fields: $fields)\\n }\\n\"): typeof import('./graphql.js').UpdateTagDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateTaxCategory($taxCategoryId: UUID!, $fields: UpdateTaxCategoryInput!) {\\n updateTaxCategory(taxCategoryId: $taxCategoryId, fields: $fields) {\\n __typename\\n ... on TaxCategory {\\n id\\n name\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').UpdateTaxCategoryDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateTransaction($transactionId: UUID!, $fields: UpdateTransactionInput!) {\\n updateTransaction(transactionId: $transactionId, fields: $fields) {\\n __typename\\n ... on Transaction {\\n id\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').UpdateTransactionDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UpdateTransactions($transactionIds: [UUID!]!, $fields: UpdateTransactionInput!) {\\n updateTransactions(transactionIds: $transactionIds, fields: $fields) {\\n __typename\\n ... on UpdatedTransactionsSuccessfulResult {\\n transactions {\\n ... on Transaction {\\n id\\n }\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').UpdateTransactionsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UploadDocument($file: FileScalar!, $chargeId: UUID) {\\n uploadDocument(file: $file, chargeId: $chargeId) {\\n __typename\\n ... on UploadDocumentSuccessfulResult {\\n document {\\n id\\n charge {\\n id\\n }\\n }\\n }\\n ... on CommonError {\\n message\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').UploadDocumentDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UploadDocumentsFromGoogleDrive(\\n $sharedFolderUrl: String!\\n $chargeId: UUID\\n $isSensitive: Boolean\\n ) {\\n batchUploadDocumentsFromGoogleDrive(\\n sharedFolderUrl: $sharedFolderUrl\\n chargeId: $chargeId\\n isSensitive: $isSensitive\\n ) {\\n ... on CommonError {\\n message\\n }\\n ... on UploadDocumentSuccessfulResult {\\n document {\\n id\\n ...NewFetchedDocumentFields\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').UploadDocumentsFromGoogleDriveDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UploadMultipleDocuments(\\n $documents: [FileScalar!]!\\n $chargeId: UUID\\n $isSensitive: Boolean\\n ) {\\n batchUploadDocuments(documents: $documents, chargeId: $chargeId, isSensitive: $isSensitive) {\\n ... on CommonError {\\n message\\n }\\n ... on UploadDocumentSuccessfulResult {\\n document {\\n id\\n ...NewFetchedDocumentFields\\n }\\n }\\n }\\n }\\n\"): typeof import('./graphql.js').UploadMultipleDocumentsDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation UploadPayrollFile($file: FileScalar!, $chargeId: UUID!) {\\n insertSalaryRecordsFromFile(file: $file, chargeId: $chargeId)\\n }\\n\"): typeof import('./graphql.js').UploadPayrollFileDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query UserContext {\\n userContext {\\n adminBusinessId\\n defaultLocalCurrency\\n defaultCryptoConversionFiatCurrency\\n ledgerLock\\n financialAccountsBusinessesIds\\n locality\\n }\\n }\\n\"): typeof import('./graphql.js').UserContextDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n query BusinessEmailConfig($email: String!) {\\n businessEmailConfig(email: $email) {\\n businessId\\n internalEmailLinks\\n emailBody\\n attachments\\n }\\n }\\n\"): typeof import('./graphql.js').BusinessEmailConfigDocument;\n/**\n * The graphql function is used to parse GraphQL queries into a document that can be used by GraphQL clients.\n */\nexport function graphql(source: \"\\n mutation InsertEmailDocuments(\\n $documents: [FileScalar!]!\\n $userDescription: String!\\n $messageId: String\\n $businessId: UUID\\n ) {\\n insertEmailDocuments(\\n documents: $documents\\n userDescription: $userDescription\\n messageId: $messageId\\n businessId: $businessId\\n )\\n }\\n\"): typeof import('./graphql.js').InsertEmailDocumentsDocument;\n\n\nexport function graphql(source: string) {\n return (documents as any)[source] ?? {};\n}\n","import { google } from 'googleapis';\nimport type { Environment } from './environment.js';\n\nexport async function troubleshootOAuth(gmailEnv: Environment['gmail']) {\n console.log('🔍 OAuth2 Configuration Troubleshooter\\n');\n\n // Check environment variables\n const requiredVars: (keyof Environment['gmail'])[] = ['clientId', 'clientSecret', 'refreshToken'];\n\n console.log('1. Checking environment variables:');\n let missingVars = !gmailEnv;\n\n requiredVars.map(varName => {\n const value = gmailEnv?.[varName];\n if (value) {\n const display =\n varName.includes('SECRET') || varName.includes('TOKEN')\n ? `${value.substring(0, 10)}...`\n : value;\n console.log(` ✅ ${varName}: ${display}`);\n } else {\n console.log(` ❌ ${varName}: Missing`);\n missingVars = true;\n }\n });\n\n if (missingVars) {\n console.log('\\n❌ Missing required environment variables. Please check your .env file.');\n return;\n }\n\n // Test OAuth2 client setup\n console.log('\\n2. Testing OAuth2 client setup:');\n\n const oauth2Client = new google.auth.OAuth2(gmailEnv!.clientId!, gmailEnv!.clientSecret!);\n\n // Test refresh token\n console.log('\\n3. Testing refresh token:');\n\n try {\n oauth2Client.setCredentials({\n refresh_token: gmailEnv!.refreshToken!,\n });\n\n // Force token refresh\n const { credentials } = await oauth2Client.refreshAccessToken();\n console.log(' ✅ Refresh token is valid');\n console.log(` 📝 New access token: ${credentials.access_token?.substring(0, 20)}...`);\n\n // Test Gmail API access\n console.log('\\n4. Testing Gmail API access:');\n\n const gmail = google.gmail({ version: 'v1', auth: oauth2Client });\n\n const profile = await gmail.users.getProfile({ userId: 'me' });\n console.log(` ✅ Gmail API access successful`);\n console.log(` 📧 Email: ${profile.data.emailAddress}`);\n console.log(` 💬 Total messages: ${profile.data.messagesTotal}`);\n\n // Test watch capability (the failing operation)\n console.log('\\n5. Testing watch permissions:');\n\n try {\n // First, stop any existing watch\n try {\n await gmail.users.stop({ userId: 'me' });\n console.log(' 📴 Stopped existing watch');\n } catch (e) {\n const errorMessage = (e as Error)?.message;\n console.log(` ℹ️ No existing watch to stop: ${errorMessage}`);\n }\n\n // Test topic format (common issue)\n const projectId = gmailEnv?.cloudProjectId || 'your-project-id';\n const topicName = gmailEnv?.topicName || 'gmail-notifications';\n const fullTopicName = `projects/${projectId}/topics/${topicName}`;\n\n console.log(` 📡 Testing watch with topic: ${fullTopicName}`);\n\n const watchResponse = await gmail.users.watch({\n userId: 'me',\n requestBody: {\n topicName: fullTopicName,\n labelIds: ['INBOX'],\n },\n });\n\n console.log(' ✅ Watch setup successful!');\n console.log(\n ` 🕐 Expiration: ${new Date(parseInt(watchResponse.data.expiration!)).toLocaleString()}`,\n );\n } catch (watchError) {\n console.log(' ❌ Watch setup failed:');\n const errorMessage = (watchError as Error)?.message;\n console.log(` Error: ${errorMessage}`);\n\n if (errorMessage?.includes('topicName')) {\n console.log('\\n💡 Troubleshooting tips for watch errors:');\n console.log(' • Verify Pub/Sub topic exists and is properly formatted');\n console.log(' • Check IAM permissions for the topic');\n console.log(' • Ensure domain verification is complete');\n console.log(' • Try using a simpler polling approach instead');\n }\n }\n } catch (error) {\n console.log(' ❌ Refresh token test failed:');\n const errorMessage = (error as Error)?.message;\n console.log(` Error: ${errorMessage}`);\n\n if (errorMessage?.includes('invalid_grant')) {\n console.log('\\n💡 invalid_grant error solutions:');\n console.log(' 1. Generate a new refresh token (token may have expired)');\n console.log(' 2. Ensure OAuth consent screen is published (not in testing)');\n console.log(' 3. Check that the user email is added to test users (if in testing)');\n console.log(' 4. Verify redirect URI matches exactly in Google Console');\n console.log(' 5. Make sure to include \"prompt: consent\" when generating tokens');\n console.log('\\n Run: npm run generate-token');\n }\n\n const scopes = [\n 'https://www.googleapis.com/auth/gmail.readonly',\n 'https://www.googleapis.com/auth/gmail.modify',\n 'https://www.googleapis.com/auth/gmail.settings.basic',\n ];\n\n const authUrl = oauth2Client.generateAuthUrl({\n access_type: 'offline',\n scope: scopes,\n prompt: 'consent', // Forces consent screen to get refresh token\n });\n console.log('\\n💡 To manually generate a new refresh token:');\n console.log(` 📥 Visit this URL: ${authUrl}`);\n }\n\n console.log('\\n🔧 Configuration check complete!');\n}\n","import { PubSub, Topic, type Message, type Subscription } from '@google-cloud/pubsub';\nimport { Environment } from './environment.js';\nimport { GmailService } from './gmail-service.js';\n\nexport class PubsubService {\n private static readonly RESTART_DELAY_MS = 5000;\n private static readonly RESTART_RETRY_DELAY_MS = 30_000;\n private static readonly HEALTH_CHECK_INTERVAL_MS = 10 * 60 * 1000; // Every 10 minutes\n private gmailEnv: NonNullable<Environment['gmail']>;\n private subscription: Subscription | null = null;\n private topic: Topic | null = null;\n private pubSubClient: PubSub;\n private historyId: string | undefined = undefined;\n private processesGuard = new Set<string>();\n private watchExpirationTimer: NodeJS.Timeout | null = null;\n private healthCheckInterval: NodeJS.Timeout | null = null;\n private lastMessageReceived: Date | null = null;\n private messageCount = 0;\n private isListening = false;\n\n constructor(\n private env: Environment,\n private gmailService: GmailService,\n ) {\n if (!this.env.gmail) {\n throw new Error('Gmail environment configuration is missing');\n }\n this.gmailEnv = this.env.gmail;\n this.pubSubClient = new PubSub({ projectId: this.gmailEnv.cloudProjectId });\n }\n\n private async validateAndCreateTopic(): Promise<Topic> {\n if (this.topic) return this.topic;\n\n // Look for existing topic\n try {\n const existingTopic = this.pubSubClient.topic(this.gmailEnv.topicName);\n const [exists] = await existingTopic.exists();\n if (exists) {\n this.topic = existingTopic;\n return existingTopic;\n }\n } catch (error) {\n console.error(`[PubSub] Error checking topic existence:`, error);\n }\n\n // Creates a new topic\n console.log(\n `[PubSub] Creating new Pub/Sub topic [${this.gmailEnv.topicName}] for Gmail notifications...`,\n );\n const [topic] = await this.pubSubClient.createTopic(this.gmailEnv.topicName);\n console.log(`[PubSub] Successfully created topic: ${this.gmailEnv.topicName}`);\n this.topic = topic;\n return topic;\n }\n\n private async validateAndCreateSubscription(): Promise<Subscription> {\n if (this.subscription) return this.subscription;\n\n this.topic ||= await this.validateAndCreateTopic();\n\n // Look for existing subscription\n try {\n const existingSubscription = this.pubSubClient.subscription(this.gmailEnv.subscriptionName);\n const [exists] = await existingSubscription.exists();\n if (exists) {\n console.log(`[PubSub] Found existing subscription: ${this.gmailEnv.subscriptionName}`);\n this.subscription = existingSubscription;\n return existingSubscription;\n }\n console.log(`[PubSub] Subscription does not exist: ${this.gmailEnv.subscriptionName}`);\n } catch (error) {\n console.error(`[PubSub] Error checking subscription existence:`, error);\n }\n\n // Creates a subscription on that topic\n console.log(\n `[PubSub] Creating new Pub/Sub subscription [${this.gmailEnv.subscriptionName}] for [${this.gmailEnv.topicName}] topic...`,\n );\n const [subscription] = await this.topic.createSubscription(this.gmailEnv.subscriptionName);\n console.log(`[PubSub] Successfully created subscription: ${this.gmailEnv.subscriptionName}`);\n this.subscription = subscription;\n return subscription;\n }\n\n private async handleGmailNotification(historyId: string): Promise<void> {\n try {\n if (!this.gmailService.labelsDict.main) {\n console.error('[Gmail] Main label not found, cannot process emails');\n return;\n }\n\n const history = await this.gmailService.gmail.users.history.list({\n startHistoryId: this.historyId || historyId,\n userId: 'me',\n });\n\n if (history.data?.history?.length) {\n const notifications = history.data.history;\n for (const notification of notifications) {\n if (notification.labelsAdded) {\n for (const message of notification.labelsAdded) {\n if (message?.labelIds?.includes(this.gmailService.labelsDict.main)) {\n const id = message.message?.id;\n if (id && !this.processesGuard.has(id)) {\n this.processesGuard.add(id);\n try {\n await this.gmailService.handleMessage(message.message);\n } catch (error) {\n console.error(`[Gmail] Error handling email ${id}:`, error);\n }\n this.processesGuard.delete(id);\n }\n }\n }\n }\n }\n }\n\n this.historyId = historyId;\n } catch (err) {\n console.error(`[Gmail] Error handling push message:`, err);\n throw new Error(`Error handling push message: ${err}`);\n }\n }\n\n private async setupPushNotifications(topicName: string): Promise<void> {\n const fullTopicName = `projects/${this.gmailEnv.cloudProjectId}/topics/${topicName}`;\n\n try {\n const response = await this.gmailService.gmail.users.watch({\n userId: 'me',\n requestBody: {\n topicName: fullTopicName,\n labelIds: ['INBOX'], // Watch inbox changes\n },\n });\n\n if (response?.data?.historyId) {\n this.historyId = response.data.historyId;\n }\n\n // Schedule renewal before expiration\n if (response?.data?.expiration) {\n const expirationMs = parseInt(response.data.expiration);\n const now = Date.now();\n const expirationDate = new Date(expirationMs);\n const renewalTime = expirationMs - now - 24 * 60 * 60 * 1000; // Renew 1 day before expiry\n\n if (this.watchExpirationTimer) {\n clearTimeout(this.watchExpirationTimer);\n }\n\n const renewWatch = () => {\n console.log(`[Gmail Watch] Renewing Gmail watch subscription...`);\n this.setupPushNotifications(topicName).catch(error => {\n console.error(\n `[Gmail Watch] Failed to renew Gmail watch. Retrying in 5 minutes.`,\n error,\n );\n // Retry after a delay\n setTimeout(renewWatch, 5 * 60 * 1000);\n });\n };\n\n this.watchExpirationTimer = setTimeout(renewWatch, Math.max(renewalTime, 0));\n\n console.log(\n `[Gmail Watch] Push notifications set up successfully.\\n` +\n ` Expiration: ${expirationDate.toISOString()} (${Math.round(renewalTime / 1000 / 60 / 60)} hours)\\n` +\n ` Renewal scheduled: ${new Date(now + renewalTime).toISOString()}`,\n );\n } else {\n console.warn(\n `[Gmail Watch] No expiration time in response! Watch may expire unexpectedly.`,\n );\n }\n } catch (error) {\n console.error(`[Gmail Watch] Error setting up push notifications:`, error);\n throw error;\n }\n }\n\n public async startListening(): Promise<void> {\n // populate topic and subscription\n this.topic ||= await this.validateAndCreateTopic().catch(error => {\n console.error('[PubSub] Error validating/creating Pub/Sub topic:', error);\n throw error;\n });\n\n this.subscription ||= await this.validateAndCreateSubscription().catch(error => {\n console.error('[PubSub] Error validating/creating Pub/Sub subscription:', error);\n throw error;\n });\n\n // Setup Gmail push notifications\n await this.setupPushNotifications(this.gmailEnv.topicName).catch(error => {\n console.error('[PubSub] Error setting up Gmail push notifications:', error);\n throw error;\n });\n\n console.log('[PubSub] Setting up message and error handlers...');\n\n this.subscription.on('message', async (message: Message) => {\n this.lastMessageReceived = new Date();\n this.messageCount++;\n\n try {\n const data = JSON.parse(message.data.toString());\n console.log(\n `[PubSub] <<<< Received notification #${this.messageCount} at ${this.lastMessageReceived.toISOString()}:`,\n { historyId: data.historyId },\n );\n\n // Check if this is a new message notification\n if (data.emailAddress && data.historyId) {\n await this.handleGmailNotification(data.historyId);\n } else {\n console.warn(`[PubSub] Notification missing expected fields:`, {\n historyId: data.historyId,\n });\n }\n\n message.ack();\n } catch (error) {\n console.error('[PubSub] Error processing message:', error);\n console.error('[PubSub] Message data:', message.data.toString());\n // Acknowledge anyway to prevent infinite redelivery\n message.ack();\n }\n });\n\n this.subscription.on('error', (error: Error) => {\n console.error(`[PubSub] !!!! Subscription error at ${new Date().toISOString()}:`, error);\n console.error(`[PubSub] Error stack:`, error.stack);\n // Attempt to reconnect\n console.log(`[PubSub] Attempting to recover from subscription error...`);\n this.restartListening();\n });\n\n this.subscription.on('close', () => {\n console.warn(`[PubSub] !!!! Subscription closed at ${new Date().toISOString()}`);\n this.isListening = false;\n });\n\n this.isListening = true;\n console.log(`[PubSub] ======= Listener is now ACTIVE =======`);\n\n // Start periodic health checks\n this.startHealthMonitoring();\n }\n\n private async restartListening(): Promise<void> {\n console.log(`[PubSub] Restarting listener...`);\n try {\n this.stopListening();\n // Wait a bit before restarting\n await new Promise(resolve => setTimeout(resolve, PubsubService.RESTART_DELAY_MS));\n await this.startListening();\n } catch (error) {\n console.error(`[PubSub] Failed to restart listener:`, error);\n // Retry after delay\n setTimeout(() => this.restartListening(), PubsubService.RESTART_RETRY_DELAY_MS);\n }\n }\n\n private startHealthMonitoring(): void {\n if (this.healthCheckInterval) {\n clearInterval(this.healthCheckInterval);\n }\n\n // Check health every 10 minutes\n this.healthCheckInterval = setInterval(async () => {\n const now = new Date();\n const timeSinceLastMessage = this.lastMessageReceived\n ? (now.getTime() - this.lastMessageReceived.getTime()) / 1000 / 60\n : null;\n\n console.log(\n `[PubSub Health] Status Check at ${now.toISOString()}:\\n` +\n ` Listening: ${this.isListening}\\n` +\n ` Messages received: ${this.messageCount}\\n` +\n ` Last message: ${this.lastMessageReceived?.toISOString() || 'Never'}\\n` +\n ` Time since last: ${timeSinceLastMessage ? `${timeSinceLastMessage.toFixed(1)} minutes` : 'N/A'}\\n` +\n ` History ID: ${this.historyId || 'Not set'}`,\n );\n\n const isHealthy = await this.healthCheck();\n if (isHealthy) {\n console.log(`[PubSub Health] Health check PASSED`);\n } else {\n console.error(`[PubSub Health] Health check FAILED! Attempting restart...`);\n await this.restartListening();\n }\n }, PubsubService.HEALTH_CHECK_INTERVAL_MS);\n\n console.log(`[PubSub] Health monitoring started (10-minute intervals)`);\n }\n\n public stopListening(): void {\n if (this.watchExpirationTimer) {\n clearTimeout(this.watchExpirationTimer);\n this.watchExpirationTimer = null;\n }\n\n if (this.healthCheckInterval) {\n clearInterval(this.healthCheckInterval);\n this.healthCheckInterval = null;\n }\n\n this.subscription?.removeAllListeners();\n this.isListening = false;\n console.log(`[PubSub] Stopped listening for notifications`);\n }\n\n public async healthCheck(): Promise<boolean> {\n if (!this.subscription) {\n console.error(`[PubSub Health] No subscription object!`);\n return false;\n }\n\n // Check if subscription is still open\n if (!this.isListening) {\n console.error(`[PubSub Health] Listener is not active!`);\n return false;\n }\n\n // Verify Gmail API connection is still active\n try {\n const profile = await this.gmailService.gmail.users.getProfile({ userId: 'me' });\n console.log(`[PubSub Health] Gmail API connection OK (email: ${profile.data.emailAddress})`);\n return true;\n } catch (error) {\n console.error('[PubSub Health] Gmail API connection FAILED:', error);\n return false;\n }\n }\n}\n","/* eslint-disable no-console */\n\nimport { env } from './environment.js';\nimport { GmailService } from './gmail-service.js';\nimport { PubsubService } from './pubsub-service.js';\n\nconst DAILY_PENDING_MESSAGES_INTERVAL_MS = 24 * 60 * 60 * 1000;\nconst INIT_MAX_RETRIES = 3;\nconst INIT_RETRY_DELAY_MS = 5000;\n\nfunction startPendingMessagesCronJob(gmailService: GmailService): NodeJS.Timeout {\n return setInterval(async () => {\n try {\n console.log('[Scheduler] Running pending messages job...');\n const handled = await gmailService.handlePendingMessages();\n if (!handled) {\n console.error('[Scheduler] Pending messages job completed with errors.');\n }\n } catch (error) {\n console.error('[Scheduler] Pending messages job failed:', error);\n }\n }, DAILY_PENDING_MESSAGES_INTERVAL_MS);\n}\n\nasync function init() {\n const gmailService = new GmailService(env);\n\n try {\n await gmailService.init();\n\n const pubsubService = new PubsubService(env, gmailService);\n\n try {\n const handled = await gmailService.handlePendingMessages();\n if (!handled) {\n console.error('[Init] Pending messages handling completed with errors.');\n }\n } catch (error) {\n console.error('[Init] Error handling pending messages:', error);\n }\n\n await pubsubService.startListening();\n startPendingMessagesCronJob(gmailService);\n } catch (error) {\n console.error('[Init] Failed to initialize Gmail listener service:', error);\n throw error;\n }\n}\n\nasync function bootstrap() {\n for (let attempt = 1; attempt <= INIT_MAX_RETRIES; attempt++) {\n try {\n await init();\n return;\n } catch (error) {\n const isLastAttempt = attempt === INIT_MAX_RETRIES;\n console.error(\n `[Bootstrap] Initialization attempt ${attempt}/${INIT_MAX_RETRIES} failed:`,\n error,\n );\n\n if (isLastAttempt) {\n console.error('[Bootstrap] Maximum initialization attempts reached. Shutting down.');\n process.exit(1);\n }\n\n await new Promise(resolve => setTimeout(resolve, INIT_RETRY_DELAY_MS));\n }\n }\n}\n\nvoid bootstrap();\n"],"mappings":";AAAA,SAAS,UAAU,cAAc;AACjC,OAAO,SAAS;AAEhB,OAAO;AAEP,IAAM,qBAAqB,IAAI,OAAO;AAAA,EACpC,wBAAwB,IAAI,OAAO;AACrC,CAAC;AAED,IAAM,aAAa,IAAI,OAAO;AAAA,EAC5B,iBAAiB,IAAI,OAAO;AAAA,EAC5B,qBAAqB,IAAI,OAAO;AAAA,EAChC,qBAAqB,IAAI,OAAO;AAAA,EAChC,kBAAkB,IAAI,OAAO,EAAE,SAAS;AAAA,EACxC,yBAAyB,IAAI,OAAO;AAAA,EACpC,gCAAgC,IAAI,OAAO;AAAA,EAC3C,cAAc,IAAI,OAAO,EAAE,SAAS;AAAA,EACpC,qBAAqB,IAAI,OAAO,EAAE,SAAS;AAC7C,CAAC;AAED,IAAM,eAAe,IAAI,OAAO;AAAA,EAC9B,YAAY,IAAI,IAAI;AACtB,CAAC;AAED,IAAM,UAAU;AAAA,EACd,eAAe,mBAAmB,UAAU,QAAQ,GAAG;AAAA,EACvD,OAAO,WAAW,UAAU,QAAQ,GAAG;AAAA,EACvC,SAAS,aAAa,UAAU,QAAQ,GAAG;AAC7C;AAEA,IAAM,oBAAmC,CAAC;AAE1C,WAAW,UAAU,OAAO,OAAO,OAAO,GAAG;AAC3C,MAAI,OAAO,YAAY,OAAO;AAC5B,sBAAkB,KAAK,KAAK,UAAU,OAAO,MAAM,OAAO,GAAG,MAAM,CAAC,CAAC;AAAA,EACvE;AACF;AAEA,IAAI,kBAAkB,QAAQ;AAC5B,QAAM,YAAY,kBAAkB,KAAK;AAAA,CAAI;AAC7C,UAAQ,MAAM,wCAAwC,SAAS;AAC/D,UAAQ,KAAK,CAAC;AAChB;AAEA,SAAS,cAAsB,QAAgD;AAC7E,MAAI,CAAC,OAAO,SAAS;AACnB,UAAM,IAAI,MAAM,uBAAuB;AAAA,EACzC;AACA,SAAO,OAAO;AAChB;AAEA,IAAM,gBAAgB,cAAc,QAAQ,aAAa;AACzD,IAAM,QAAQ,cAAc,QAAQ,KAAK;AACzC,IAAM,UAAU,cAAc,QAAQ,OAAO;AArD7C;AAuDO,IAAM,MAAM;AAAA,EACjB,eAAe;AAAA,IACb,QAAQ,cAAc;AAAA,EACxB;AAAA,EACA,OAAO;AAAA,IACL,UAAU,MAAM;AAAA,IAChB,cAAc,MAAM;AAAA,IACpB,cAAc,MAAM;AAAA,IACpB,aAAW,WAAM,qBAAN,mBAAwB,QAAQ,OAAO,QAAO;AAAA;AAAA,IACzD,gBAAgB,MAAM;AAAA,IACtB,gBAAgB,MAAM;AAAA,IACtB,WAAW,MAAM,gBAAgB;AAAA,IACjC,kBAAkB,MAAM,uBAAuB;AAAA,EACjD;AAAA,EACA,SAAS;AAAA,IACP,WAAW,QAAQ;AAAA,EACrB;AACF;;;ACxEA,SAAS,UAAAA,eAA6B;AACtC,OAAO,eAAe;AACtB,SAAkB,gBAAgB;;;ACDlC,SAAS,SAAAC,QAAO,gBAAgB;;;ACikYzB,IAAM,sBAAN,cACG,OAEV;AAAA,EACE;AAAA,EACQ;AAAA,EACD;AAAA,EAEP,YAAY,OAAe,UAA4C;AACrE,UAAM,KAAK;AACX,SAAK,QAAQ;AACb,SAAK,WAAW;AAAA,EAClB;AAAA,EAES,WAAiE;AACxE,WAAO,KAAK;AAAA,EACd;AACF;AACO,IAAM,sCAAsC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OA+BpE,EAAC,gBAAe,2BAA0B,CAAC;AAC3C,IAAM,oCAAoC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAMlE,EAAC,gBAAe,yBAAwB,CAAC;AACzC,IAAM,uCAAuC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAmBrE,EAAC,gBAAe,4BAA2B,CAAC;AAC5C,IAAM,4BAA4B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAiB1D,EAAC,gBAAe,iBAAgB,CAAC;AACjC,IAAM,oCAAoC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAwBlE,EAAC,gBAAe,yBAAwB,CAAC;AACzC,IAAM,0CAA0C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAsCxE,EAAC,gBAAe,+BAA8B,CAAC;AAC/C,IAAM,kCAAkC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OA4BhE,EAAC,gBAAe,uBAAsB,CAAC;AACvC,IAAM,0BAA0B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAyI3D,EAAC,gBAAe,eAAc,CAAC;AAC5B,IAAM,sCAAsC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAiCpE,EAAC,gBAAe,2BAA0B,CAAC;AAC3C,IAAM,sCAAsC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAepE,EAAC,gBAAe,2BAA0B,CAAC;AAC3C,IAAM,qCAAqC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OA4DnE,EAAC,gBAAe,0BAAyB,CAAC;AAC1C,IAAM,kCAAkC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAkEnE,EAAC,gBAAe,uBAAsB,CAAC;AACpC,IAAM,sCAAsC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OA4DpE,EAAC,gBAAe,2BAA0B,CAAC;AAC3C,IAAM,4CAA4C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAgF7E,EAAC,gBAAe,iCAAgC,CAAC;AAC9C,IAAM,mDAAmD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAgCjF,EAAC,gBAAe,wCAAuC,CAAC;AACxD,IAAM,2CAA2C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAsC5E,EAAC,gBAAe,gCAA+B,CAAC;AAC7C,IAAM,kCAAkC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAiBhE,EAAC,gBAAe,uBAAsB,CAAC;AACvC,IAAM,sCAAsC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAyCvE,EAAC,gBAAe,2BAA0B,CAAC;AACxC,IAAM,+BAA+B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAoB7D,EAAC,gBAAe,oBAAmB,CAAC;AACpC,IAAM,mCAAmC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAiBjE,EAAC,gBAAe,wBAAuB,CAAC;AACxC,IAAM,qCAAqC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAsCtE,EAAC,gBAAe,0BAAyB,CAAC;AACvC,IAAM,iCAAiC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAsD/D,EAAC,gBAAe,sBAAqB,CAAC;AACtC,IAAM,2CAA2C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAkBzE,EAAC,gBAAe,gCAA+B,CAAC;AAChD,IAAM,kDAAkD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA,OAKhF,EAAC,gBAAe,uCAAsC,CAAC;AACvD,IAAM,4CAA4C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAkB7E,EAAC,gBAAe,iCAAgC,CAAC;AAC9C,IAAM,6CAA6C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAqC3E,EAAC,gBAAe,kCAAiC,CAAC;AAClD,IAAM,sCAAsC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IA2DvE,EAAC,gBAAe,2BAA0B,CAAC;AACxC,IAAM,oDAAoD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAmBlF,EAAC,gBAAe,yCAAwC,CAAC;AACzD,IAAM,uDAAuD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAoCxF,EAAC,gBAAe,4CAA2C,CAAC;AACzD,IAAM,yDAAyD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAyC1F,EAAC,gBAAe,8CAA6C,CAAC;AAC3D,IAAM,oDAAoD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAgDrF,EAAC,gBAAe,yCAAwC,CAAC;AACtD,IAAM,gDAAgD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IA6BjF,EAAC,gBAAe,qCAAoC,CAAC;AAClD,IAAM,kDAAkD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAkCnF,EAAC,gBAAe,uCAAsC,CAAC;AACpD,IAAM,iDAAiD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAuElF,EAAC,gBAAe,sCAAqC,CAAC;AACnD,IAAM,+CAA+C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IA+EhF,EAAC,gBAAe,oCAAmC,CAAC;AACjD,IAAM,kDAAkD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAyBnF,EAAC,gBAAe,uCAAsC,CAAC;AACpD,IAAM,+CAA+C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAiChF,EAAC,gBAAe,oCAAmC,CAAC;AACjD,IAAM,6CAA6C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IA6C9E,EAAC,gBAAe,kCAAiC,CAAC;AAC/C,IAAM,8CAA8C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAyB/E,EAAC,gBAAe,mCAAkC,CAAC;AAChD,IAAM,2CAA2C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAiC5E,EAAC,gBAAe,gCAA+B,CAAC;AAC7C,IAAM,6DAA6D,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAwB9F,EAAC,gBAAe,kDAAiD,CAAC;AAC/D,IAAM,0DAA0D,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAgC3F,EAAC,gBAAe,+CAA8C,CAAC;AAC5D,IAAM,8CAA8C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA,OAK5E,EAAC,gBAAe,mCAAkC,CAAC;AACnD,IAAM,8CAA8C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAM5E,EAAC,gBAAe,mCAAkC,CAAC;AACnD,IAAM,4CAA4C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAS1E,EAAC,gBAAe,iCAAgC,CAAC;AACjD,IAAM,gDAAgD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA,OAK9E,EAAC,gBAAe,qCAAoC,CAAC;AACrD,IAAM,6CAA6C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA,OAK3E,EAAC,gBAAe,kCAAiC,CAAC;AAClD,IAAM,2CAA2C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAezE,EAAC,gBAAe,gCAA+B,CAAC;AAChD,IAAM,wDAAwD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAkBtF,EAAC,gBAAe,6CAA4C,CAAC;AAC7D,IAAM,yDAAyD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IA4E1F,EAAC,gBAAe,8CAA6C,CAAC;AAC3D,IAAM,yCAAyC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAwBvE,EAAC,gBAAe,8BAA6B,CAAC;AAC9C,IAAM,2BAA2B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OASzD,EAAC,gBAAe,gBAAe,CAAC;AAChC,IAAM,uCAAuC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAkBrE,EAAC,gBAAe,4BAA2B,CAAC;AAC5C,IAAM,8BAA8B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IA4E/D,EAAC,gBAAe,mBAAkB,CAAC;AAChC,IAAM,iCAAiC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAyC/D,EAAC,gBAAe,sBAAqB,CAAC;AACtC,IAAM,sCAAsC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAapE,EAAC,gBAAe,2BAA0B,CAAC;AAC3C,IAAM,6CAA6C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAwB3E,EAAC,gBAAe,kCAAiC,CAAC;AAClD,IAAM,oCAAoC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAWlE,EAAC,gBAAe,yBAAwB,CAAC;AACzC,IAAM,oDAAoD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OASlF,EAAC,gBAAe,yCAAwC,CAAC;AACzD,IAAM,4CAA4C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAU1E,EAAC,gBAAe,iCAAgC,CAAC;AACjD,IAAM,yCAAyC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAwB1E,EAAC,gBAAe,8BAA6B,CAAC;AAC3C,IAAM,qCAAqC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OA0BnE,EAAC,gBAAe,0BAAyB,CAAC;AAC1C,IAAM,kDAAkD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA,OAKhF,EAAC,gBAAe,uCAAsC,CAAC;AACvD,IAAM,sCAAsC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAYpE,EAAC,gBAAe,2BAA0B,CAAC;AAC3C,IAAM,4CAA4C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAU1E,EAAC,gBAAe,iCAAgC,CAAC;AACjD,IAAM,oCAAoC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAOlE,EAAC,gBAAe,yBAAwB,CAAC;AACzC,IAAM,2CAA2C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAazE,EAAC,gBAAe,gCAA+B,CAAC;AAChD,IAAM,sCAAsC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAcpE,EAAC,gBAAe,2BAA0B,CAAC;AAC3C,IAAM,wCAAwC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAmBtE,EAAC,gBAAe,6BAA4B,CAAC;AAC7C,IAAM,oCAAoC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAyBlE,EAAC,gBAAe,yBAAwB,CAAC;AACzC,IAAM,2CAA2C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAczE,EAAC,gBAAe,gCAA+B,CAAC;AAChD,IAAM,oCAAoC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA,OAKlE,EAAC,gBAAe,yBAAwB,CAAC;AACzC,IAAM,mCAAmC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAkBjE,EAAC,gBAAe,wBAAuB,CAAC;AACxC,IAAM,mCAAmC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IA6JpE,EAAC,gBAAe,yBAAwB,kBAAiB,EAAC,kCAAiC,CAAC,IAAI,GAAE,4BAA2B,CAAC,cAAa,MAAK,cAAc,GAAE,0BAAyB,CAAC,MAAK,MAAM,GAAE,iCAAgC,CAAC,cAAa,MAAK,aAAa,EAAC,EAAC,CAAC;AACvQ,IAAM,gCAAgC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAoKjE,EAAC,gBAAe,qBAAoB,CAAC;AAClC,IAAM,0CAA0C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IA0K3E,EAAC,gBAAe,+BAA8B,CAAC;AAC5C,IAAM,+CAA+C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA,OAK7E,EAAC,gBAAe,oCAAmC,CAAC;AACpD,IAAM,wCAAwC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IA+CzE,EAAC,gBAAe,6BAA4B,CAAC;AAC1C,IAAM,qCAAqC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IA2DtE,EAAC,gBAAe,0BAAyB,CAAC;AACvC,IAAM,sCAAsC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IA2BvE,EAAC,gBAAe,2BAA0B,CAAC;AACxC,IAAM,mCAAmC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAoCpE,EAAC,gBAAe,wBAAuB,CAAC;AACrC,IAAM,sCAAsC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IA0KvE,EAAC,gBAAe,2BAA0B,CAAC;AACxC,IAAM,wCAAwC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IA0KzE,EAAC,gBAAe,6BAA4B,CAAC;AAC1C,IAAM,oCAAoC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAsBlE,EAAC,gBAAe,yBAAwB,CAAC;AACzC,IAAM,6BAA6B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OA2C3D,EAAC,gBAAe,kBAAiB,CAAC;AAClC,IAAM,0CAA0C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAQxE,EAAC,gBAAe,+BAA8B,CAAC;AAC/C,IAAM,4CAA4C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAgC1E,EAAC,gBAAe,iCAAgC,CAAC;AACjD,IAAM,uCAAuC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAwCrE,EAAC,gBAAe,4BAA2B,CAAC;AAC5C,IAAM,oDAAoD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OA2BlF,EAAC,gBAAe,yCAAwC,CAAC;AACzD,IAAM,2CAA2C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAgBzE,EAAC,gBAAe,gCAA+B,CAAC;AAChD,IAAM,kCAAkC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAiInE,EAAC,gBAAe,uBAAsB,CAAC;AACpC,IAAM,iCAAiC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAwIlE,EAAC,gBAAe,sBAAqB,CAAC;AACnC,IAAM,iCAAiC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IA+IlE,EAAC,gBAAe,sBAAqB,CAAC;AACnC,IAAM,uCAAuC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAuBrE,EAAC,gBAAe,4BAA2B,CAAC;AAC5C,IAAM,uCAAuC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAyCxE,EAAC,gBAAe,4BAA2B,CAAC;AACzC,IAAM,wCAAwC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IA+DzE,EAAC,gBAAe,6BAA4B,CAAC;AAC1C,IAAM,0CAA0C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAWxE,EAAC,gBAAe,+BAA8B,CAAC;AAC/C,IAAM,gDAAgD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA,OAK9E,EAAC,gBAAe,qCAAoC,CAAC;AACrD,IAAM,wCAAwC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OA6BtE,EAAC,gBAAe,6BAA4B,CAAC;AAC7C,IAAM,4CAA4C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAS1E,EAAC,gBAAe,iCAAgC,CAAC;AACjD,IAAM,+CAA+C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAS7E,EAAC,gBAAe,oCAAmC,CAAC;AACpD,IAAM,8CAA8C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAS5E,EAAC,gBAAe,mCAAkC,CAAC;AACnD,IAAM,kCAAkC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IA2DnE,EAAC,gBAAe,uBAAsB,CAAC;AACpC,IAAM,6DAA6D,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,OAqB3F,EAAC,gBAAe,kDAAiD,CAAC;AAClE,IAAM,oCAAoC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAwCvE;AACK,IAAM,6BAA6B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAmC7D;AACE,IAAM,uCAAuC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAwCvE;AACE,IAAM,6BAA6B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAU7D;AACE,IAAM,qCAAqC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAkBrE;AACE,IAAM,+BAA+B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAoSlE;AACK,IAAM,8BAA8B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAejE;AACK,IAAM,wCAAwC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAsCxE;AACE,IAAM,iCAAiC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EA+KpE;AACK,IAAM,iCAAiC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAqBjE;AACE,IAAM,gDAAgD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAoBhF;AACE,IAAM,qCAAqC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAoFxE;AACK,IAAM,gCAAgC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAiEnE;AACK,IAAM,sCAAsC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EA0DzE;AACK,IAAM,iCAAiC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAgCpE;AACK,IAAM,6CAA6C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAuGhF;AACK,IAAM,kCAAkC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EA6KrE;AACK,IAAM,sBAAsB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IA0bvD,EAAC,kBAAiB,EAAC,0BAAyB,CAAC,MAAK,qBAAqB,GAAE,wBAAuB,CAAC,MAAK,qBAAqB,GAAE,kCAAiC,CAAC,MAAK,QAAQ,GAAE,iCAAgC,CAAC,MAAK,cAAc,GAAE,wBAAuB,CAAC,MAAK,YAAY,GAAE,4BAA2B,CAAC,MAAK,YAAY,GAAE,uBAAsB,CAAC,MAAK,YAAY,GAAE,4BAA2B,CAAC,IAAI,GAAE,2BAA0B,CAAC,MAAK,cAAc,GAAE,qBAAoB,CAAC,MAAK,YAAY,EAAC,EAAC,CAAC;AAChe,IAAM,uBAAuB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAmK1D;AACK,IAAM,0BAA0B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EA6C7D;AACK,IAAM,+BAA+B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAS/D;AACE,IAAM,wBAAwB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAwC3D;AACK,IAAM,6BAA6B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAsC7D;AACE,IAAM,oCAAoC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAyBvE;AACK,IAAM,6BAA6B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAqB7D;AACE,IAAM,kDAAkD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAsBlF;AACE,IAAM,6BAA6B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EA6BhE;AACK,IAAM,wCAAwC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAwE3E;AACK,IAAM,0CAA0C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAiE7E;AACK,IAAM,uBAAuB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAoCvD;AACE,IAAM,0BAA0B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAgB1D;AACE,IAAM,uCAAuC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EA+B1E;AACK,IAAM,2BAA2B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAO3D;AACE,IAAM,oCAAoC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAQpE;AACE,IAAM,iCAAiC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAOjE;AACE,IAAM,0BAA0B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAO1D;AACE,IAAM,2BAA2B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAO3D;AACE,IAAM,kCAAkC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAUlE;AACE,IAAM,kCAAkC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAOlE;AACE,IAAM,+BAA+B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KA0B/D;AACE,IAAM,qBAAqB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KA6CrD;AACE,IAAM,2BAA2B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAgG3D;AACE,IAAM,2BAA2B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAS3D;AACE,IAAM,8BAA8B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAa9D;AACE,IAAM,uCAAuC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAiBvE;AACE,IAAM,mCAAmC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAiFtE;AACK,IAAM,qCAAqC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAiFxE;AACK,IAAM,mCAAmC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAkDtE;AACK,IAAM,yBAAyB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAoD5D;AACK,IAAM,8BAA8B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAqB9D;AACE,IAAM,wBAAwB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAOxD;AACE,IAAM,sCAAsC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAoFzE;AACK,IAAM,0CAA0C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAS1E;AACE,IAAM,0BAA0B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAQ1D;AACE,IAAM,sBAAsB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAiCtD;AACE,IAAM,iCAAiC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAoBjE;AACE,IAAM,6CAA6C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EA0FhF;AACK,IAAM,8BAA8B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAgJjE;AACK,IAAM,oBAAoB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAqJvD;AACK,IAAM,6BAA6B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAmChE;AACK,IAAM,gCAAgC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAiBhE;AACE,IAAM,2BAA2B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAgT9D;AACK,IAAM,sBAAsB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAOtD;AACE,IAAM,uBAAuB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAuF1D;AACK,IAAM,8BAA8B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EA4JjE;AACK,IAAM,sBAAsB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAuBtD;AACE,IAAM,yBAAyB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EA+I5D;AACK,IAAM,0BAA0B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EA6B7D;AACK,IAAM,qBAAqB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EA+KxD;AACK,IAAM,uBAAuB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EA0K1D;AACK,IAAM,6BAA6B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EA+KhE;AACK,IAAM,0BAA0B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAkD1D;AACE,IAAM,uCAAuC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAiF1E;AACK,IAAM,iCAAiC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAiFpE;AACK,IAAM,2BAA2B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAc3D;AACE,IAAM,mCAAmC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KASnE;AACE,IAAM,iCAAiC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAQjE;AACE,IAAM,8BAA8B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAO9D;AACE,IAAM,oCAAoC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAyGvE;AACK,IAAM,4CAA4C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EA0D/E;AACK,IAAM,8BAA8B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAqC9D;AACE,IAAM,mCAAmC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EA0CtE;AACK,IAAM,gCAAgC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EA6EnE;AACK,IAAM,gCAAgC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAShE;AACE,IAAM,wBAAwB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAmB3D;AACK,IAAM,oCAAoC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAYpE;AACE,IAAM,2BAA2B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAQ3D;AACE,IAAM,+CAA+C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAI/E;AACE,IAAM,0CAA0C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAI1E;AACE,IAAM,wCAAwC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIxE;AACE,IAAM,sCAAsC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAItE;AACE,IAAM,qDAAqD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIrF;AACE,IAAM,gCAAgC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAYhE;AACE,IAAM,sBAAsB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAItD;AACE,IAAM,iBAAiB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIjD;AACE,IAAM,gCAAgC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAahE;AACE,IAAM,gCAAgC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAShE;AACE,IAAM,6BAA6B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAc7D;AACE,IAAM,wCAAwC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIxE;AACE,IAAM,oDAAoD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIpF;AACE,IAAM,wBAAwB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIxD;AACE,IAAM,qCAAqC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAOrE;AACE,IAAM,6CAA6C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAO7E;AACE,IAAM,mDAAmD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAInF;AACE,IAAM,yBAAyB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAMzD;AACE,IAAM,wBAAwB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAQxD;AACE,IAAM,iCAAiC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAMjE;AACE,IAAM,6DAA6D,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAM7F;AACE,IAAM,qCAAqC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIrE;AACE,IAAM,oCAAoC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIpE;AACE,IAAM,uBAAuB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIvD;AACE,IAAM,yBAAyB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIzD;AACE,IAAM,mCAAmC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAInE;AACE,IAAM,yBAAyB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIzD;AACE,IAAM,sCAAsC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAItE;AACE,IAAM,4BAA4B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAI5D;AACE,IAAM,oBAAoB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIpD;AACE,IAAM,oCAAoC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAMpE;AACE,IAAM,gDAAgD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAMhF;AACE,IAAM,oCAAoC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAMpE;AACE,IAAM,qCAAqC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAMrE;AACE,IAAM,wCAAwC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAMxE;AACE,IAAM,wCAAwC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAMxE;AACE,IAAM,6BAA6B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAQ7D;AACE,IAAM,qBAAqB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAUrD;AACE,IAAM,wBAAwB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KASxD;AACE,IAAM,uBAAuB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAQvD;AACE,IAAM,+BAA+B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAO/D;AACE,IAAM,+BAA+B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAS/D;AACE,IAAM,uBAAuB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KASvD;AACE,IAAM,kBAAkB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAQlD;AACE,IAAM,2BAA2B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAO3D;AACE,IAAM,qCAAqC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIrE;AACE,IAAM,6BAA6B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAI7D;AACE,IAAM,yBAAyB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAYzD;AACE,IAAM,uBAAuB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAYvD;AACE,IAAM,yBAAyB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAczD;AACE,IAAM,sCAAsC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAOtE;AACE,IAAM,4BAA4B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAM5D;AACE,IAAM,6BAA6B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAM7D;AACE,IAAM,6BAA6B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAiB7D;AACE,IAAM,4BAA4B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAO5D;AACE,IAAM,oCAAoC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAWpE;AACE,IAAM,gCAAgC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAOhE;AACE,IAAM,qBAAqB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIrD;AACE,IAAM,0BAA0B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAU1D;AACE,IAAM,uBAAuB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAkBvD;AACE,IAAM,0BAA0B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAI1D;AACE,IAAM,2BAA2B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAc3D;AACE,IAAM,oCAAoC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EAkBvE;AACK,IAAM,8BAA8B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAM9D;AACE,IAAM,kDAAkD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIlF;AACE,IAAM,+CAA+C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAO/E;AACE,IAAM,qCAAqC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIrE;AACE,IAAM,6CAA6C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAI7E;AACE,IAAM,2CAA2C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAI3E;AACE,IAAM,yCAAyC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIzE;AACE,IAAM,wDAAwD,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIxF;AACE,IAAM,yBAAyB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAazD;AACE,IAAM,yCAAyC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIzE;AACE,IAAM,uBAAuB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAcvD;AACE,IAAM,uBAAuB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAYvD;AACE,IAAM,yBAAyB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAMzD;AACE,IAAM,mCAAmC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAYnE;AACE,IAAM,yBAAyB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAczD;AACE,IAAM,0CAA0C,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAO1E;AACE,IAAM,sCAAsC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAOtE;AACE,IAAM,iCAAiC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAMjE;AACE,IAAM,4BAA4B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAM5D;AACE,IAAM,sCAAsC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAiBtE;AACE,IAAM,6BAA6B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAiB7D;AACE,IAAM,yBAAyB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIzD;AACE,IAAM,oBAAoB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAIpD;AACE,IAAM,4BAA4B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAa5D;AACE,IAAM,4BAA4B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAY5D;AACE,IAAM,6BAA6B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAgB7D;AACE,IAAM,yBAAyB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAiBzD;AACE,IAAM,yCAAyC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EA6B5E;AACK,IAAM,kCAAkC,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,EA6BrE;AACK,IAAM,4BAA4B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA,KAI5D;AACE,IAAM,sBAAsB,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAWtD;AACE,IAAM,8BAA8B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAS9D;AACE,IAAM,+BAA+B,IAAI,oBAAoB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,KAS/D;;;AC/7rBL,IAAM,YAAuB;AAAA,EACzB,2ZAAia;AAAA,EACja,4NAAkO;AAAA,EAClO,owBAA0wB;AAAA,EAC1wB,y3BAA+3B;AAAA,EAC/3B,8KAAoL;AAAA,EACpL,0GAAgH;AAAA,EAChH,iWAAuW;AAAA,EACvW,oqBAA0qB;AAAA,EAC1qB,uKAA6K;AAAA,EAC7K,2hBAAiiB;AAAA,EACjiB,w1BAA81B;AAAA,EAC91B,gQAAsQ;AAAA,EACtQ,wRAA8R;AAAA,EAC9R,oXAA0X;AAAA,EAC1X,yVAA+V;AAAA,EAC/V,mVAAyV;AAAA,EACzV,mOAAyO;AAAA,EACzO,spBAA4pB;AAAA,EAC5pB,0YAAgZ;AAAA,EAChZ,6UAAmV;AAAA,EACnV,0LAAgM;AAAA,EAChM,sQAA4Q;AAAA,EAC5Q,kXAAwX;AAAA,EACxX,0iBAAgjB;AAAA,EAChjB,kTAAwT;AAAA,EACxT,wPAA8P;AAAA,EAC9P,wGAA8G;AAAA,EAC9G,wNAA8N;AAAA,EAC9N,2KAAiL;AAAA,EACjL,8NAAoO;AAAA,EACpO,4HAAkI;AAAA,EAClI,qPAA2P;AAAA,EAC3P,uWAA6W;AAAA,EAC7W,ibAAub;AAAA,EACvb,kOAAwO;AAAA,EACxO,kFAAwF;AAAA,EACxF,6QAAmR;AAAA,EACnR,+SAAqT;AAAA,EACrT,m+BAAy+B;AAAA,EACz+B,8IAAoJ;AAAA,EACpJ,ubAA6b;AAAA,EAC7b,8JAAoK;AAAA,EACpK,2rBAAisB;AAAA,EACjsB,yIAA+I;AAAA,EAC/I,0HAAgI;AAAA,EAChI,sSAA4S;AAAA,EAC5S,4JAAkK;AAAA,EAClK,4LAAkM;AAAA,EAClM,iQAAuQ;AAAA,EACvQ,qOAA2O;AAAA,EAC3O,kSAAwS;AAAA,EACxS,mWAAyW;AAAA,EACzW,shCAA4hC;AAAA,EAC5hC,2rBAAisB;AAAA,EACjsB,gSAAsS;AAAA,EACtS,gOAAsO;AAAA,EACtO,0WAAgX;AAAA,EAChX,yJAA+J;AAAA,EAC/J,8GAAoH;AAAA,EACpH,wcAA8c;AAAA,EAC9c,8VAAoW;AAAA,EACpW,6KAAmL;AAAA,EACnL,4LAAkM;AAAA,EAClM,uTAA6T;AAAA,EAC7T,+KAAqL;AAAA,EACrL,uMAA6M;AAAA,EAC7M,wLAA8L;AAAA,EAC9L,2RAAiS;AAAA,EACjS,wOAA8O;AAAA,EAC9O,wJAA8J;AAAA,EAC9J,qNAA2N;AAAA,EAC3N,0MAAgN;AAAA,EAChN,4KAAkL;AAAA,EAClL,gPAAsP;AAAA,EACtP,8wBAAoxB;AAAA,EACpxB,iNAAuN;AAAA,EACvN,yNAA+N;AAAA,EAC/N,+jBAAqkB;AAAA,EACrkB,wTAA8T;AAAA,EAC9T,gWAAsW;AAAA,EACtW,0KAAgL;AAAA,EAChL,2VAAiW;AAAA,EACjW,uMAA6M;AAAA,EAC7M,soBAA4oB;AAAA,EAC5oB,uOAA6O;AAAA,EAC7O,2GAAiH;AAAA,EACjH,2RAAiS;AAAA,EACjS,qTAA2T;AAAA,EAC3T,4FAAkG;AAAA,EAClG,6HAAmI;AAAA,EACnI,oJAA0J;AAAA,EAC1J,0FAAgG;AAAA,EAChG,4FAAkG;AAAA,EAClG,sLAA4L;AAAA,EAC5L,wIAA8I;AAAA,EAC9I,ieAAue;AAAA,EACve,owBAA0wB;AAAA,EAC1wB,gnDAAsnD;AAAA,EACtnD,4IAAkJ;AAAA,EAClJ,gMAAsM;AAAA,EACtM,yUAA+U;AAAA,EAC/U,2TAAiU;AAAA,EACjU,wJAA8J;AAAA,EAC9J,kKAAwK;AAAA,EACxK,s5BAA45B;AAAA,EAC55B,qXAA2X;AAAA,EAC3X,kgBAAwgB;AAAA,EACxgB,+lBAAqmB;AAAA,EACrmB,qYAA2Y;AAAA,EAC3Y,mLAAyL;AAAA,EACzL,uMAA6M;AAAA,EAC7M,sYAA4Y;AAAA,EAC5Y,uOAA6O;AAAA,EAC7O,g7BAAs7B;AAAA,EACt7B,4LAAkM;AAAA,EAClM,g6BAAs6B;AAAA,EACt6B,+OAAqP;AAAA,EACrP,2GAAiH;AAAA,EACjH,ysBAA+sB;AAAA,EAC/sB,wXAA8X;AAAA,EAC9X,65DAAm6D;AAAA,EACn6D,iKAAuK;AAAA,EACvK,k7EAAw7E;AAAA,EACx7E,kRAAwR;AAAA,EACxR,+KAAqL;AAAA,EACrL,kqFAAwqF;AAAA,EACxqF,wUAA8U;AAAA,EAC9U,6bAAmc;AAAA,EACnc,oXAA0X;AAAA,EAC1X,4IAAkJ;AAAA,EAClJ,wHAA8H;AAAA,EAC9H,wuBAA8uB;AAAA,EAC9uB,oQAA0Q;AAAA,EAC1Q,kaAAwa;AAAA,EACxa,iMAAuM;AAAA,EACvM,+TAAqU;AAAA,EACrU,4IAAkJ;AAAA,EAClJ,wIAA8I;AAAA,EAC9I,iNAAuN;AAAA,EACvN,yYAA+Y;AAAA,EAC/Y,8pBAAoqB;AAAA,EACpqB,uyBAA6yB;AAAA,EAC7yB,2TAAiU;AAAA,EACjU,wHAA8H;AAAA,EAC9H,qrBAA2rB;AAAA,EAC3rB,wbAA8b;AAAA,EAC9b,2cAAid;AAAA,EACjd,yOAA+O;AAAA,EAC/O,gIAAsI;AAAA,EACtI,+HAAqI;AAAA,EACrI,uSAA6S;AAAA,EAC7S,gaAAsa;AAAA,EACta,kIAAwI;AAAA,EACxI,6JAAmK;AAAA,EACnK,4QAAkR;AAAA,EAClR,sIAA4I;AAAA,EAC5I,6PAAmQ;AAAA,EACnQ,63BAAm4B;AAAA,EACn4B,iNAAuN;AAAA,EACvN,oKAA0K;AAAA,EAC1K,8MAAoN;AAAA,EACpN,0PAAgQ;AAAA,EAChQ,gMAAsM;AAAA,EACtM,oIAA0I;AAAA,EAC1I,gVAAsV;AAAA,EACtV,8XAAoY;AAAA,EACpY,u1BAA61B;AAAA,EAC71B,uXAA6X;AAAA,EAC7X,wQAA8Q;AAAA,EAC9Q,glBAAslB;AAAA,EACtlB,wQAA8Q;AAAA,EAC9Q,4rBAAksB;AAAA,EAClsB,qJAA2J;AAAA,EAC3J,wpBAA8pB;AAAA,EAC9pB,0FAAgG;AAAA,EAChG,0TAAgU;AAAA,EAChU,oJAA0J;AAAA,EAC1J,oOAA0O;AAAA,EAC1O,uJAA6J;AAAA,EAC7J,8HAAoI;AAAA,EACpI,6JAAmK;AAAA,EACnK,oKAA0K;AAAA,EAC1K,uIAA6I;AAAA,EAC7I,gPAAsP;AAAA,EACtP,6HAAmI;AAAA,EACnI,0GAAgH;AAAA,EAChH,gGAAsG;AAAA,EACtG,kGAAwG;AAAA,EACxG,yeAA+e;AAAA,EAC/e,oUAA0U;AAAA,EAC1U,wJAA8J;AAAA,EAC9J,wLAA8L;AAAA,EAC9L,+JAAqK;AAAA,EACrK,yJAA+J;AAAA,EAC/J,mJAAyJ;AAAA,EACzJ,0MAAgN;AAAA,EAChN,+QAAqR;AAAA,EACrR,iKAAuK;AAAA,EACvK,uHAA6H;AAAA,EAC7H,6RAAmS;AAAA,EACnS,2OAAiP;AAAA,EACjP,wVAA8V;AAAA,EAC9V,yJAA+J;AAAA,EAC/J,uMAA6M;AAAA,EAC7M,+FAAqG;AAAA,EACrG,0HAAgI;AAAA,EAChI,0IAAgJ;AAAA,EAChJ,gHAAsH;AAAA,EACtH,4HAAkI;AAAA,EAClI,sJAA4J;AAAA,EAC5J,oJAA0J;AAAA,EAC1J,6LAAmM;AAAA,EACnM,gJAAsJ;AAAA,EACtJ,gKAAsK;AAAA,EACtK,+FAAqG;AAAA,EACrG,iGAAuG;AAAA,EACvG,2JAAiK;AAAA,EACjK,yGAA+G;AAAA,EAC/G,mHAAyH;AAAA,EACzH,uFAA6F;AAAA,EAC7F,6EAAmF;AAAA,EACnF,4KAAkL;AAAA,EAClL,oMAA0M;AAAA,EAC1M,4KAAkL;AAAA,EAClL,8KAAoL;AAAA,EACpL,oLAA0L;AAAA,EAC1L,oLAA0L;AAAA,EAC1L,oHAA0H;AAAA,EAC1H,iIAAuI;AAAA,EACvI,kHAAwH;AAAA,EACxH,gGAAsG;AAAA,EACtG,oGAA0G;AAAA,EAC1G,gIAAsI;AAAA,EACtI,qHAA2H;AAAA,EAC3H,0FAAgG;AAAA,EAChG,yFAA+F;AAAA,EAC/F,gJAAsJ;AAAA,EACtJ,wHAA8H;AAAA,EAC9H,2PAAiQ;AAAA,EACjQ,mOAAyO;AAAA,EACzO,kSAAwS;AAAA,EACxS,2LAAiM;AAAA,EACjM,+KAAqL;AAAA,EACrL,0LAAgM;AAAA,EAChM,iYAAuY;AAAA,EACvY,oJAA0J;AAAA,EAC1J,gVAAsV;AAAA,EACtV,oNAA0N;AAAA,EAC1N,8FAAoG;AAAA,EACpG,0OAAgP;AAAA,EAChP,ubAA6b;AAAA,EAC7b,0GAAgH;AAAA,EAChH,2QAAiR;AAAA,EACjR,4KAAkL;AAAA,EAClL,qMAA2M;AAAA,EAC3M,iMAAuM;AAAA,EACvM,oOAA0O;AAAA,EAC1O,gJAAsJ;AAAA,EACtJ,wKAA8K;AAAA,EAC9K,kKAAwK;AAAA,EACxK,4JAAkK;AAAA,EAClK,mNAAyN;AAAA,EACzN,oVAA0V;AAAA,EAC1V,wLAA8L;AAAA,EAC9L,+TAAqU;AAAA,EACrU,gRAAsR;AAAA,EACtR,yKAA+K;AAAA,EAC/K,kRAAwR;AAAA,EACxR,qVAA2V;AAAA,EAC3V,gMAAsM;AAAA,EACtM,2LAAiM;AAAA,EACjM,0NAAgO;AAAA,EAChO,6JAAmK;AAAA,EACnK,kZAAwZ;AAAA,EACxZ,4XAAkY;AAAA,EAClY,yIAA+I;AAAA,EAC/I,8HAAoI;AAAA,EACpI,2TAAiU;AAAA,EACjU,6SAAmT;AAAA,EACnT,iaAAua;AAAA,EACva,0WAAgX;AAAA,EAChX,8eAAof;AAAA,EACpf,mbAAyb;AAAA,EACzb,oJAA0J;AAAA,EAC1J,kOAAwO;AAAA,EACxO,4LAAkM;AAAA,EAClM,sUAA4U;AAChV;AAgoCO,SAAS,QAAQ,QAAgB;AACtC,SAAQ,UAAkB,MAAM,KAAK,CAAC;AACxC;;;AFxsDA,IAAM,sBAAsB,QAAQ;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,CASnC;AAED,IAAM,uBAAuB,QAAQ;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,CAcpC;AAED,eAAe,qBACb,WACA;AACA,MAAI;AACF,UAAM,WAAW,IAAI,SAAS;AAE9B,UAAM,aAAa;AAAA,MACjB,OAAO,qBAAqB,SAAS;AAAA,MACrC,WAAW;AAAA,QACT,GAAG;AAAA,QACH,WAAW,UAAU,UAAU,IAAI,MAAM,IAAI;AAAA,MAC/C;AAAA,IACF;AAEA,UAAM,MAAM,OAAO;AAAA,MACjB,UAAU,UAAU,IAAI,CAAC,GAAG,MAAM,CAAC,OAAO,CAAC,GAAG,CAAC,uBAAuB,CAAC,EAAE,CAAC,CAAC;AAAA,IAC7E;AAEA,aAAS,IAAI,cAAc,KAAK,UAAU,UAAU,CAAC;AACrD,aAAS,IAAI,OAAO,KAAK,UAAU,GAAG,CAAC;AAEvC,aAAS,IAAI,GAAG,IAAI,UAAU,UAAU,QAAQ,KAAK,GAAG;AACtD,YAAM,OAAO,UAAU,UAAU,CAAC;AAClC,YAAM,WAAW,IAAI,KAAK,CAAC,MAAM,KAAK,YAAY,CAAC,GAAG,EAAE,MAAM,KAAK,KAAK,CAAC;AACzE,eAAS,OAAO,OAAO,CAAC,GAAG,UAAU,KAAK,IAAI;AAAA,IAChD;AAEA,UAAM,WAAW,MAAMC,OAAM,IAAI,QAAQ,WAAW;AAAA,MAClD,QAAQ;AAAA,MACR,SAAS;AAAA,QACP,aAAa,IAAI,cAAc;AAAA,QAC/B,QAAQ;AAAA,MACV;AAAA,MACA,MAAM;AAAA,IACR,CAAC;AAED,QAAI,CAAC,SAAS,IAAI;AAChB,YAAM,IAAI,MAAM,6BAA6B;AAAA,IAC/C;AAEA,UAAM,SAAU,MAAM,SAAS,KAAK;AAEpC,QAAI,OAAO,QAAQ;AACjB,cAAQ,MAAM,mBAAmB,OAAO,MAAM;AAC9C,YAAM,IAAI,MAAM,iCAAiC;AAAA,IACnD;AAEA,QAAI,CAAC,OAAO,MAAM;AAChB,YAAM,IAAI,MAAM,8BAA8B;AAAA,IAChD;AAEA,WAAO,OAAO;AAAA,EAChB,SAAS,OAAO;AACd,YAAQ,MAAM,+CAA+C,KAAK;AAClE,UAAM;AAAA,EACR;AACF;AAEA,IAAM,sBAAsB,OAAO,cAAiD;AAClF,MAAI;AACF,UAAM,WAAW,MAAMA,OAAM,IAAI,QAAQ,WAAW;AAAA,MAClD,QAAQ;AAAA,MACR,SAAS;AAAA,QACP,aAAa,IAAI,cAAc;AAAA,QAC/B,gBAAgB;AAAA,QAChB,QAAQ;AAAA,MACV;AAAA,MACA,MAAM,KAAK,UAAU;AAAA,QACnB,OAAO,oBAAoB,SAAS;AAAA,QACpC;AAAA,MACF,CAAC;AAAA,IACH,CAAC;AAED,QAAI,CAAC,SAAS,IAAI;AAChB,YAAM,IAAI,MAAM,6BAA6B;AAAA,IAC/C;AAEA,UAAM,SAAU,MAAM,SAAS,KAAK;AAEpC,QAAI,OAAO,QAAQ;AACjB,cAAQ,MAAM,mBAAmB,OAAO,MAAM;AAC9C,YAAM,IAAI,MAAM,sCAAsC;AAAA,IACxD;AAEA,QAAI,CAAC,OAAO,MAAM;AAChB,YAAM,IAAI,MAAM,8BAA8B;AAAA,IAChD;AAEA,WAAO,OAAO;AAAA,EAChB,SAAS,OAAO;AACd,YAAQ,MAAM,oCAAoC,KAAK;AACvD,UAAM;AAAA,EACR;AACF;AAEO,IAAM,YAAY,MAAM;AAC7B,SAAO;AAAA,IACL;AAAA,IACA;AAAA,EACF;AACF;;;AG1IA,SAAS,cAAc;AAGvB,eAAsB,kBAAkB,UAAgC;AAHxE,MAAAC;AAIE,UAAQ,IAAI,iDAA0C;AAGtD,QAAM,eAA+C,CAAC,YAAY,gBAAgB,cAAc;AAEhG,UAAQ,IAAI,oCAAoC;AAChD,MAAI,cAAc,CAAC;AAEnB,eAAa,IAAI,aAAW;AAC1B,UAAM,QAAQ,qCAAW;AACzB,QAAI,OAAO;AACT,YAAM,UACJ,QAAQ,SAAS,QAAQ,KAAK,QAAQ,SAAS,OAAO,IAClD,GAAG,MAAM,UAAU,GAAG,EAAE,CAAC,QACzB;AACN,cAAQ,IAAI,aAAQ,OAAO,KAAK,OAAO,EAAE;AAAA,IAC3C,OAAO;AACL,cAAQ,IAAI,aAAQ,OAAO,WAAW;AACtC,oBAAc;AAAA,IAChB;AAAA,EACF,CAAC;AAED,MAAI,aAAa;AACf,YAAQ,IAAI,+EAA0E;AACtF;AAAA,EACF;AAGA,UAAQ,IAAI,mCAAmC;AAE/C,QAAM,eAAe,IAAI,OAAO,KAAK,OAAO,SAAU,UAAW,SAAU,YAAa;AAGxF,UAAQ,IAAI,6BAA6B;AAEzC,MAAI;AACF,iBAAa,eAAe;AAAA,MAC1B,eAAe,SAAU;AAAA,IAC3B,CAAC;AAGD,UAAM,EAAE,YAAY,IAAI,MAAM,aAAa,mBAAmB;AAC9D,YAAQ,IAAI,kCAA6B;AACzC,YAAQ,IAAI,mCAA2BA,MAAA,YAAY,iBAAZ,gBAAAA,IAA0B,UAAU,GAAG,GAAG,KAAK;AAGtF,YAAQ,IAAI,gCAAgC;AAE5C,UAAMC,SAAQ,OAAO,MAAM,EAAE,SAAS,MAAM,MAAM,aAAa,CAAC;AAEhE,UAAM,UAAU,MAAMA,OAAM,MAAM,WAAW,EAAE,QAAQ,KAAK,CAAC;AAC7D,YAAQ,IAAI,uCAAkC;AAC9C,YAAQ,IAAI,uBAAgB,QAAQ,KAAK,YAAY,EAAE;AACvD,YAAQ,IAAI,gCAAyB,QAAQ,KAAK,aAAa,EAAE;AAGjE,YAAQ,IAAI,iCAAiC;AAE7C,QAAI;AAEF,UAAI;AACF,cAAMA,OAAM,MAAM,KAAK,EAAE,QAAQ,KAAK,CAAC;AACvC,gBAAQ,IAAI,qCAA8B;AAAA,MAC5C,SAAS,GAAG;AACV,cAAM,eAAgB,uBAAa;AACnC,gBAAQ,IAAI,+CAAqC,YAAY,EAAE;AAAA,MACjE;AAGA,YAAM,aAAY,qCAAU,mBAAkB;AAC9C,YAAM,aAAY,qCAAU,cAAa;AACzC,YAAM,gBAAgB,YAAY,SAAS,WAAW,SAAS;AAE/D,cAAQ,IAAI,0CAAmC,aAAa,EAAE;AAE9D,YAAM,gBAAgB,MAAMA,OAAM,MAAM,MAAM;AAAA,QAC5C,QAAQ;AAAA,QACR,aAAa;AAAA,UACX,WAAW;AAAA,UACX,UAAU,CAAC,OAAO;AAAA,QACpB;AAAA,MACF,CAAC;AAED,cAAQ,IAAI,mCAA8B;AAC1C,cAAQ;AAAA,QACN,4BAAqB,IAAI,KAAK,SAAS,cAAc,KAAK,UAAW,CAAC,EAAE,eAAe,CAAC;AAAA,MAC1F;AAAA,IACF,SAAS,YAAY;AACnB,cAAQ,IAAI,+BAA0B;AACtC,YAAM,eAAgB,yCAAsB;AAC5C,cAAQ,IAAI,gBAAgB,YAAY,EAAE;AAE1C,UAAI,6CAAc,SAAS,cAAc;AACvC,gBAAQ,IAAI,oDAA6C;AACzD,gBAAQ,IAAI,iEAA4D;AACxE,gBAAQ,IAAI,+CAA0C;AACtD,gBAAQ,IAAI,kDAA6C;AACzD,gBAAQ,IAAI,wDAAmD;AAAA,MACjE;AAAA,IACF;AAAA,EACF,SAAS,OAAO;AACd,YAAQ,IAAI,sCAAiC;AAC7C,UAAM,eAAgB,+BAAiB;AACvC,YAAQ,IAAI,gBAAgB,YAAY,EAAE;AAE1C,QAAI,6CAAc,SAAS,kBAAkB;AAC3C,cAAQ,IAAI,4CAAqC;AACjD,cAAQ,IAAI,6DAA6D;AACzE,cAAQ,IAAI,iEAAiE;AAC7E,cAAQ,IAAI,wEAAwE;AACpF,cAAQ,IAAI,6DAA6D;AACzE,cAAQ,IAAI,qEAAqE;AACjF,cAAQ,IAAI,kCAAkC;AAAA,IAChD;AAEA,UAAM,SAAS;AAAA,MACb;AAAA,MACA;AAAA,MACA;AAAA,IACF;AAEA,UAAM,UAAU,aAAa,gBAAgB;AAAA,MAC3C,aAAa;AAAA,MACb,OAAO;AAAA,MACP,QAAQ;AAAA;AAAA,IACV,CAAC;AACD,YAAQ,IAAI,uDAAgD;AAC5D,YAAQ,IAAI,gCAAyB,OAAO,EAAE;AAAA,EAChD;AAEA,UAAQ,IAAI,2CAAoC;AAClD;;;AJ9HO,IAAM,eAAN,MAAmB;AAAA,EAYxB,YAAoBC,MAAkB;AAAlB,eAAAA;AAClB,SAAK,WAAW,KAAK,IAAI;AACzB,SAAK,cAAc,KAAK,SAAS;AAEjC,UAAM,eAAe,IAAIC,QAAO,KAAK,OAAO,KAAK,SAAS,UAAU,KAAK,SAAS,YAAY;AAE9F,iBAAa,eAAe;AAAA,MAC1B,eAAe,KAAK,SAAS;AAAA,IAC/B,CAAC;AACD,iBAAa,eAAe;AAE5B,SAAK,QAAQA,QAAO,MAAM,EAAE,SAAS,MAAM,MAAM,aAAa,CAAC;AAE/D,SAAK,SAAS,UAAU;AAAA,EAC1B;AAAA,EAzBQ;AAAA,EACA;AAAA,EACD,aAAiD;AAAA,IACtD,MAAM;AAAA,IACN,WAAW;AAAA,IACX,QAAQ;AAAA,IACR,OAAO;AAAA,EACT;AAAA,EACO;AAAA,EACC;AAAA;AAAA,EAoBR,MAAc,WAAW,WAA2C;AAvCtE,QAAAC;AAwCI,QAAI;AACF,YAAM,WAAW,MAAM,KAAK,MAAM,MAAM,OAAO,KAAK,EAAE,QAAQ,KAAK,CAAC;AACpE,YAAM,SAAQA,MAAA,SAAS,KAAK,WAAd,gBAAAA,IAAsB,KAAK,OAAK,EAAE,SAAS;AACzD,cAAO,+BAAO,OAAM;AAAA,IACtB,SAAS,OAAO;AACd,cAAQ,MAAM,0BAA0B,KAAK;AAC7C,aAAO;AAAA,IACT;AAAA,EACF;AAAA,EAEA,MAAc,YAAY,MAA+B;AACvD,UAAM,WAAW,MAAM,KAAK,MAAM,MAAM,OAAO,OAAO;AAAA,MACpD,QAAQ;AAAA,MACR,aAAa;AAAA,QACX;AAAA,MACF;AAAA,IACF,CAAC;AACD,QAAI,CAAC,SAAS,KAAK,IAAI;AACrB,YAAM,IAAI,MAAM,wBAAwB;AAAA,IAC1C;AACA,WAAO,SAAS,KAAK;AAAA,EACvB;AAAA,EAEA,MAAc,cAAc;AAC1B,UAAM,WAAW,MAAM,KAAK,MAAM,MAAM,OAAO,KAAK,EAAE,QAAQ,KAAK,CAAC,EAAE,MAAM,SAAO;AACjF,YAAM,gCAAgC,GAAG;AAAA,IAC3C,CAAC;AACD,UAAM,SAAS,SAAS,KAAK,UAAU,CAAC;AAExC,UAAM,QAAQ;AAAA,MACZ,OAAO,KAAK,KAAK,UAAU,EAAE,IAAI,OAAM,QAAO;AAC5C,YAAI;AACF,gBAAM,OAAO,QAAQ,SAAS,KAAK,cAAc,GAAG,KAAK,WAAW,IAAI,GAAG;AAC3E,gBAAM,gBAAgB,OAAO,KAAK,WAAS,MAAM,SAAS,IAAI;AAC9D,eAAK,WAAW,GAAa,KAAI,+CAAe,OAAO,MAAM,KAAK,YAAY,IAAI;AAAA,QACpF,SAAS,GAAG;AACV,gBAAM,IAAI,MAAM,6BAA6B,GAAG,MAAM,CAAC,EAAE;AAAA,QAC3D;AAAA,MACF,CAAC;AAAA,IACH;AAAA,EACF;AAAA,EAEA,MAAc,0BAA0B,WAAqC;AAlF/E,QAAAA;AAmFI,QAAI;AACF,YAAM,UAAU,MAAM,KAAK,WAAW,KAAK,WAAW;AACtD,UAAI,CAAC,QAAS,QAAO;AAErB,YAAM,UAAU,MAAM,KAAK,MAAM,MAAM,SAAS,IAAI;AAAA,QAClD,QAAQ;AAAA,QACR,IAAI;AAAA,QACJ,QAAQ;AAAA,MACV,CAAC;AAED,eAAOA,MAAA,QAAQ,KAAK,aAAb,gBAAAA,IAAuB,SAAS,aAAY;AAAA,IACrD,SAAS,OAAO;AACd,cAAQ,MAAM,0BAA0B,KAAK;AAC7C,YAAM,IAAI,MAAM,+BAA+B;AAAA,IACjD;AAAA,EACF;AAAA,EAEA,MAAc,oBAAoB,WAAmB;AACnD,UAAM,KAAK,MAAM,MAAM,SACpB,OAAO;AAAA,MACN,IAAI;AAAA,MACJ,QAAQ;AAAA,MACR,aAAa;AAAA,QACX,aAAa,CAAC,KAAK,WAAW,MAAM;AAAA,QACpC,gBAAgB,CAAC,KAAK,WAAW,MAAM,KAAK,WAAW,WAAW,KAAK,WAAW,KAAK;AAAA,MACzF;AAAA,IACF,CAAmD,EAClD,MAAM,OAAK;AACV,cAAQ,MAAM,2BAA2B,SAAS,cAAc,CAAC,EAAE;AAAA,IACrE,CAAC;AAAA,EACL;AAAA,EAEA,MAAc,wBAAwB,WAAmB;AACvD,UAAM,KAAK,MAAM,MAAM,SACpB,OAAO;AAAA,MACN,IAAI;AAAA,MACJ,QAAQ;AAAA,MACR,aAAa;AAAA,QACX,aAAa,CAAC,KAAK,WAAW,SAAS;AAAA,QACvC,gBAAgB,CAAC,KAAK,WAAW,MAAM,KAAK,WAAW,QAAQ,KAAK,WAAW,KAAK;AAAA,MACtF;AAAA,IACF,CAAmD,EAClD,MAAM,OAAK;AACV,cAAQ,MAAM,2BAA2B,SAAS,kBAAkB,CAAC,EAAE;AAAA,IACzE,CAAC;AAAA,EACL;AAAA,EAEA,MAAc,oBAAoB,WAAmB;AACnD,UAAM,KAAK,MAAM,MAAM,SACpB,OAAO;AAAA,MACN,IAAI;AAAA,MACJ,QAAQ;AAAA,MACR,aAAa;AAAA,QACX,aAAa,CAAC,KAAK,WAAW,KAAK;AAAA,QACnC,gBAAgB,CAAC,KAAK,WAAW,MAAM,KAAK,WAAW,QAAQ,KAAK,WAAW,SAAS;AAAA,MAC1F;AAAA,IACF,CAAmD,EAClD,MAAM,OAAK;AACV,cAAQ,MAAM,2BAA2B,SAAS,cAAc,CAAC,EAAE;AAAA,IACrE,CAAC;AAAA,EACL;AAAA;AAAA,EAIA,MAAc,iBAAiB,SAAmD;AAChF,QAAI,UAA0B;AAC9B,QAAI;AACF,gBAAU,MAAM,SACb,OAAO;AAAA,QACN,MAAM,CAAC,gBAAgB,0BAA0B;AAAA,MACnD,CAAC,EACA,MAAM,OAAK;AACV,cAAM,IAAI,MAAM,4BAA4B,EAAE,OAAO,EAAE;AAAA,MACzD,CAAC;AAEH,YAAM,OAAO,MAAM,QAAQ,QAAQ,EAAE,MAAM,OAAK;AAC9C,cAAM,IAAI,MAAM,4BAA4B,EAAE,OAAO,EAAE;AAAA,MACzD,CAAC;AAED,YAAM,OAAO,MAAM,UAAU,SAAS,EAAE,KAAK,IAAI,CAAC,EAAE,MAAM,OAAK;AAC7D,cAAM,IAAI,MAAM,uBAAuB,EAAE,OAAO,EAAE;AAAA,MACpD,CAAC;AAED,YAAM,KACH,WAAW,MAAM;AAAA,QAChB,WAAW;AAAA;AAAA,MACb,CAAC,EACA,MAAM,OAAK;AACV,cAAM,IAAI,MAAM,+BAA+B,EAAE,OAAO,EAAE;AAAA,MAC5D,CAAC;AAEH,YAAM,SAAS,MAAM,KAAK,IAAI,EAAE,MAAM,OAAK;AACzC,cAAM,IAAI,MAAM,yBAAyB,EAAE,OAAO,EAAE;AAAA,MACtD,CAAC;AAED,YAAM,QAAQ,MAAM;AAEpB,YAAM,UAAU,OAAO,KAAK,MAAM,EAAE,SAAS,WAAW;AAExD,aAAO;AAAA,QACL,UAAU;AAAA,QACV;AAAA,QACA,UAAU;AAAA,MACZ;AAAA,IACF,SAAS,OAAO;AACd,YAAM,UAAU;AAChB,cAAQ,MAAM,GAAG,OAAO,KAAK,KAAK,EAAE;AACpC,YAAM,IAAI,MAAM,OAAO;AAAA,IACzB,UAAE;AAEA,aAAM,mCAAS;AAAA,IACjB;AAAA,EACF;AAAA,EAEQ,gBAAgB,MAAc,YAAmC;AACvE,UAAM,QAAQ;AACd,QAAI;AACJ,QAAI;AACF,YAAM,UAAU,IAAI,IAAI,UAAU;AAClC,cAAQ,QAAQ,MAAM,KAAK,IAAI,OAAO,MAAM;AAC1C,cAAM,YAAY,MAAM,CAAC;AACzB,YAAI;AACF,gBAAM,UAAU,IAAI,IAAI,SAAS;AACjC,cAAI,QAAQ,aAAa,QAAQ,UAAU;AACzC,mBAAO;AAAA,UACT;AAAA,QACF,QAAQ;AAAA,QAER;AAAA,MACF;AAAA,IACF,QAAQ;AAAA,IAER;AACA,WAAO;AAAA,EACT;AAAA,EAEA,MAAc,yBACZ,MACA,cACyC;AACzC,QAAI;AACF,YAAM,OAAO,KAAK,gBAAgB,MAAM,YAAY;AACpD,UAAI,CAAC,MAAM;AACT,eAAO;AAAA,MACT;AACA,YAAM,WAAW,MAAM,MAAM,IAAI;AACjC,YAAM,cAAc,SAAS,QAAQ,IAAI,cAAc;AAEvD,UAAI,2CAAa,SAAS,cAAc;AACtC,cAAM,OAAO,MAAM,SAAS,KAAK;AAEjC,cAAM,MAAM,MAAM,KAAK,iBAAiB,IAAI;AAC5C,eAAO;AAAA,MACT;AAEA,UAAI,2CAAa,SAAS,oBAAoB;AAC5C,cAAM,OAAO,MAAM,SAChB,YAAY,EACZ,KAAK,YAAU,OAAO,KAAK,MAAM,EAAE,SAAS,WAAW,CAAC;AAE3D,YAAI,CAAC,MAAM;AACT,iBAAO;AAAA,QACT;AAEA,eAAO;AAAA,UACL,UAAU;AAAA,UACV,SAAS;AAAA,UACT,UAAU;AAAA,QACZ;AAAA,MACF;AAEA,cAAQ,MAAM,sCAAsC,IAAI,KAAK,WAAW,EAAE;AAC1E,aAAO;AAAA,IACT,SAAS,GAAG;AACV,cAAQ,MAAM,8CAA8C,YAAY,KAAK,CAAC,EAAE;AAChF,aAAO;AAAA,IACT;AAAA,EACF;AAAA;AAAA,EAIQ,qBAAqB,SAAsC,UAAkB;AAxQvF,QAAAA;AAyQI,QAAI,OAAO;AAEX,QAAI,QAAQ,OAAO;AACjB,iBAAW,QAAQ,QAAQ,OAAO;AAChC,eAAO,KAAK,qBAAqB,MAAM,QAAQ,KAAK;AAAA,MACtD;AAAA,IACF,aACEA,MAAA,QAAQ,SAAR,gBAAAA,IAAc,SAAQ,QACtB,QAAQ,KAAK,gBAAgB,QAC7B,QAAQ,aAAa,UACrB;AACA,aAAO,OAAO,KAAK,QAAQ,KAAK,MAAM,QAAQ,EAAE,SAAS,MAAM;AAAA,IACjE;AAEA,WAAO;AAAA,EACT;AAAA,EAEQ,aAAa,SAA+C;AAClE,QAAI,CAAC,QAAS,QAAO;AAErB,UAAM,WAAW,KAAK,qBAAqB,SAAS,WAAW;AAC/D,QAAI,UAAU;AACZ,aAAO;AAAA,IACT;AACA,WAAO,KAAK,qBAAqB,SAAS,YAAY;AAAA,EACxD;AAAA,EAEA,MAAc,oBACZ,WACA,SAC0B;AAvS9B,QAAAA;AAwSI,QAAI,EAAC,mCAAS,OAAO,QAAO,CAAC;AAE7B,UAAM,cAA+B,CAAC;AAEtC,UAAM,kBAAkB,QAAQ,MAAM;AAAA,MACpC,UAAK;AA7SX,YAAAA,KAAA;AA8SQ,oBAAK,aAAa,qBACjB,KAAK,aAAa,gCAA8BA,MAAA,KAAK,aAAL,gBAAAA,IAAe,SAAS,cACzE,UAAK,aAAL,mBAAe,MAAM,KAAK,QAAO;AAAA;AAAA,IACrC;AACA,QAAI,gBAAgB,QAAQ;AAC1B,iBAAW,kBAAkB,iBAAiB;AAC5C,cAAM,aAAa,MAAM,KAAK,MAAM,MAAM,SAAS,YAChD,IAAI;AAAA,UACH,QAAQ;AAAA,UACR;AAAA,UACA,MAAIA,MAAA,eAAe,SAAf,gBAAAA,IAAqB,iBAAgB;AAAA,QAC3C,CAAC,EACA,MAAM,OAAK;AACV,gBAAM,iCAAiC,EAAE,OAAO;AAAA,QAClD,CAAC;AAEH,oBAAY,KAAK;AAAA,UACf,UAAU,eAAe,YAAY;AAAA,UACrC,SAAS,WAAW,KAAK,QAAQ;AAAA,UACjC,UAAU,eAAe,YAAY;AAAA,QACvC,CAAC;AAAA,MACH;AAAA,IACF;AACA,WAAO;AAAA,EACT;AAAA,EAEQ,oBAAoB,UAA0B;AACpD,UAAM,QAAQ,SAAS,MAAM,QAAQ;AACrC,QAAI,+BAAQ,IAAI;AACd,aAAO,MAAM,CAAC;AAAA,IAChB;AACA,WAAO;AAAA,EACT;AAAA,EAEA,MAAc,aAAa,WAA8C;AAhV3E,QAAAA,KAAA;AAiVI,QAAI;AACF,YAAM,WAAW,MAAM,KAAK,MAAM,MAAM,SAAS,IAAI;AAAA,QACnD,QAAQ;AAAA,QACR,IAAI;AAAA,QACJ,QAAQ;AAAA,MACV,CAAC;AAED,YAAM,UAAU,SAAS;AACzB,UAAI,CAAC,SAAS;AACZ,cAAM,KAAK,oBAAoB,SAAS;AACxC,eAAO;AAAA,MACT;AAEA,YAAM,YAAUA,MAAA,QAAQ,YAAR,gBAAAA,IAAiB,YAAW,CAAC;AAC7C,UAAI,SAAO,aAAQ,KAAK,OAAK,EAAE,SAAS,MAAM,MAAnC,mBAAsC,UAAS;AAE1D,UAAI,KAAK,SAAS,iCAAiC,GAAG;AAEpD,cAAM,KAAK,wBAAwB,SAAS;AAC5C,eAAO;AAAA,MACT;AAEA,UAAI,KAAK,SAAS,GAAG,GAAG;AACtB,eAAO,KAAK,oBAAoB,IAAI;AAAA,MACtC;AAEA,YAAM,YAAU,aAAQ,KAAK,OAAK,EAAE,SAAS,UAAU,MAAvC,mBAA0C,UAAS;AAEnE,YAAM,iBACJ,aAAQ,KAAK,OAAK,EAAE,SAAS,mBAAmB,MAAhD,mBAAmD,UACnD,KAAK;AAAA,UACH,aAAQ,KAAK,OAAK,EAAE,SAAS,iBAAiB,MAA9C,mBAAiD,UAAS,WAAW;AAAA,MACvE;AACF,YAAM,KAAK,KAAK,sBAAoB,aAAQ,KAAK,OAAK,EAAE,SAAS,IAAI,MAAjC,mBAAoC,UAAS,EAAE;AACnF,YAAM,YAAU,aAAQ,KAAK,OAAK,EAAE,SAAS,SAAS,MAAtC,mBAAyC,UAAS;AAClE,YAAM,SAAO,aAAQ,KAAK,OAAK,EAAE,SAAS,MAAM,MAAnC,mBAAsC,UAAS;AAC5D,YAAM,OAAO,KAAK,aAAa,QAAQ,OAAO;AAE9C,YAAM,YAAY;AAAA,QAChB,IAAI,QAAQ;AAAA,QACZ,UAAU,QAAQ;AAAA,QAClB;AAAA,QACA;AAAA,QACA;AAAA,QACA;AAAA,QACA;AAAA,QACA;AAAA,QACA,QAAQ,QAAQ,YAAY,CAAC;AAAA,QAC7B,YAAY,IAAI,KAAK,IAAI;AAAA,MAC3B;AAEA,YAAMC,aAAY,MAAM,KAAK,oBAAoB,WAAW,QAAQ,OAAO;AAE3E,aAAO,EAAE,GAAG,WAAW,WAAAA,WAAU;AAAA,IACnC,SAAS,OAAO;AACd,cAAQ,MAAM,yBAAyB,KAAK;AAC5C,YAAM,IAAI,MAAM,2BAA2B;AAAA,IAC7C;AAAA,EACF;AAAA,EAEQ,eAAe,WAA8B;AAGnD,UAAM,QAAQ;AAEd,UAAM,+BAA+B,CAAC,qBAAqB,iBAAiB,kBAAkB;AAE9F,UAAM,OAAO,UAAU;AACvB,UAAM,WAAW,KAAK,MAAM,IAAI,EAAE,IAAI,SAAO,IAAI,KAAK,CAAC;AACvD,eAAW,OAAO,UAAU;AAC1B,YAAM,QAAQ,IAAI,MAAM,KAAK;AAC7B,UAAI,+BAAQ,IAAI;AACd,cAAM,QAAQ,mBAAmB,MAAM,CAAC,CAAC;AACzC,YAAI,CAAC,6BAA6B,SAAS,MAAM,YAAY,CAAC,KAAK,CAAC,UAAU,SAAS;AACrF,iBAAO;AAAA,QACT;AAAA,MACF;AAAA,IACF;AAEA,UAAM,cAAc,CAAC,UAAU,cAAc,UAAU,IAAI,EAAE;AAAA,MAC3D,WAAS,CAAC,CAAC,SAAS,CAAC,6BAA6B,SAAS,MAAM,YAAY,CAAC;AAAA,IAChF;AAEA,QAAI,aAAa;AACf,aAAO;AAAA,IACT;AACA,QAAI,UAAU,SAAS;AACrB,aAAO,UAAU;AAAA,IACnB;AAEA,WAAO,UAAU;AAAA,EACnB;AAAA,EAEA,MAAa,cAAc,SAAmC;AA9ahE,QAAAD;AA+aI,QAAI,EAAC,mCAAS,IAAI;AAElB,QAAI;AACF,UAAI,MAAM,KAAK,0BAA0B,QAAQ,EAAE,GAAG;AACpD,cAAM,YAAY,MAAM,KAAK,aAAa,QAAQ,EAAE;AACpD,YAAI,CAAC,WAAW;AAEd;AAAA,QACF;AAEA,gBAAQ,IAAI,qBAAqB;AAAA,UAC/B,SAAS,UAAU;AAAA,UACnB,MAAM,UAAU;AAAA,UAChB,IAAI,UAAU;AAAA,QAChB,CAAC;AAED,cAAM,cAAc,KAAK,eAAe,SAAS;AACjD,cAAM,EAAE,qBAAAE,qBAAoB,IAAI,MAAM,KAAK,OACxC,oBAAoB;AAAA,UACnB,OAAO;AAAA,QACT,CAAC,EACA,MAAM,OAAK;AACV,kBAAQ,MAAM,kDAAkD,WAAW,KAAK,CAAC;AACjF,gBAAM,IAAI,MAAM,sCAAsC;AAAA,QACxD,CAAC;AAEH,cAAM,qBAAqD,CAAC;AAG5D,cAAM,qBAAgD,UAAU,aAAa,CAAC,GAAG;AAAA,UAC/E,SAAO;AA7cjB,gBAAAF;AA8cY,gBAAI,CAAC,IAAI,WAAW,CAAC,IAAI,SAAU,QAAO;AAE1C,gBAAIE,wBAAA,gBAAAA,qBAAqB,aAAa;AACpC,kBAAI,UAAU,IAAI,SAAS,MAAM,GAAG,EAAE,CAAC,EAAE,kBAAkB;AAC3D,kBAAI,YAAY,oBAAkBF,MAAA,IAAI,aAAJ,gBAAAA,IAAc,SAAS,UAAS;AAChE,oBAAI,WAAW;AACf,0BAAU;AAAA,cACZ;AACA,kBAAI,CAACE,qBAAoB,YAAY,SAAS,OAA8B,GAAG;AAC7E,uBAAO;AAAA,cACT;AAAA,YACF;AACA,mBAAO;AAAA,UACT;AAAA,QACF;AAEA,mBAAW,OAAO,mBAAmB;AACnC,6BAAmB,KAAK,GAAG;AAAA,QAC7B;AAGA,YAAI,EAACA,wBAAA,gBAAAA,qBAAqB,gBAAcA,wBAAA,gBAAAA,qBAAqB,eAAc,MAAM;AAC/E,gBAAM,MAAM,MAAM,KAAK,iBAAiB,UAAU,IAAI;AACtD,6BAAmB,KAAK,GAAG;AAAA,QAC7B;AAGA,aAAIF,MAAAE,wBAAA,gBAAAA,qBAAqB,uBAArB,gBAAAF,IAAyC,QAAQ;AACnD,qBAAW,QAAQE,qBAAoB,oBAAoB;AACzD,kBAAM,MAAM,MAAM,KAAK,yBAAyB,UAAU,MAAM,IAAI;AACpE,gBAAI,KAAK;AACP,iCAAmB,KAAK,GAAG;AAAA,YAC7B;AAAA,UACF;AAAA,QACF;AAEA,YAAI,mBAAmB,WAAW,GAAG;AACnC,kBAAQ,IAAI,2CAA2C,QAAQ,EAAE,aAAa;AAC9E,gBAAM,KAAK,oBAAoB,QAAQ,EAAE;AACzC;AAAA,QACF;AAEA,cAAM,kBAAkB,oBAAoB,UAAU,OAAO,WAAW,UAAU,IAAI,KAAK,UAAU,WAAW,aAAa,CAAC;AAC9H,cAAMD,aAAY,mBAAmB;AAAA,UACnC,SACE,IAAI,KAAK,CAAC,OAAO,KAAK,IAAI,SAAS,QAAQ,CAAC,GAAG,IAAI,UAAU;AAAA,YAC3D,MAAM,IAAI;AAAA,UACZ,CAAC;AAAA,QACL;AACA,cAAM,EAAE,sBAAAE,sBAAqB,IAAI,MAAM,KAAK,OACzC,qBAAqB;AAAA,UACpB,WAAAF;AAAA,UACA;AAAA,UACA,WAAW,QAAQ,MAAM;AAAA,UACzB,YAAYC,wBAAA,gBAAAA,qBAAqB;AAAA,QACnC,CAAC,EACA,MAAM,OAAK;AACV,kBAAQ,MAAM,kDAAkD,QAAQ,EAAE,KAAK,CAAC;AAChF,gBAAM,IAAI,MAAM,mCAAmC;AAAA,QACrD,CAAC;AACH,YAAI,CAACC,uBAAsB;AACzB,gBAAM,IAAI,MAAM,yCAAyC,QAAQ,EAAE,EAAE;AAAA,QACvE;AAEA,cAAM,KAAK,wBAAwB,QAAQ,EAAE;AAAA,MAC/C;AAAA,IACF,SAAS,OAAO;AACd,cAAQ,MAAM,6BAA6B,QAAQ,EAAE,KAAK,KAAK;AAC/D,YAAM,KAAK,oBAAoB,QAAQ,EAAE;AAAA,IAC3C;AAAA,EACF;AAAA,EAEA,MAAa,wBAA0C;AACrD,QAAI;AAEF,YAAM,WAAW,MAAM,KAAK,MAAM,MAAM,SAAS,KAAK;AAAA,QACpD,QAAQ;AAAA,QACR,YAAY;AAAA,QACZ,GAAG,MAAM,KAAK,SAAS,SAAS;AAAA,MAClC,CAAC;AAED,YAAM,WAAW,SAAS,KAAK,YAAY,CAAC;AAE5C,iBAAW,WAAW,UAAU;AAC9B,cAAM,KAAK,cAAc,OAAO;AAAA,MAClC;AAEA,aAAO;AAAA,IACT,SAAS,OAAO;AACd,cAAQ,MAAM,4BAA4B,KAAK;AAC/C,aAAO;AAAA,IACT;AAAA,EACF;AAAA,EAEA,MAAa,OAAO;AAClB,UAAM,kBAAkB,KAAK,QAAQ;AACrC,UAAM,KAAK,YAAY;AAAA,EACzB;AACF;;;AKhjBA,SAAS,cAAsD;AAIxD,IAAM,gBAAN,MAAM,eAAc;AAAA,EAgBzB,YACUC,MACA,cACR;AAFQ,eAAAA;AACA;AAER,QAAI,CAAC,KAAK,IAAI,OAAO;AACnB,YAAM,IAAI,MAAM,4CAA4C;AAAA,IAC9D;AACA,SAAK,WAAW,KAAK,IAAI;AACzB,SAAK,eAAe,IAAI,OAAO,EAAE,WAAW,KAAK,SAAS,eAAe,CAAC;AAAA,EAC5E;AAAA,EAxBA,OAAwB,mBAAmB;AAAA,EAC3C,OAAwB,yBAAyB;AAAA,EACjD,OAAwB,2BAA2B,KAAK,KAAK;AAAA;AAAA,EACrD;AAAA,EACA,eAAoC;AAAA,EACpC,QAAsB;AAAA,EACtB;AAAA,EACA,YAAgC;AAAA,EAChC,iBAAiB,oBAAI,IAAY;AAAA,EACjC,uBAA8C;AAAA,EAC9C,sBAA6C;AAAA,EAC7C,sBAAmC;AAAA,EACnC,eAAe;AAAA,EACf,cAAc;AAAA,EAatB,MAAc,yBAAyC;AACrD,QAAI,KAAK,MAAO,QAAO,KAAK;AAG5B,QAAI;AACF,YAAM,gBAAgB,KAAK,aAAa,MAAM,KAAK,SAAS,SAAS;AACrE,YAAM,CAAC,MAAM,IAAI,MAAM,cAAc,OAAO;AAC5C,UAAI,QAAQ;AACV,aAAK,QAAQ;AACb,eAAO;AAAA,MACT;AAAA,IACF,SAAS,OAAO;AACd,cAAQ,MAAM,4CAA4C,KAAK;AAAA,IACjE;AAGA,YAAQ;AAAA,MACN,wCAAwC,KAAK,SAAS,SAAS;AAAA,IACjE;AACA,UAAM,CAAC,KAAK,IAAI,MAAM,KAAK,aAAa,YAAY,KAAK,SAAS,SAAS;AAC3E,YAAQ,IAAI,wCAAwC,KAAK,SAAS,SAAS,EAAE;AAC7E,SAAK,QAAQ;AACb,WAAO;AAAA,EACT;AAAA,EAEA,MAAc,gCAAuD;AACnE,QAAI,KAAK,aAAc,QAAO,KAAK;AAEnC,SAAK,UAAU,MAAM,KAAK,uBAAuB;AAGjD,QAAI;AACF,YAAM,uBAAuB,KAAK,aAAa,aAAa,KAAK,SAAS,gBAAgB;AAC1F,YAAM,CAAC,MAAM,IAAI,MAAM,qBAAqB,OAAO;AACnD,UAAI,QAAQ;AACV,gBAAQ,IAAI,yCAAyC,KAAK,SAAS,gBAAgB,EAAE;AACrF,aAAK,eAAe;AACpB,eAAO;AAAA,MACT;AACA,cAAQ,IAAI,yCAAyC,KAAK,SAAS,gBAAgB,EAAE;AAAA,IACvF,SAAS,OAAO;AACd,cAAQ,MAAM,mDAAmD,KAAK;AAAA,IACxE;AAGA,YAAQ;AAAA,MACN,+CAA+C,KAAK,SAAS,gBAAgB,UAAU,KAAK,SAAS,SAAS;AAAA,IAChH;AACA,UAAM,CAAC,YAAY,IAAI,MAAM,KAAK,MAAM,mBAAmB,KAAK,SAAS,gBAAgB;AACzF,YAAQ,IAAI,+CAA+C,KAAK,SAAS,gBAAgB,EAAE;AAC3F,SAAK,eAAe;AACpB,WAAO;AAAA,EACT;AAAA,EAEA,MAAc,wBAAwB,WAAkC;AArF1E,QAAAC,KAAA;AAsFI,QAAI;AACF,UAAI,CAAC,KAAK,aAAa,WAAW,MAAM;AACtC,gBAAQ,MAAM,qDAAqD;AACnE;AAAA,MACF;AAEA,YAAM,UAAU,MAAM,KAAK,aAAa,MAAM,MAAM,QAAQ,KAAK;AAAA,QAC/D,gBAAgB,KAAK,aAAa;AAAA,QAClC,QAAQ;AAAA,MACV,CAAC;AAED,WAAI,MAAAA,MAAA,QAAQ,SAAR,gBAAAA,IAAc,YAAd,mBAAuB,QAAQ;AACjC,cAAM,gBAAgB,QAAQ,KAAK;AACnC,mBAAW,gBAAgB,eAAe;AACxC,cAAI,aAAa,aAAa;AAC5B,uBAAW,WAAW,aAAa,aAAa;AAC9C,mBAAI,wCAAS,aAAT,mBAAmB,SAAS,KAAK,aAAa,WAAW,OAAO;AAClE,sBAAM,MAAK,aAAQ,YAAR,mBAAiB;AAC5B,oBAAI,MAAM,CAAC,KAAK,eAAe,IAAI,EAAE,GAAG;AACtC,uBAAK,eAAe,IAAI,EAAE;AAC1B,sBAAI;AACF,0BAAM,KAAK,aAAa,cAAc,QAAQ,OAAO;AAAA,kBACvD,SAAS,OAAO;AACd,4BAAQ,MAAM,gCAAgC,EAAE,KAAK,KAAK;AAAA,kBAC5D;AACA,uBAAK,eAAe,OAAO,EAAE;AAAA,gBAC/B;AAAA,cACF;AAAA,YACF;AAAA,UACF;AAAA,QACF;AAAA,MACF;AAEA,WAAK,YAAY;AAAA,IACnB,SAAS,KAAK;AACZ,cAAQ,MAAM,wCAAwC,GAAG;AACzD,YAAM,IAAI,MAAM,gCAAgC,GAAG,EAAE;AAAA,IACvD;AAAA,EACF;AAAA,EAEA,MAAc,uBAAuB,WAAkC;AA9HzE,QAAAA,KAAA;AA+HI,UAAM,gBAAgB,YAAY,KAAK,SAAS,cAAc,WAAW,SAAS;AAElF,QAAI;AACF,YAAM,WAAW,MAAM,KAAK,aAAa,MAAM,MAAM,MAAM;AAAA,QACzD,QAAQ;AAAA,QACR,aAAa;AAAA,UACX,WAAW;AAAA,UACX,UAAU,CAAC,OAAO;AAAA;AAAA,QACpB;AAAA,MACF,CAAC;AAED,WAAIA,MAAA,qCAAU,SAAV,gBAAAA,IAAgB,WAAW;AAC7B,aAAK,YAAY,SAAS,KAAK;AAAA,MACjC;AAGA,WAAI,0CAAU,SAAV,mBAAgB,YAAY;AAC9B,cAAM,eAAe,SAAS,SAAS,KAAK,UAAU;AACtD,cAAM,MAAM,KAAK,IAAI;AACrB,cAAM,iBAAiB,IAAI,KAAK,YAAY;AAC5C,cAAM,cAAc,eAAe,MAAM,KAAK,KAAK,KAAK;AAExD,YAAI,KAAK,sBAAsB;AAC7B,uBAAa,KAAK,oBAAoB;AAAA,QACxC;AAEA,cAAM,aAAa,MAAM;AACvB,kBAAQ,IAAI,oDAAoD;AAChE,eAAK,uBAAuB,SAAS,EAAE,MAAM,WAAS;AACpD,oBAAQ;AAAA,cACN;AAAA,cACA;AAAA,YACF;AAEA,uBAAW,YAAY,IAAI,KAAK,GAAI;AAAA,UACtC,CAAC;AAAA,QACH;AAEA,aAAK,uBAAuB,WAAW,YAAY,KAAK,IAAI,aAAa,CAAC,CAAC;AAE3E,gBAAQ;AAAA,UACN;AAAA,gBACmB,eAAe,YAAY,CAAC,KAAK,KAAK,MAAM,cAAc,MAAO,KAAK,EAAE,CAAC;AAAA,uBAClE,IAAI,KAAK,MAAM,WAAW,EAAE,YAAY,CAAC;AAAA,QACrE;AAAA,MACF,OAAO;AACL,gBAAQ;AAAA,UACN;AAAA,QACF;AAAA,MACF;AAAA,IACF,SAAS,OAAO;AACd,cAAQ,MAAM,sDAAsD,KAAK;AACzE,YAAM;AAAA,IACR;AAAA,EACF;AAAA,EAEA,MAAa,iBAAgC;AAE3C,SAAK,UAAU,MAAM,KAAK,uBAAuB,EAAE,MAAM,WAAS;AAChE,cAAQ,MAAM,qDAAqD,KAAK;AACxE,YAAM;AAAA,IACR,CAAC;AAED,SAAK,iBAAiB,MAAM,KAAK,8BAA8B,EAAE,MAAM,WAAS;AAC9E,cAAQ,MAAM,4DAA4D,KAAK;AAC/E,YAAM;AAAA,IACR,CAAC;AAGD,UAAM,KAAK,uBAAuB,KAAK,SAAS,SAAS,EAAE,MAAM,WAAS;AACxE,cAAQ,MAAM,uDAAuD,KAAK;AAC1E,YAAM;AAAA,IACR,CAAC;AAED,YAAQ,IAAI,mDAAmD;AAE/D,SAAK,aAAa,GAAG,WAAW,OAAO,YAAqB;AAC1D,WAAK,sBAAsB,oBAAI,KAAK;AACpC,WAAK;AAEL,UAAI;AACF,cAAM,OAAO,KAAK,MAAM,QAAQ,KAAK,SAAS,CAAC;AAC/C,gBAAQ;AAAA,UACN,wCAAwC,KAAK,YAAY,OAAO,KAAK,oBAAoB,YAAY,CAAC;AAAA,UACtG,EAAE,WAAW,KAAK,UAAU;AAAA,QAC9B;AAGA,YAAI,KAAK,gBAAgB,KAAK,WAAW;AACvC,gBAAM,KAAK,wBAAwB,KAAK,SAAS;AAAA,QACnD,OAAO;AACL,kBAAQ,KAAK,kDAAkD;AAAA,YAC7D,WAAW,KAAK;AAAA,UAClB,CAAC;AAAA,QACH;AAEA,gBAAQ,IAAI;AAAA,MACd,SAAS,OAAO;AACd,gBAAQ,MAAM,sCAAsC,KAAK;AACzD,gBAAQ,MAAM,0BAA0B,QAAQ,KAAK,SAAS,CAAC;AAE/D,gBAAQ,IAAI;AAAA,MACd;AAAA,IACF,CAAC;AAED,SAAK,aAAa,GAAG,SAAS,CAAC,UAAiB;AAC9C,cAAQ,MAAM,wCAAuC,oBAAI,KAAK,GAAE,YAAY,CAAC,KAAK,KAAK;AACvF,cAAQ,MAAM,yBAAyB,MAAM,KAAK;AAElD,cAAQ,IAAI,2DAA2D;AACvE,WAAK,iBAAiB;AAAA,IACxB,CAAC;AAED,SAAK,aAAa,GAAG,SAAS,MAAM;AAClC,cAAQ,KAAK,yCAAwC,oBAAI,KAAK,GAAE,YAAY,CAAC,EAAE;AAC/E,WAAK,cAAc;AAAA,IACrB,CAAC;AAED,SAAK,cAAc;AACnB,YAAQ,IAAI,iDAAiD;AAG7D,SAAK,sBAAsB;AAAA,EAC7B;AAAA,EAEA,MAAc,mBAAkC;AAC9C,YAAQ,IAAI,iCAAiC;AAC7C,QAAI;AACF,WAAK,cAAc;AAEnB,YAAM,IAAI,QAAQ,aAAW,WAAW,SAAS,eAAc,gBAAgB,CAAC;AAChF,YAAM,KAAK,eAAe;AAAA,IAC5B,SAAS,OAAO;AACd,cAAQ,MAAM,wCAAwC,KAAK;AAE3D,iBAAW,MAAM,KAAK,iBAAiB,GAAG,eAAc,sBAAsB;AAAA,IAChF;AAAA,EACF;AAAA,EAEQ,wBAA8B;AACpC,QAAI,KAAK,qBAAqB;AAC5B,oBAAc,KAAK,mBAAmB;AAAA,IACxC;AAGA,SAAK,sBAAsB,YAAY,YAAY;AAhRvD,UAAAA;AAiRM,YAAM,MAAM,oBAAI,KAAK;AACrB,YAAM,uBAAuB,KAAK,uBAC7B,IAAI,QAAQ,IAAI,KAAK,oBAAoB,QAAQ,KAAK,MAAO,KAC9D;AAEJ,cAAQ;AAAA,QACN,mCAAmC,IAAI,YAAY,CAAC;AAAA,eAClC,KAAK,WAAW;AAAA,uBACR,KAAK,YAAY;AAAA,oBACtBA,MAAA,KAAK,wBAAL,gBAAAA,IAA0B,kBAAiB,OAAO;AAAA,qBAC/C,uBAAuB,GAAG,qBAAqB,QAAQ,CAAC,CAAC,aAAa,KAAK;AAAA,gBAChF,KAAK,aAAa,SAAS;AAAA,MAChD;AAEA,YAAM,YAAY,MAAM,KAAK,YAAY;AACzC,UAAI,WAAW;AACb,gBAAQ,IAAI,qCAAqC;AAAA,MACnD,OAAO;AACL,gBAAQ,MAAM,4DAA4D;AAC1E,cAAM,KAAK,iBAAiB;AAAA,MAC9B;AAAA,IACF,GAAG,eAAc,wBAAwB;AAEzC,YAAQ,IAAI,0DAA0D;AAAA,EACxE;AAAA,EAEO,gBAAsB;AA3S/B,QAAAA;AA4SI,QAAI,KAAK,sBAAsB;AAC7B,mBAAa,KAAK,oBAAoB;AACtC,WAAK,uBAAuB;AAAA,IAC9B;AAEA,QAAI,KAAK,qBAAqB;AAC5B,oBAAc,KAAK,mBAAmB;AACtC,WAAK,sBAAsB;AAAA,IAC7B;AAEA,KAAAA,MAAA,KAAK,iBAAL,gBAAAA,IAAmB;AACnB,SAAK,cAAc;AACnB,YAAQ,IAAI,8CAA8C;AAAA,EAC5D;AAAA,EAEA,MAAa,cAAgC;AAC3C,QAAI,CAAC,KAAK,cAAc;AACtB,cAAQ,MAAM,yCAAyC;AACvD,aAAO;AAAA,IACT;AAGA,QAAI,CAAC,KAAK,aAAa;AACrB,cAAQ,MAAM,yCAAyC;AACvD,aAAO;AAAA,IACT;AAGA,QAAI;AACF,YAAM,UAAU,MAAM,KAAK,aAAa,MAAM,MAAM,WAAW,EAAE,QAAQ,KAAK,CAAC;AAC/E,cAAQ,IAAI,mDAAmD,QAAQ,KAAK,YAAY,GAAG;AAC3F,aAAO;AAAA,IACT,SAAS,OAAO;AACd,cAAQ,MAAM,gDAAgD,KAAK;AACnE,aAAO;AAAA,IACT;AAAA,EACF;AACF;;;AC3UA,IAAM,qCAAqC,KAAK,KAAK,KAAK;AAC1D,IAAM,mBAAmB;AACzB,IAAM,sBAAsB;AAE5B,SAAS,4BAA4B,cAA4C;AAC/E,SAAO,YAAY,YAAY;AAC7B,QAAI;AACF,cAAQ,IAAI,6CAA6C;AACzD,YAAM,UAAU,MAAM,aAAa,sBAAsB;AACzD,UAAI,CAAC,SAAS;AACZ,gBAAQ,MAAM,yDAAyD;AAAA,MACzE;AAAA,IACF,SAAS,OAAO;AACd,cAAQ,MAAM,4CAA4C,KAAK;AAAA,IACjE;AAAA,EACF,GAAG,kCAAkC;AACvC;AAEA,eAAe,OAAO;AACpB,QAAM,eAAe,IAAI,aAAa,GAAG;AAEzC,MAAI;AACF,UAAM,aAAa,KAAK;AAExB,UAAM,gBAAgB,IAAI,cAAc,KAAK,YAAY;AAEzD,QAAI;AACF,YAAM,UAAU,MAAM,aAAa,sBAAsB;AACzD,UAAI,CAAC,SAAS;AACZ,gBAAQ,MAAM,yDAAyD;AAAA,MACzE;AAAA,IACF,SAAS,OAAO;AACd,cAAQ,MAAM,2CAA2C,KAAK;AAAA,IAChE;AAEA,UAAM,cAAc,eAAe;AACnC,gCAA4B,YAAY;AAAA,EAC1C,SAAS,OAAO;AACd,YAAQ,MAAM,uDAAuD,KAAK;AAC1E,UAAM;AAAA,EACR;AACF;AAEA,eAAe,YAAY;AACzB,WAAS,UAAU,GAAG,WAAW,kBAAkB,WAAW;AAC5D,QAAI;AACF,YAAM,KAAK;AACX;AAAA,IACF,SAAS,OAAO;AACd,YAAM,gBAAgB,YAAY;AAClC,cAAQ;AAAA,QACN,sCAAsC,OAAO,IAAI,gBAAgB;AAAA,QACjE;AAAA,MACF;AAEA,UAAI,eAAe;AACjB,gBAAQ,MAAM,qEAAqE;AACnF,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAEA,YAAM,IAAI,QAAQ,aAAW,WAAW,SAAS,mBAAmB,CAAC;AAAA,IACvE;AAAA,EACF;AACF;AAEA,KAAK,UAAU;","names":["google","fetch","fetch","_a","gmail","env","google","_a","documents","businessEmailConfig","insertEmailDocuments","env","_a"]}