SDK for Unified.to API
Unified.to API: One API to Rule Them All
- Installation
- SDK Example Usage
- Server Selection
- Custom HTTP Client
- Authentication
- Error Handling
- Requirements
- File uploads
- Retries
- Debugging
- Standalone functions
npm add @unified-api/typescript-sdk
yarn add @unified-api/typescript-sdk
import { UnifiedTo } from "@unified-api/typescript-sdk";
async function run() {
const sdk = new UnifiedTo({
security: {
jwt: "<YOUR_API_KEY_HERE>",
},
});
const res = await sdk.accounting.listAccountingAccounts({
connectionId: "<value>",
});
if (res.statusCode == 200) {
// handle response
console.log(res.accountingAccounts);
}
}
run();
You can override the default server globally by passing a server index to the serverIdx: number
optional parameter when initializing the SDK client instance. The selected server will then be used as the default on the operations that use it. This table lists the indexes associated with the available servers:
# | Server | Description |
---|---|---|
0 | https://api.unified.to |
North American data region |
1 | https://api-eu.unified.to |
European data region |
2 | https://api-au.unified.to |
Australian data region |
import { UnifiedTo } from "@unified-api/typescript-sdk";
const unifiedTo = new UnifiedTo({
serverIdx: 2,
security: {
jwt: "<YOUR_API_KEY_HERE>",
},
});
async function run() {
const result = await unifiedTo.accounting.createAccountingAccount({
accountingAccount: {},
connectionId: "<id>",
});
console.log(result);
}
run();
The default server can also be overridden globally by passing a URL to the serverURL: string
optional parameter when initializing the SDK client instance. For example:
import { UnifiedTo } from "@unified-api/typescript-sdk";
const unifiedTo = new UnifiedTo({
serverURL: "https://api-au.unified.to",
security: {
jwt: "<YOUR_API_KEY_HERE>",
},
});
async function run() {
const result = await unifiedTo.accounting.createAccountingAccount({
accountingAccount: {},
connectionId: "<id>",
});
console.log(result);
}
run();
The TypeScript SDK makes API calls using an HTTPClient
that wraps the native
Fetch API. This
client is a thin wrapper around fetch
and provides the ability to attach hooks
around the request lifecycle that can be used to modify the request or handle
errors and response.
The HTTPClient
constructor takes an optional fetcher
argument that can be
used to integrate a third-party HTTP client or when writing tests to mock out
the HTTP client and feed in fixtures.
The following example shows how to use the "beforeRequest"
hook to to add a
custom header and a timeout to requests and how to use the "requestError"
hook
to log errors:
import { UnifiedTo } from "@unified-api/typescript-sdk";
import { HTTPClient } from "@unified-api/typescript-sdk/lib/http";
const httpClient = new HTTPClient({
// fetcher takes a function that has the same signature as native `fetch`.
fetcher: (request) => {
return fetch(request);
}
});
httpClient.addHook("beforeRequest", (request) => {
const nextRequest = new Request(request, {
signal: request.signal || AbortSignal.timeout(5000)
});
nextRequest.headers.set("x-custom-header", "custom value");
return nextRequest;
});
httpClient.addHook("requestError", (error, request) => {
console.group("Request Error");
console.log("Reason:", `${error}`);
console.log("Endpoint:", `${request.method} ${request.url}`);
console.groupEnd();
});
const sdk = new UnifiedTo({ httpClient });
This SDK supports the following security scheme globally:
Name | Type | Scheme |
---|---|---|
jwt |
apiKey | API key |
You can set the security parameters through the security
optional parameter when initializing the SDK client instance. For example:
import { UnifiedTo } from "@unified-api/typescript-sdk";
const unifiedTo = new UnifiedTo({
security: {
jwt: "<YOUR_API_KEY_HERE>",
},
});
async function run() {
const result = await unifiedTo.accounting.createAccountingAccount({
accountingAccount: {},
connectionId: "<id>",
});
console.log(result);
}
run();
UnifiedToError
is the base class for all HTTP error responses. It has the following properties:
Property | Type | Description |
---|---|---|
error.message |
string |
Error message |
error.statusCode |
number |
HTTP response status code eg 404
|
error.headers |
Headers |
HTTP response headers |
error.body |
string |
HTTP body. Can be empty string if no body is returned. |
error.rawResponse |
Response |
Raw HTTP response |
import { UnifiedTo } from "@unified-api/typescript-sdk";
import * as errors from "@unified-api/typescript-sdk/sdk/models/errors";
const unifiedTo = new UnifiedTo({
security: {
jwt: "<YOUR_API_KEY_HERE>",
},
});
async function run() {
try {
const result = await unifiedTo.accounting.createAccountingAccount({
accountingAccount: {},
connectionId: "<id>",
});
console.log(result);
} catch (error) {
if (error instanceof errors.UnifiedToError) {
console.log(error.message);
console.log(error.statusCode);
console.log(error.body);
console.log(error.headers);
}
}
}
run();
Primary error:
-
UnifiedToError
: The base class for HTTP error responses.
Less common errors (6)
Network errors:
-
ConnectionError
: HTTP client was unable to make a request to a server. -
RequestTimeoutError
: HTTP request timed out due to an AbortSignal signal. -
RequestAbortedError
: HTTP request was aborted by the client. -
InvalidRequestError
: Any input used to create a request is invalid. -
UnexpectedClientError
: Unrecognised or unexpected error.
Inherit from UnifiedToError
:
-
ResponseValidationError
: Type mismatch between the data returned from the server and the structure expected by the SDK. Seeerror.rawValue
for the raw value anderror.pretty()
for a nicely formatted multi-line string.
For supported JavaScript runtimes, please consult RUNTIMES.md.
Certain SDK methods accept files as part of a multi-part request. It is possible and typically recommended to upload files as a stream rather than reading the entire contents into memory. This avoids excessive memory consumption and potentially crashing with out-of-memory errors when working with very large files. The following example demonstrates how to attach a file stream to a request.
[!TIP]
Depending on your JavaScript runtime, there are convenient utilities that return a handle to a file without reading the entire contents into memory:
- Node.js v20+: Since v20, Node.js comes with a native
openAsBlob
function innode:fs
.- Bun: The native
Bun.file
function produces a file handle that can be used for streaming file uploads.- Browsers: All supported browsers return an instance to a
File
when reading the value from an<input type="file">
element.- Node.js v18: A file stream can be created using the
fileFrom
helper fromfetch-blob/from.js
.
import { UnifiedTo } from "@unified-api/typescript-sdk";
const unifiedTo = new UnifiedTo({
security: {
jwt: "<YOUR_API_KEY_HERE>",
},
});
async function run() {
const result = await unifiedTo.passthrough.createPassthroughRaw({
connectionId: "<id>",
path: "/var/log",
});
console.log(result);
}
run();
Some of the endpoints in this SDK support retries. If you use the SDK without any configuration, it will fall back to the default retry strategy provided by the API. However, the default retry strategy can be overridden on a per-operation basis, or across the entire SDK.
To change the default retry strategy for a single API call, simply provide a retryConfig object to the call:
import { UnifiedTo } from "@unified-api/typescript-sdk";
const unifiedTo = new UnifiedTo({
security: {
jwt: "<YOUR_API_KEY_HERE>",
},
});
async function run() {
const result = await unifiedTo.accounting.createAccountingAccount({
accountingAccount: {},
connectionId: "<id>",
}, {
retries: {
strategy: "backoff",
backoff: {
initialInterval: 1,
maxInterval: 50,
exponent: 1.1,
maxElapsedTime: 100,
},
retryConnectionErrors: false,
},
});
console.log(result);
}
run();
If you'd like to override the default retry strategy for all operations that support retries, you can provide a retryConfig at SDK initialization:
import { UnifiedTo } from "@unified-api/typescript-sdk";
const unifiedTo = new UnifiedTo({
retryConfig: {
strategy: "backoff",
backoff: {
initialInterval: 1,
maxInterval: 50,
exponent: 1.1,
maxElapsedTime: 100,
},
retryConnectionErrors: false,
},
security: {
jwt: "<YOUR_API_KEY_HERE>",
},
});
async function run() {
const result = await unifiedTo.accounting.createAccountingAccount({
accountingAccount: {},
connectionId: "<id>",
});
console.log(result);
}
run();
You can setup your SDK to emit debug logs for SDK requests and responses.
You can pass a logger that matches console
's interface as an SDK option.
[!WARNING] Beware that debug logging will reveal secrets, like API tokens in headers, in log messages printed to a console or files. It's recommended to use this feature only during local development and not in production.
import { UnifiedTo } from "@unified-api/typescript-sdk";
const sdk = new UnifiedTo({ debugLogger: console });
All the methods listed above are available as standalone functions. These functions are ideal for use in applications running in the browser, serverless runtimes or other environments where application bundle size is a primary concern. When using a bundler to build your application, all unused functionality will be either excluded from the final bundle or tree-shaken away.
To read more about standalone functions, check FUNCTIONS.md.
Available standalone functions
-
accountingCreateAccountingAccount
- Create an account -
accountingCreateAccountingAccount
- Create an account -
accountingCreateAccountingContact
- Create a contact -
accountingCreateAccountingContact
- Create a contact -
accountingCreateAccountingInvoice
- Create an invoice -
accountingCreateAccountingInvoice
- Create an invoice -
accountingCreateAccountingJournal
- Create a journal -
accountingCreateAccountingJournal
- Create a journal -
accountingCreateAccountingOrder
- Create an order -
accountingCreateAccountingOrder
- Create an order -
accountingCreateAccountingTaxrate
- Create a taxrate -
accountingCreateAccountingTaxrate
- Create a taxrate -
accountingCreateAccountingTransaction
- Create a transaction -
accountingCreateAccountingTransaction
- Create a transaction -
accountingGetAccountingAccount
- Retrieve an account -
accountingGetAccountingAccount
- Retrieve an account -
accountingGetAccountingContact
- Retrieve a contact -
accountingGetAccountingContact
- Retrieve a contact -
accountingGetAccountingInvoice
- Retrieve an invoice -
accountingGetAccountingInvoice
- Retrieve an invoice -
accountingGetAccountingJournal
- Retrieve a journal -
accountingGetAccountingJournal
- Retrieve a journal -
accountingGetAccountingOrder
- Retrieve an order -
accountingGetAccountingOrder
- Retrieve an order -
accountingGetAccountingOrganization
- Retrieve an organization -
accountingGetAccountingOrganization
- Retrieve an organization -
accountingGetAccountingReport
- Retrieve a report -
accountingGetAccountingReport
- Retrieve a report -
accountingGetAccountingTaxrate
- Retrieve a taxrate -
accountingGetAccountingTaxrate
- Retrieve a taxrate -
accountingGetAccountingTransaction
- Retrieve a transaction -
accountingGetAccountingTransaction
- Retrieve a transaction -
accountingListAccountingAccounts
- List all accounts -
accountingListAccountingAccounts
- List all accounts -
accountingListAccountingContacts
- List all contacts -
accountingListAccountingContacts
- List all contacts -
accountingListAccountingInvoices
- List all invoices -
accountingListAccountingInvoices
- List all invoices -
accountingListAccountingJournals
- List all journals -
accountingListAccountingJournals
- List all journals -
accountingListAccountingOrders
- List all orders -
accountingListAccountingOrders
- List all orders -
accountingListAccountingOrganizations
- List all organizations -
accountingListAccountingOrganizations
- List all organizations -
accountingListAccountingReports
- List all reports -
accountingListAccountingReports
- List all reports -
accountingListAccountingTaxrates
- List all taxrates -
accountingListAccountingTaxrates
- List all taxrates -
accountingListAccountingTransactions
- List all transactions -
accountingListAccountingTransactions
- List all transactions -
accountingPatchAccountingAccount
- Update an account -
accountingPatchAccountingAccount
- Update an account -
accountingPatchAccountingContact
- Update a contact -
accountingPatchAccountingContact
- Update a contact -
accountingPatchAccountingInvoice
- Update an invoice -
accountingPatchAccountingInvoice
- Update an invoice -
accountingPatchAccountingJournal
- Update a journal -
accountingPatchAccountingJournal
- Update a journal -
accountingPatchAccountingOrder
- Update an order -
accountingPatchAccountingOrder
- Update an order -
accountingPatchAccountingTaxrate
- Update a taxrate -
accountingPatchAccountingTaxrate
- Update a taxrate -
accountingPatchAccountingTransaction
- Update a transaction -
accountingPatchAccountingTransaction
- Update a transaction -
accountingRemoveAccountingAccount
- Remove an account -
accountingRemoveAccountingAccount
- Remove an account -
accountingRemoveAccountingContact
- Remove a contact -
accountingRemoveAccountingContact
- Remove a contact -
accountingRemoveAccountingInvoice
- Remove an invoice -
accountingRemoveAccountingInvoice
- Remove an invoice -
accountingRemoveAccountingJournal
- Remove a journal -
accountingRemoveAccountingJournal
- Remove a journal -
accountingRemoveAccountingOrder
- Remove an order -
accountingRemoveAccountingOrder
- Remove an order -
accountingRemoveAccountingTaxrate
- Remove a taxrate -
accountingRemoveAccountingTaxrate
- Remove a taxrate -
accountingRemoveAccountingTransaction
- Remove a transaction -
accountingRemoveAccountingTransaction
- Remove a transaction -
accountingUpdateAccountingAccount
- Update an account -
accountingUpdateAccountingAccount
- Update an account -
accountingUpdateAccountingContact
- Update a contact -
accountingUpdateAccountingContact
- Update a contact -
accountingUpdateAccountingInvoice
- Update an invoice -
accountingUpdateAccountingInvoice
- Update an invoice -
accountingUpdateAccountingJournal
- Update a journal -
accountingUpdateAccountingJournal
- Update a journal -
accountingUpdateAccountingOrder
- Update an order -
accountingUpdateAccountingOrder
- Update an order -
accountingUpdateAccountingTaxrate
- Update a taxrate -
accountingUpdateAccountingTaxrate
- Update a taxrate -
accountingUpdateAccountingTransaction
- Update a transaction -
accountingUpdateAccountingTransaction
- Update a transaction -
atsCreateAtsActivity
- Create an activity -
atsCreateAtsActivity
- Create an activity -
atsCreateAtsApplication
- Create an application -
atsCreateAtsApplication
- Create an application -
atsCreateAtsCandidate
- Create a candidate -
atsCreateAtsCandidate
- Create a candidate -
atsCreateAtsDocument
- Create a document -
atsCreateAtsDocument
- Create a document -
atsCreateAtsInterview
- Create an interview -
atsCreateAtsInterview
- Create an interview -
atsCreateAtsJob
- Create a job -
atsCreateAtsJob
- Create a job -
atsCreateAtsScorecard
- Create a scorecard -
atsCreateAtsScorecard
- Create a scorecard -
atsGetAtsActivity
- Retrieve an activity -
atsGetAtsActivity
- Retrieve an activity -
atsGetAtsApplication
- Retrieve an application -
atsGetAtsApplication
- Retrieve an application -
atsGetAtsCandidate
- Retrieve a candidate -
atsGetAtsCandidate
- Retrieve a candidate -
atsGetAtsCompany
- Retrieve a company -
atsGetAtsCompany
- Retrieve a company -
atsGetAtsDocument
- Retrieve a document -
atsGetAtsDocument
- Retrieve a document -
atsGetAtsInterview
- Retrieve an interview -
atsGetAtsInterview
- Retrieve an interview -
atsGetAtsJob
- Retrieve a job -
atsGetAtsJob
- Retrieve a job -
atsGetAtsScorecard
- Retrieve a scorecard -
atsGetAtsScorecard
- Retrieve a scorecard -
atsListAtsActivities
- List all activities -
atsListAtsActivities
- List all activities -
atsListAtsApplications
- List all applications -
atsListAtsApplications
- List all applications -
atsListAtsApplicationstatuses
- List all applicationstatuses -
atsListAtsApplicationstatuses
- List all applicationstatuses -
atsListAtsCandidates
- List all candidates -
atsListAtsCandidates
- List all candidates -
atsListAtsCompanies
- List all companies -
atsListAtsCompanies
- List all companies -
atsListAtsDocuments
- List all documents -
atsListAtsDocuments
- List all documents -
atsListAtsInterviews
- List all interviews -
atsListAtsInterviews
- List all interviews -
atsListAtsJobs
- List all jobs -
atsListAtsJobs
- List all jobs -
atsListAtsScorecards
- List all scorecards -
atsListAtsScorecards
- List all scorecards -
atsPatchAtsActivity
- Update an activity -
atsPatchAtsActivity
- Update an activity -
atsPatchAtsApplication
- Update an application -
atsPatchAtsApplication
- Update an application -
atsPatchAtsCandidate
- Update a candidate -
atsPatchAtsCandidate
- Update a candidate -
atsPatchAtsDocument
- Update a document -
atsPatchAtsDocument
- Update a document -
atsPatchAtsInterview
- Update an interview -
atsPatchAtsInterview
- Update an interview -
atsPatchAtsJob
- Update a job -
atsPatchAtsJob
- Update a job -
atsPatchAtsScorecard
- Update a scorecard -
atsPatchAtsScorecard
- Update a scorecard -
atsRemoveAtsActivity
- Remove an activity -
atsRemoveAtsActivity
- Remove an activity -
atsRemoveAtsApplication
- Remove an application -
atsRemoveAtsApplication
- Remove an application -
atsRemoveAtsCandidate
- Remove a candidate -
atsRemoveAtsCandidate
- Remove a candidate -
atsRemoveAtsDocument
- Remove a document -
atsRemoveAtsDocument
- Remove a document -
atsRemoveAtsInterview
- Remove an interview -
atsRemoveAtsInterview
- Remove an interview -
atsRemoveAtsJob
- Remove a job -
atsRemoveAtsJob
- Remove a job -
atsRemoveAtsScorecard
- Remove a scorecard -
atsRemoveAtsScorecard
- Remove a scorecard -
atsUpdateAtsActivity
- Update an activity -
atsUpdateAtsActivity
- Update an activity -
atsUpdateAtsApplication
- Update an application -
atsUpdateAtsApplication
- Update an application -
atsUpdateAtsCandidate
- Update a candidate -
atsUpdateAtsCandidate
- Update a candidate -
atsUpdateAtsDocument
- Update a document -
atsUpdateAtsDocument
- Update a document -
atsUpdateAtsInterview
- Update an interview -
atsUpdateAtsInterview
- Update an interview -
atsUpdateAtsJob
- Update a job -
atsUpdateAtsJob
- Update a job -
atsUpdateAtsScorecard
- Update a scorecard -
atsUpdateAtsScorecard
- Update a scorecard -
authGetUnifiedIntegrationLogin
- Sign in a user -
authGetUnifiedIntegrationLogin
- Sign in a user -
calendarCreateCalendarCalendar
- Create a calendar -
calendarCreateCalendarEvent
- Create an event -
calendarCreateCalendarEvent
- Create an event -
calendarCreateCalendarLink
- Create a link -
calendarCreateCalendarLink
- Create a link -
calendarGetCalendarCalendar
- Retrieve a calendar -
calendarGetCalendarEvent
- Retrieve an event -
calendarGetCalendarEvent
- Retrieve an event -
calendarGetCalendarLink
- Retrieve a link -
calendarGetCalendarLink
- Retrieve a link -
calendarGetCalendarRecording
- Retrieve a recording -
calendarGetCalendarRecording
- Retrieve a recording -
calendarListCalendarBusies
- List all busies -
calendarListCalendarBusies
- List all busies -
calendarListCalendarCalendars
- List all calendars -
calendarListCalendarEvents
- List all events -
calendarListCalendarEvents
- List all events -
calendarListCalendarLinks
- List all links -
calendarListCalendarLinks
- List all links -
calendarListCalendarRecordings
- List all recordings -
calendarListCalendarRecordings
- List all recordings -
calendarPatchCalendarCalendar
- Update a calendar -
calendarPatchCalendarEvent
- Update an event -
calendarPatchCalendarEvent
- Update an event -
calendarPatchCalendarLink
- Update a link -
calendarPatchCalendarLink
- Update a link -
calendarRemoveCalendarCalendar
- Remove a calendar -
calendarRemoveCalendarEvent
- Remove an event -
calendarRemoveCalendarEvent
- Remove an event -
calendarRemoveCalendarLink
- Remove a link -
calendarRemoveCalendarLink
- Remove a link -
calendarUpdateCalendarCalendar
- Update a calendar -
calendarUpdateCalendarEvent
- Update an event -
calendarUpdateCalendarEvent
- Update an event -
calendarUpdateCalendarLink
- Update a link -
calendarUpdateCalendarLink
- Update a link -
commentCreateTaskComment
- Create a comment -
commentCreateTaskComment
- Create a comment -
commentCreateUcComment
- Create a comment -
commentCreateUcComment
- Create a comment -
commentGetTaskComment
- Retrieve a comment -
commentGetTaskComment
- Retrieve a comment -
commentGetUcComment
- Retrieve a comment -
commentGetUcComment
- Retrieve a comment -
commentListTaskComments
- List all comments -
commentListTaskComments
- List all comments -
commentListUcComments
- List all comments -
commentListUcComments
- List all comments -
commentPatchTaskComment
- Update a comment -
commentPatchTaskComment
- Update a comment -
commentPatchUcComment
- Update a comment -
commentPatchUcComment
- Update a comment -
commentRemoveTaskComment
- Remove a comment -
commentRemoveTaskComment
- Remove a comment -
commentRemoveUcComment
- Remove a comment -
commentRemoveUcComment
- Remove a comment -
commentUpdateTaskComment
- Update a comment -
commentUpdateTaskComment
- Update a comment -
commentUpdateUcComment
- Update a comment -
commentUpdateUcComment
- Update a comment -
commerceCreateCommerceCollection
- Create a collection -
commerceCreateCommerceCollection
- Create a collection -
commerceCreateCommerceInventory
- Create an inventory -
commerceCreateCommerceInventory
- Create an inventory -
commerceCreateCommerceItem
- Create an item -
commerceCreateCommerceItem
- Create an item -
commerceCreateCommerceLocation
- Create a location -
commerceCreateCommerceLocation
- Create a location -
commerceCreateCommerceReview
- Create a review -
commerceCreateCommerceReview
- Create a review -
commerceGetCommerceCollection
- Retrieve a collection -
commerceGetCommerceCollection
- Retrieve a collection -
commerceGetCommerceInventory
- Retrieve an inventory -
commerceGetCommerceInventory
- Retrieve an inventory -
commerceGetCommerceItem
- Retrieve an item -
commerceGetCommerceItem
- Retrieve an item -
commerceGetCommerceLocation
- Retrieve a location -
commerceGetCommerceLocation
- Retrieve a location -
commerceGetCommerceReview
- Retrieve a review -
commerceGetCommerceReview
- Retrieve a review -
commerceListCommerceCollections
- List all collections -
commerceListCommerceCollections
- List all collections -
commerceListCommerceInventories
- List all inventories -
commerceListCommerceInventories
- List all inventories -
commerceListCommerceItems
- List all items -
commerceListCommerceItems
- List all items -
commerceListCommerceLocations
- List all locations -
commerceListCommerceLocations
- List all locations -
commerceListCommerceReviews
- List all reviews -
commerceListCommerceReviews
- List all reviews -
commercePatchCommerceCollection
- Update a collection -
commercePatchCommerceCollection
- Update a collection -
commercePatchCommerceInventory
- Update an inventory -
commercePatchCommerceInventory
- Update an inventory -
commercePatchCommerceItem
- Update an item -
commercePatchCommerceItem
- Update an item -
commercePatchCommerceLocation
- Update a location -
commercePatchCommerceLocation
- Update a location -
commercePatchCommerceReview
- Update a review -
commercePatchCommerceReview
- Update a review -
commerceRemoveCommerceCollection
- Remove a collection -
commerceRemoveCommerceCollection
- Remove a collection -
commerceRemoveCommerceInventory
- Remove an inventory -
commerceRemoveCommerceInventory
- Remove an inventory -
commerceRemoveCommerceItem
- Remove an item -
commerceRemoveCommerceItem
- Remove an item -
commerceRemoveCommerceLocation
- Remove a location -
commerceRemoveCommerceLocation
- Remove a location -
commerceRemoveCommerceReview
- Remove a review -
commerceRemoveCommerceReview
- Remove a review -
commerceUpdateCommerceCollection
- Update a collection -
commerceUpdateCommerceCollection
- Update a collection -
commerceUpdateCommerceInventory
- Update an inventory -
commerceUpdateCommerceInventory
- Update an inventory -
commerceUpdateCommerceItem
- Update an item -
commerceUpdateCommerceItem
- Update an item -
commerceUpdateCommerceLocation
- Update a location -
commerceUpdateCommerceLocation
- Update a location -
commerceUpdateCommerceReview
- Update a review -
commerceUpdateCommerceReview
- Update a review -
companyCreateCrmCompany
- Create a company -
companyCreateCrmCompany
- Create a company -
companyCreateHrisCompany
- Create a company -
companyCreateHrisCompany
- Create a company -
companyGetCrmCompany
- Retrieve a company -
companyGetCrmCompany
- Retrieve a company -
companyGetHrisCompany
- Retrieve a company -
companyGetHrisCompany
- Retrieve a company -
companyListCrmCompanies
- List all companies -
companyListCrmCompanies
- List all companies -
companyListEnrichCompanies
- Retrieve enrichment information for a company -
companyListEnrichCompanies
- Retrieve enrichment information for a company -
companyListHrisCompanies
- List all companies -
companyListHrisCompanies
- List all companies -
companyPatchCrmCompany
- Update a company -
companyPatchCrmCompany
- Update a company -
companyPatchHrisCompany
- Update a company -
companyPatchHrisCompany
- Update a company -
companyRemoveCrmCompany
- Remove a company -
companyRemoveCrmCompany
- Remove a company -
companyRemoveHrisCompany
- Remove a company -
companyRemoveHrisCompany
- Remove a company -
companyUpdateCrmCompany
- Update a company -
companyUpdateCrmCompany
- Update a company -
companyUpdateHrisCompany
- Update a company -
companyUpdateHrisCompany
- Update a company -
contactCreateCrmContact
- Create a contact -
contactCreateCrmContact
- Create a contact -
contactCreateUcContact
- Create a contact -
contactCreateUcContact
- Create a contact -
contactGetCrmContact
- Retrieve a contact -
contactGetCrmContact
- Retrieve a contact -
contactGetUcContact
- Retrieve a contact -
contactGetUcContact
- Retrieve a contact -
contactListCrmContacts
- List all contacts -
contactListCrmContacts
- List all contacts -
contactListUcContacts
- List all contacts -
contactListUcContacts
- List all contacts -
contactPatchCrmContact
- Update a contact -
contactPatchCrmContact
- Update a contact -
contactPatchUcContact
- Update a contact -
contactPatchUcContact
- Update a contact -
contactRemoveCrmContact
- Remove a contact -
contactRemoveCrmContact
- Remove a contact -
contactRemoveUcContact
- Remove a contact -
contactRemoveUcContact
- Remove a contact -
contactUpdateCrmContact
- Update a contact -
contactUpdateCrmContact
- Update a contact -
contactUpdateUcContact
- Update a contact -
contactUpdateUcContact
- Update a contact -
crmCreateCrmDeal
- Create a deal -
crmCreateCrmDeal
- Create a deal -
crmCreateCrmLead
- Create a lead -
crmCreateCrmLead
- Create a lead -
crmCreateCrmPipeline
- Create a pipeline -
crmCreateCrmPipeline
- Create a pipeline -
crmGetCrmDeal
- Retrieve a deal -
crmGetCrmDeal
- Retrieve a deal -
crmGetCrmLead
- Retrieve a lead -
crmGetCrmLead
- Retrieve a lead -
crmGetCrmPipeline
- Retrieve a pipeline -
crmGetCrmPipeline
- Retrieve a pipeline -
crmListCrmDeals
- List all deals -
crmListCrmDeals
- List all deals -
crmListCrmLeads
- List all leads -
crmListCrmLeads
- List all leads -
crmListCrmPipelines
- List all pipelines -
crmListCrmPipelines
- List all pipelines -
crmPatchCrmDeal
- Update a deal -
crmPatchCrmDeal
- Update a deal -
crmPatchCrmLead
- Update a lead -
crmPatchCrmLead
- Update a lead -
crmPatchCrmPipeline
- Update a pipeline -
crmPatchCrmPipeline
- Update a pipeline -
crmRemoveCrmDeal
- Remove a deal -
crmRemoveCrmDeal
- Remove a deal -
crmRemoveCrmLead
- Remove a lead -
crmRemoveCrmLead
- Remove a lead -
crmRemoveCrmPipeline
- Remove a pipeline -
crmRemoveCrmPipeline
- Remove a pipeline -
crmUpdateCrmDeal
- Update a deal -
crmUpdateCrmDeal
- Update a deal -
crmUpdateCrmLead
- Update a lead -
crmUpdateCrmLead
- Update a lead -
crmUpdateCrmPipeline
- Update a pipeline -
crmUpdateCrmPipeline
- Update a pipeline -
enrichListEnrichPeople
- Retrieve enrichment information for a person -
enrichListEnrichPeople
- Retrieve enrichment information for a person -
eventCreateCrmEvent
- Create an event -
eventCreateCrmEvent
- Create an event -
eventGetCrmEvent
- Retrieve an event -
eventGetCrmEvent
- Retrieve an event -
eventListCrmEvents
- List all events -
eventListCrmEvents
- List all events -
eventPatchCrmEvent
- Update an event -
eventPatchCrmEvent
- Update an event -
eventRemoveCrmEvent
- Remove an event -
eventRemoveCrmEvent
- Remove an event -
eventUpdateCrmEvent
- Update an event -
eventUpdateCrmEvent
- Update an event -
genaiCreateGenaiPrompt
- Create a prompt -
genaiCreateGenaiPrompt
- Create a prompt -
genaiListGenaiModels
- List all models -
genaiListGenaiModels
- List all models -
groupCreateScimGroups
- Create group -
groupCreateScimGroups
- Create group -
groupGetScimGroups
- Get group -
groupGetScimGroups
- Get group -
groupListScimGroups
- List groups -
groupListScimGroups
- List groups -
groupPatchScimGroups
- Update group -
groupPatchScimGroups
- Update group -
groupRemoveScimGroups
- Delete group -
groupRemoveScimGroups
- Delete group -
groupUpdateScimGroups
- Update group -
groupUpdateScimGroups
- Update group -
hrisCreateHrisDevice
- Create a device -
hrisCreateHrisDevice
- Create a device -
hrisCreateHrisEmployee
- Create an employee -
hrisCreateHrisEmployee
- Create an employee -
hrisCreateHrisGroup
- Create a group -
hrisCreateHrisGroup
- Create a group -
hrisCreateHrisTimeshift
- Create a timeshift -
hrisCreateHrisTimeshift
- Create a timeshift -
hrisGetHrisDevice
- Retrieve a device -
hrisGetHrisDevice
- Retrieve a device -
hrisGetHrisEmployee
- Retrieve an employee -
hrisGetHrisEmployee
- Retrieve an employee -
hrisGetHrisGroup
- Retrieve a group -
hrisGetHrisGroup
- Retrieve a group -
hrisGetHrisPayslip
- Retrieve a payslip -
hrisGetHrisPayslip
- Retrieve a payslip -
hrisGetHrisTimeoff
- Retrieve a timeoff -
hrisGetHrisTimeoff
- Retrieve a timeoff -
hrisGetHrisTimeshift
- Retrieve a timeshift -
hrisGetHrisTimeshift
- Retrieve a timeshift -
hrisListHrisDevices
- List all devices -
hrisListHrisDevices
- List all devices -
hrisListHrisEmployees
- List all employees -
hrisListHrisEmployees
- List all employees -
hrisListHrisGroups
- List all groups -
hrisListHrisGroups
- List all groups -
hrisListHrisPayslips
- List all payslips -
hrisListHrisPayslips
- List all payslips -
hrisListHrisTimeoffs
- List all timeoffs -
hrisListHrisTimeoffs
- List all timeoffs -
hrisListHrisTimeshifts
- List all timeshifts -
hrisListHrisTimeshifts
- List all timeshifts -
hrisPatchHrisDevice
- Update a device -
hrisPatchHrisDevice
- Update a device -
hrisPatchHrisEmployee
- Update an employee -
hrisPatchHrisEmployee
- Update an employee -
hrisPatchHrisGroup
- Update a group -
hrisPatchHrisGroup
- Update a group -
hrisPatchHrisTimeshift
- Update a timeshift -
hrisPatchHrisTimeshift
- Update a timeshift -
hrisRemoveHrisDevice
- Remove a device -
hrisRemoveHrisDevice
- Remove a device -
hrisRemoveHrisEmployee
- Remove an employee -
hrisRemoveHrisEmployee
- Remove an employee -
hrisRemoveHrisGroup
- Remove a group -
hrisRemoveHrisGroup
- Remove a group -
hrisRemoveHrisTimeshift
- Remove a timeshift -
hrisRemoveHrisTimeshift
- Remove a timeshift -
hrisUpdateHrisDevice
- Update a device -
hrisUpdateHrisDevice
- Update a device -
hrisUpdateHrisEmployee
- Update an employee -
hrisUpdateHrisEmployee
- Update an employee -
hrisUpdateHrisGroup
- Update a group -
hrisUpdateHrisGroup
- Update a group -
hrisUpdateHrisTimeshift
- Update a timeshift -
hrisUpdateHrisTimeshift
- Update a timeshift -
kmsCreateKmsComment
- Create a comment -
kmsCreateKmsComment
- Create a comment -
kmsCreateKmsPage
- Create a page -
kmsCreateKmsPage
- Create a page -
kmsCreateKmsSpace
- Create a space -
kmsCreateKmsSpace
- Create a space -
kmsGetKmsComment
- Retrieve a comment -
kmsGetKmsComment
- Retrieve a comment -
kmsGetKmsPage
- Retrieve a page -
kmsGetKmsPage
- Retrieve a page -
kmsGetKmsSpace
- Retrieve a space -
kmsGetKmsSpace
- Retrieve a space -
kmsListKmsComments
- List all comments -
kmsListKmsComments
- List all comments -
kmsListKmsPages
- List all pages -
kmsListKmsPages
- List all pages -
kmsListKmsSpaces
- List all spaces -
kmsListKmsSpaces
- List all spaces -
kmsPatchKmsComment
- Update a comment -
kmsPatchKmsComment
- Update a comment -
kmsPatchKmsPage
- Update a page -
kmsPatchKmsPage
- Update a page -
kmsPatchKmsSpace
- Update a space -
kmsPatchKmsSpace
- Update a space -
kmsRemoveKmsComment
- Remove a comment -
kmsRemoveKmsComment
- Remove a comment -
kmsRemoveKmsPage
- Remove a page -
kmsRemoveKmsPage
- Remove a page -
kmsRemoveKmsSpace
- Remove a space -
kmsRemoveKmsSpace
- Remove a space -
kmsUpdateKmsComment
- Update a comment -
kmsUpdateKmsComment
- Update a comment -
kmsUpdateKmsPage
- Update a page -
kmsUpdateKmsPage
- Update a page -
kmsUpdateKmsSpace
- Update a space -
kmsUpdateKmsSpace
- Update a space -
linkCreatePaymentLink
- Create a link -
linkCreatePaymentLink
- Create a link -
linkGetPaymentLink
- Retrieve a link -
linkGetPaymentLink
- Retrieve a link -
linkListPaymentLinks
- List all links -
linkListPaymentLinks
- List all links -
linkPatchPaymentLink
- Update a link -
linkPatchPaymentLink
- Update a link -
linkRemovePaymentLink
- Remove a link -
linkRemovePaymentLink
- Remove a link -
linkUpdatePaymentLink
- Update a link -
linkUpdatePaymentLink
- Update a link -
lmsCreateLmsClass
- Create a class -
lmsCreateLmsClass
- Create a class -
lmsCreateLmsCourse
- Create a course -
lmsCreateLmsCourse
- Create a course -
lmsCreateLmsInstructor
- Create an instructor -
lmsCreateLmsInstructor
- Create an instructor -
lmsCreateLmsStudent
- Create a student -
lmsCreateLmsStudent
- Create a student -
lmsGetLmsClass
- Retrieve a class -
lmsGetLmsClass
- Retrieve a class -
lmsGetLmsCourse
- Retrieve a course -
lmsGetLmsCourse
- Retrieve a course -
lmsGetLmsInstructor
- Retrieve an instructor -
lmsGetLmsInstructor
- Retrieve an instructor -
lmsGetLmsStudent
- Retrieve a student -
lmsGetLmsStudent
- Retrieve a student -
lmsListLmsClasses
- List all classes -
lmsListLmsClasses
- List all classes -
lmsListLmsCourses
- List all courses -
lmsListLmsCourses
- List all courses -
lmsListLmsInstructors
- List all instructors -
lmsListLmsInstructors
- List all instructors -
lmsListLmsStudents
- List all students -
lmsListLmsStudents
- List all students -
lmsPatchLmsClass
- Update a class -
lmsPatchLmsClass
- Update a class -
lmsPatchLmsCourse
- Update a course -
lmsPatchLmsCourse
- Update a course -
lmsPatchLmsInstructor
- Update an instructor -
lmsPatchLmsInstructor
- Update an instructor -
lmsPatchLmsStudent
- Update a student -
lmsPatchLmsStudent
- Update a student -
lmsRemoveLmsClass
- Remove a class -
lmsRemoveLmsClass
- Remove a class -
lmsRemoveLmsCourse
- Remove a course -
lmsRemoveLmsCourse
- Remove a course -
lmsRemoveLmsInstructor
- Remove an instructor -
lmsRemoveLmsInstructor
- Remove an instructor -
lmsRemoveLmsStudent
- Remove a student -
lmsRemoveLmsStudent
- Remove a student -
lmsUpdateLmsClass
- Update a class -
lmsUpdateLmsClass
- Update a class -
lmsUpdateLmsCourse
- Update a course -
lmsUpdateLmsCourse
- Update a course -
lmsUpdateLmsInstructor
- Update an instructor -
lmsUpdateLmsInstructor
- Update an instructor -
lmsUpdateLmsStudent
- Update a student -
lmsUpdateLmsStudent
- Update a student -
locationCreateHrisLocation
- Create a location -
locationCreateHrisLocation
- Create a location -
locationGetHrisLocation
- Retrieve a location -
locationGetHrisLocation
- Retrieve a location -
locationListHrisLocations
- List all locations -
locationListHrisLocations
- List all locations -
locationPatchHrisLocation
- Update a location -
locationPatchHrisLocation
- Update a location -
locationRemoveHrisLocation
- Remove a location -
locationRemoveHrisLocation
- Remove a location -
locationUpdateHrisLocation
- Update a location -
locationUpdateHrisLocation
- Update a location -
martechCreateMartechList
- Create a list -
martechCreateMartechList
- Create a list -
martechCreateMartechMember
- Create a member -
martechCreateMartechMember
- Create a member -
martechGetMartechList
- Retrieve a list -
martechGetMartechList
- Retrieve a list -
martechGetMartechMember
- Retrieve a member -
martechGetMartechMember
- Retrieve a member -
martechListMartechLists
- List all lists -
martechListMartechLists
- List all lists -
martechListMartechMembers
- List all members -
martechListMartechMembers
- List all members -
martechPatchMartechList
- Update a list -
martechPatchMartechList
- Update a list -
martechPatchMartechMember
- Update a member -
martechPatchMartechMember
- Update a member -
martechRemoveMartechList
- Remove a list -
martechRemoveMartechList
- Remove a list -
martechRemoveMartechMember
- Remove a member -
martechRemoveMartechMember
- Remove a member -
martechUpdateMartechList
- Update a list -
martechUpdateMartechList
- Update a list -
martechUpdateMartechMember
- Update a member -
martechUpdateMartechMember
- Update a member -
messagingCreateMessagingMessage
- Create a message -
messagingCreateMessagingMessage
- Create a message -
messagingGetMessagingChannel
- Retrieve a channel -
messagingGetMessagingChannel
- Retrieve a channel -
messagingGetMessagingMessage
- Retrieve a message -
messagingGetMessagingMessage
- Retrieve a message -
messagingListMessagingChannels
- List all channels -
messagingListMessagingChannels
- List all channels -
messagingListMessagingMessages
- List all messages -
messagingListMessagingMessages
- List all messages -
messagingPatchMessagingMessage
- Update a message -
messagingPatchMessagingMessage
- Update a message -
messagingRemoveMessagingMessage
- Remove a message -
messagingRemoveMessagingMessage
- Remove a message -
messagingUpdateMessagingMessage
- Update a message -
messagingUpdateMessagingMessage
- Update a message -
metadataCreateMetadataMetadata
- Create a metadata -
metadataGetMetadataMetadata
- Retrieve a metadata -
metadataListMetadataMetadatas
- List all metadatas -
metadataPatchMetadataMetadata
- Update a metadata -
metadataRemoveMetadataMetadata
- Remove a metadata -
metadataUpdateMetadataMetadata
- Update a metadata -
organizationCreateRepoOrganization
- Create an organization -
organizationCreateRepoOrganization
- Create an organization -
organizationGetRepoOrganization
- Retrieve an organization -
organizationGetRepoOrganization
- Retrieve an organization -
organizationListRepoOrganizations
- List all organizations -
organizationListRepoOrganizations
- List all organizations -
organizationPatchRepoOrganization
- Update an organization -
organizationPatchRepoOrganization
- Update an organization -
organizationRemoveRepoOrganization
- Remove an organization -
organizationRemoveRepoOrganization
- Remove an organization -
organizationUpdateRepoOrganization
- Update an organization -
organizationUpdateRepoOrganization
- Update an organization -
passthroughCreatePassthroughJson
- Passthrough POST -
passthroughCreatePassthroughRaw
- Passthrough POST -
passthroughListPassthroughs
- Passthrough GET -
passthroughPatchPassthroughJson
- Passthrough PUT -
passthroughPatchPassthroughRaw
- Passthrough PUT -
passthroughRemovePassthrough
- Passthrough DELETE -
passthroughUpdatePassthroughJson
- Passthrough PUT -
passthroughUpdatePassthroughRaw
- Passthrough PUT -
paymentCreatePaymentPayment
- Create a payment -
paymentCreatePaymentSubscription
- Create a subscription -
paymentCreatePaymentSubscription
- Create a subscription -
paymentGetPaymentPayment
- Retrieve a payment -
paymentGetPaymentPayout
- Retrieve a payout -
paymentGetPaymentPayout
- Retrieve a payout -
paymentGetPaymentRefund
- Retrieve a refund -
paymentGetPaymentRefund
- Retrieve a refund -
paymentGetPaymentSubscription
- Retrieve a subscription -
paymentGetPaymentSubscription
- Retrieve a subscription -
paymentListPaymentPayments
- List all payments -
paymentListPaymentPayouts
- List all payouts -
paymentListPaymentPayouts
- List all payouts -
paymentListPaymentRefunds
- List all refunds -
paymentListPaymentRefunds
- List all refunds -
paymentListPaymentSubscriptions
- List all subscriptions -
paymentListPaymentSubscriptions
- List all subscriptions -
paymentPatchPaymentPayment
- Update a payment -
paymentPatchPaymentSubscription
- Update a subscription -
paymentPatchPaymentSubscription
- Update a subscription -
paymentRemovePaymentPayment
- Remove a payment -
paymentRemovePaymentSubscription
- Remove a subscription -
paymentRemovePaymentSubscription
- Remove a subscription -
paymentUpdatePaymentPayment
- Update a payment -
paymentUpdatePaymentSubscription
- Update a subscription -
paymentUpdatePaymentSubscription
- Update a subscription -
recordingCreateUcRecording
- Create a recording -
recordingCreateUcRecording
- Create a recording -
recordingGetUcRecording
- Retrieve a recording -
recordingGetUcRecording
- Retrieve a recording -
recordingListUcRecordings
- List all recordings -
recordingListUcRecordings
- List all recordings -
recordingPatchUcRecording
- Update a recording -
recordingPatchUcRecording
- Update a recording -
recordingRemoveUcRecording
- Remove a recording -
recordingRemoveUcRecording
- Remove a recording -
recordingUpdateUcRecording
- Update a recording -
recordingUpdateUcRecording
- Update a recording -
repoCreateRepoBranch
- Create a branch -
repoCreateRepoBranch
- Create a branch -
repoCreateRepoCommit
- Create a commit -
repoCreateRepoCommit
- Create a commit -
repoCreateRepoPullrequest
- Create a pullrequest -
repoCreateRepoPullrequest
- Create a pullrequest -
repoCreateRepoRepository
- Create a repository -
repoCreateRepoRepository
- Create a repository -
repoGetRepoBranch
- Retrieve a branch -
repoGetRepoBranch
- Retrieve a branch -
repoGetRepoCommit
- Retrieve a commit -
repoGetRepoCommit
- Retrieve a commit -
repoGetRepoPullrequest
- Retrieve a pullrequest -
repoGetRepoPullrequest
- Retrieve a pullrequest -
repoGetRepoRepository
- Retrieve a repository -
repoGetRepoRepository
- Retrieve a repository -
repoListRepoBranches
- List all branches -
repoListRepoBranches
- List all branches -
repoListRepoCommits
- List all commits -
repoListRepoCommits
- List all commits -
repoListRepoPullrequests
- List all pullrequests -
repoListRepoPullrequests
- List all pullrequests -
repoListRepoRepositories
- List all repositories -
repoListRepoRepositories
- List all repositories -
repoPatchRepoBranch
- Update a branch -
repoPatchRepoBranch
- Update a branch -
repoPatchRepoCommit
- Update a commit -
repoPatchRepoCommit
- Update a commit -
repoPatchRepoPullrequest
- Update a pullrequest -
repoPatchRepoPullrequest
- Update a pullrequest -
repoPatchRepoRepository
- Update a repository -
repoPatchRepoRepository
- Update a repository -
repoRemoveRepoBranch
- Remove a branch -
repoRemoveRepoBranch
- Remove a branch -
repoRemoveRepoCommit
- Remove a commit -
repoRemoveRepoCommit
- Remove a commit -
repoRemoveRepoPullrequest
- Remove a pullrequest -
repoRemoveRepoPullrequest
- Remove a pullrequest -
repoRemoveRepoRepository
- Remove a repository -
repoRemoveRepoRepository
- Remove a repository -
repoUpdateRepoBranch
- Update a branch -
repoUpdateRepoBranch
- Update a branch -
repoUpdateRepoCommit
- Update a commit -
repoUpdateRepoCommit
- Update a commit -
repoUpdateRepoPullrequest
- Update a pullrequest -
repoUpdateRepoPullrequest
- Update a pullrequest -
repoUpdateRepoRepository
- Update a repository -
repoUpdateRepoRepository
- Update a repository -
scimCreateScimUsers
- Create user -
scimCreateScimUsers
- Create user -
scimGetScimUsers
- Get user -
scimGetScimUsers
- Get user -
scimListScimUsers
- List users -
scimListScimUsers
- List users -
scimPatchScimUsers
- Update user -
scimPatchScimUsers
- Update user -
scimRemoveScimUsers
- Delete user -
scimRemoveScimUsers
- Delete user -
scimUpdateScimUsers
- Update user -
scimUpdateScimUsers
- Update user -
storageCreateStorageFile
- Create a file -
storageCreateStorageFile
- Create a file -
storageGetStorageFile
- Retrieve a file -
storageGetStorageFile
- Retrieve a file -
storageListStorageFiles
- List all files -
storageListStorageFiles
- List all files -
storagePatchStorageFile
- Update a file -
storagePatchStorageFile
- Update a file -
storageRemoveStorageFile
- Remove a file -
storageRemoveStorageFile
- Remove a file -
storageUpdateStorageFile
- Update a file -
storageUpdateStorageFile
- Update a file -
taskCreateTaskProject
- Create a project -
taskCreateTaskProject
- Create a project -
taskCreateTaskTask
- Create a task -
taskGetTaskProject
- Retrieve a project -
taskGetTaskProject
- Retrieve a project -
taskGetTaskTask
- Retrieve a task -
taskListTaskProjects
- List all projects -
taskListTaskProjects
- List all projects -
taskListTaskTasks
- List all tasks -
taskPatchTaskProject
- Update a project -
taskPatchTaskProject
- Update a project -
taskPatchTaskTask
- Update a task -
taskRemoveTaskProject
- Remove a project -
taskRemoveTaskProject
- Remove a project -
taskRemoveTaskTask
- Remove a task -
taskUpdateTaskProject
- Update a project -
taskUpdateTaskProject
- Update a project -
taskUpdateTaskTask
- Update a task -
ticketingCreateTicketingCustomer
- Create a customer -
ticketingCreateTicketingCustomer
- Create a customer -
ticketingCreateTicketingNote
- Create a note -
ticketingCreateTicketingNote
- Create a note -
ticketingCreateTicketingTicket
- Create a ticket -
ticketingCreateTicketingTicket
- Create a ticket -
ticketingGetTicketingCustomer
- Retrieve a customer -
ticketingGetTicketingCustomer
- Retrieve a customer -
ticketingGetTicketingNote
- Retrieve a note -
ticketingGetTicketingNote
- Retrieve a note -
ticketingGetTicketingTicket
- Retrieve a ticket -
ticketingGetTicketingTicket
- Retrieve a ticket -
ticketingListTicketingCustomers
- List all customers -
ticketingListTicketingCustomers
- List all customers -
ticketingListTicketingNotes
- List all notes -
ticketingListTicketingNotes
- List all notes -
ticketingListTicketingTickets
- List all tickets -
ticketingListTicketingTickets
- List all tickets -
ticketingPatchTicketingCustomer
- Update a customer -
ticketingPatchTicketingCustomer
- Update a customer -
ticketingPatchTicketingNote
- Update a note -
ticketingPatchTicketingNote
- Update a note -
ticketingPatchTicketingTicket
- Update a ticket -
ticketingPatchTicketingTicket
- Update a ticket -
ticketingRemoveTicketingCustomer
- Remove a customer -
ticketingRemoveTicketingCustomer
- Remove a customer -
ticketingRemoveTicketingNote
- Remove a note -
ticketingRemoveTicketingNote
- Remove a note -
ticketingRemoveTicketingTicket
- Remove a ticket -
ticketingRemoveTicketingTicket
- Remove a ticket -
ticketingUpdateTicketingCustomer
- Update a customer -
ticketingUpdateTicketingCustomer
- Update a customer -
ticketingUpdateTicketingNote
- Update a note -
ticketingUpdateTicketingNote
- Update a note -
ticketingUpdateTicketingTicket
- Update a ticket -
ticketingUpdateTicketingTicket
- Update a ticket -
ucListUcCalls
- List all calls -
ucListUcCalls
- List all calls -
unifiedCreateUnifiedConnection
- Create connection -
unifiedCreateUnifiedConnection
- Create connection -
unifiedCreateUnifiedWebhook
- Create webhook subscription -
unifiedCreateUnifiedWebhook
- Create webhook subscription -
unifiedGetUnifiedApicall
- Retrieve specific API Call by its ID -
unifiedGetUnifiedApicall
- Retrieve specific API Call by its ID -
unifiedGetUnifiedConnection
- Retrieve connection -
unifiedGetUnifiedConnection
- Retrieve connection -
unifiedGetUnifiedIntegrationAuth
- Create connection indirectly -
unifiedGetUnifiedIntegrationAuth
- Create connection indirectly -
unifiedGetUnifiedIntegrationAuth
- Create connection indirectly -
unifiedGetUnifiedWebhook
- Retrieve webhook by its ID -
unifiedGetUnifiedWebhook
- Retrieve webhook by its ID -
unifiedListUnifiedApicalls
- Returns API Calls -
unifiedListUnifiedApicalls
- Returns API Calls -
unifiedListUnifiedConnections
- List all connections -
unifiedListUnifiedConnections
- List all connections -
unifiedListUnifiedIntegrations
- Returns all integrations -
unifiedListUnifiedIntegrations
- Returns all integrations -
unifiedListUnifiedIntegrationWorkspaces
- Returns all activated integrations in a workspace -
unifiedListUnifiedIntegrationWorkspaces
- Returns all activated integrations in a workspace -
unifiedListUnifiedIssues
- List support issues -
unifiedListUnifiedIssues
- List support issues -
unifiedListUnifiedWebhooks
- Returns all registered webhooks -
unifiedListUnifiedWebhooks
- Returns all registered webhooks -
unifiedPatchUnifiedConnection
- Update connection -
unifiedPatchUnifiedConnection
- Update connection -
unifiedPatchUnifiedWebhook
- Update webhook subscription -
unifiedPatchUnifiedWebhook
- Update webhook subscription -
unifiedPatchUnifiedWebhookTrigger
- Trigger webhook -
unifiedPatchUnifiedWebhookTrigger
- Trigger webhook -
unifiedRemoveUnifiedConnection
- Remove connection -
unifiedRemoveUnifiedConnection
- Remove connection -
unifiedRemoveUnifiedWebhook
- Remove webhook subscription -
unifiedRemoveUnifiedWebhook
- Remove webhook subscription -
unifiedUpdateUnifiedConnection
- Update connection -
unifiedUpdateUnifiedConnection
- Update connection -
unifiedUpdateUnifiedWebhook
- Update webhook subscription -
unifiedUpdateUnifiedWebhook
- Update webhook subscription -
unifiedUpdateUnifiedWebhookTrigger
- Trigger webhook -
unifiedUpdateUnifiedWebhookTrigger
- Trigger webhook