# Getting Started Source: https://docs.stackone.com/agents/guides/getting-started Learn how to leverage StackOne integrations in your AI agent with StackOne This comprehensive guide will help you get started with StackOne's AI tools, covering installation, basic usage, tool filtering, and advanced features. ## Installation ```bash Typescript # Using npm npm install @stackone/ai # Using pnpm pnpm add @stackone/ai # Using bun bun add @stackone/ai ``` ```bash Python # Using pip pip install stackone-ai # Using poetry poetry add stackone-ai # Using uv uv add stackone-ai ``` ## Authentication Setup Configure authentication using one of these methods: ### Using a .env File ```env STACKONE_API_KEY= ``` Load it in your code: ```typescript TypeScript import * as dotenv from 'dotenv'; dotenv.config(); ``` ```python Python from dotenv import load_dotenv load_dotenv() ``` ### Initializing Toolset ```typescript TypeScript import { StackOneToolSet } from '@stackone/ai'; const toolset = new StackOneToolSet(); ``` ```python Python from stackone import StackOneToolSet toolset = StackOneToolSet() ``` ### Using the ToolSet Here's a complete example showing how to use filtered tools: ```typescript TypeScript async function manageEmployees() { const tools = toolset.getStackOneTools(['hris_*'], accountId); try { // List employees const employees = await tools.getTool('hris_list_employees') .execute(); // Get specific employee const employee = await tools.getTool('hris_get_employee') .execute({ employeeId: '123' }); // Create new employee const newEmployee = await tools.getTool('hris_create_employee') .execute({ firstName: 'John', lastName: 'Doe', email: 'john@example.com' }); console.log('Operations completed:', { totalEmployees: employees.length, specificEmployee: employee, newEmployee }); } catch (error) { console.error('Error:', error); } } ``` ```python Python async def manage_employees(): tools = toolset.get_stackone_tools(['hris_*'], account_id=account_id) try: # List employees employees = await tools.get_tool('hris_list_employees').execute() # Get specific employee employee = await tools.get_tool('hris_get_employee').execute( employee_id='123' ) # Create new employee new_employee = await tools.get_tool('hris_create_employee').execute( first_name='John', last_name='Doe', email='john@example.com' ) print('Operations completed:', { 'total_employees': len(employees), 'specific_employee': employee, 'new_employee': new_employee }) except Exception as error: print('Error:', error) ``` ## AI Framework Integration ### OpenAI Functions ```typescript TypeScript import { OpenAI } from 'openai'; const openai = new OpenAI(); const tools = toolset.getStackOneTools(['hris_*'], accountId); const openAITools = tools.toOpenAI(); const completion = await openai.chat.completions.create({ model: 'gpt-4o', messages: [{ role: 'user', content: 'List all employees' }], tools: openAITools }); if (completion.choices[0].message.tool_calls) { const toolCall = completion.choices[0].message.tool_calls[0]; const result = await tools.execute(toolCall.function.arguments); console.log('Function result:', result); } ``` ```python Python from openai import OpenAI client = OpenAI() tools = toolset.get_stackone_tools(["hris_*"], account_id=account_id) openai_tools = tools.to_openai() completion = await client.chat.completions.create( model="gpt-4o", messages=[{"role": "user", "content": "List all employees"}], tools=openai_tools ) if completion.choices[0].message.tool_calls: tool_call = completion.choices[0].message.tool_calls[0] result = await tools.execute(tool_call.function.arguments) print('Function result:', result) ``` ### AI SDK by Vercel ```typescript Typescript const toolset = new StackOneToolSet(); const tools = toolset.getStackOneTools(['hris_*'], accountId); const aiSdkTools = tools.toAISDK(); const { text } = await generateText({ model: openai('gpt-4o'), tools: aiSdkTools, prompt: 'Find all employees in the engineering department', maxSteps: 3, }); ``` ### LangChain Integration ```python Python from langchain_openai import ChatOpenAI toolset = StackOneToolSet() tools = toolset.get_tools(["hris_*"], account_id=account_id) langchainTools = tools.to_langchain(); # Create model with tools model = ChatOpenAI(model="gpt-4o-mini") model_with_tools = model.bind_tools(langchain_tools) result = model_with_tools.invoke(f"Find all employees in the engineering department") ``` # OpenAPI Tools Source: https://docs.stackone.com/agents/guides/openapi-tools Use Open API specs as tools via the StackOne (typescript) AI SDK This guide explains how to work with OpenAPI-generated tools via the StackOne (typescript) AI SDK. ## OpenAPIToolSet The OpenAPIToolSet class allows you to parse OpenAPI specifications as tools from either a local file or a remote URL. ### Loading from a File ```typescript import { OpenAPIToolSet } from "@stackone/ai"; import path from "node:path"; // Create the toolset const toolset = new OpenAPIToolSet({ filePath: path.join(__dirname, "path/to/openapi-spec.json"); }); // Get all tools const allTools = toolset.getTools(); // Get filtered tools const filteredTools = toolset.getTools("user_*"); ``` ### Loading from a URL ```typescript import { OpenAPIToolSet } from "@stackone/ai"; // Create the toolset using the factory method const toolset = await OpenAPIToolSet.fromUrl({ url: "https://example.com/path/to/openapi-spec.json", }); ``` ### Authentication Options The OpenAPIToolSet supports easy usage of bot Basic and Bearer authentication: ```typescript // Basic Authentication const toolsetWithBasicAuth = new OpenAPIToolSet({ filePath: "path/to/spec.json", authentication: { type: "basic", credentials: { username: "user", password: "pass", }, }, }); // Bearer Authentication const toolsetWithBearerAuth = await OpenAPIToolSet.fromUrl({ url: "https://example.com/spec.json", authentication: { type: "bearer", credentials: { token: "your-bearer-token", }, }, }); ``` You can also directly write to the toolset headers: ```typescript const toolsetWithHeaders = new OpenAPIToolSet({ filePath: "path/to/spec.json", headers: { Authorization: "Bearer your-bearer-token", }, }); ``` # Tool Filtering Source: https://docs.stackone.com/agents/guides/tool-filtering Filter tools when using the StackOne AI SDK The StackOne SDK provides glob-based filtering capabilities to help you select and manage specific tools across different SaaS platforms. ## Overview Tool filtering allows you to: * Select tools by category (HRIS, ATS, etc.) * Filter by specific actions (create, read, update, delete) * Combine multiple patterns for precise selection * Exclude specific tools or patterns ## Basic Filtering Patterns ```typescript import { StackOneToolSet } from '@stackone/ai'; const toolset = new StackOneToolSet(); // Get all HRIS tools const hrisTools = toolset.getTools('hris_*'); // Get all ATS tools etc. const atsTools = toolset.getStackOneTools('ats_*'); // Get all create operations const createTools = toolset.getStackOneTools('*_create_*'); // Get all HRIS create operations const hrisCreateTools = toolset.getStackOneTools('hris_create_*'); ``` ## Advanced Filtering ### 1. Multiple Patterns ```typescript // Get both HRIS and ATS tools const tools = toolset.getStackOneTools(['hris_*', 'ats_*']); // Get specific operations across categories const specificTools = toolset.getStackOneTools([ 'hris_create_employee', 'ats_update_candidate', 'crm_get_contact' ]); ``` ## Tool Categories Common tool categories and their patterns: ```typescript const TOOL_CATEGORIES = { // HRIS Tools hris: { all: 'hris_*', employee: 'hris_*_employee*', document: 'hris_*_document*', payroll: 'hris_*_payroll*' }, // ATS Tools ats: { all: 'ats_*', candidate: 'ats_*_candidate*', job: 'ats_*_job*', application: 'ats_*_application*' }, // CRM Tools crm: { all: 'crm_*', contact: 'crm_*_contact*', deal: 'crm_*_deal*', company: 'crm_*_company*' } }; ``` ## Best Practices 1. **Be Specific**: Use the most specific patterns that meet your needs 2. **Use Exclusions**: Exclude patterns for better precision 3. **Group Related Tools**: Use category-based filtering for related operations # Overview Source: https://docs.stackone.com/agents/introduction Build AI agents with StackOne StackOne Agent Tools provide a powerful way to build AI agents that can interact with various business systems through our unified APIs. This guide will help you understand our agent toolsets and choose the right SDK for your AI applications. ## Why StackOne for AI Agents? StackOne simplifies building B2B SaaS agents by providing: 1. **Unified API Access** - Standardized interfaces across different SaaS providers 2. **AI-First Design** - Tools designed specifically for AI agent development 3. **Multi-Tenant Support** - Built-in handling of customer accounts and permissions 4. **Standardized Data Models** - Consistent data structures across providers ## Architecture Overview ```mermaid graph TB A[AI Agent] --> B[StackOne Tools] B --> C[StackOne Unified API] C --> D1[Customer A's HRIS] C --> D2[Customer B's ATS] C --> D3[Customer C's CRM] style A fill:#f9f,stroke:#333,stroke-width:2px style B fill:#bbf,stroke:#333,stroke-width:2px style C fill:#dfd,stroke:#333,stroke-width:2px style D1 fill:#fdd,stroke:#333,stroke-width:2px style D2 fill:#fdd,stroke:#333,stroke-width:2px style D3 fill:#fdd,stroke:#333,stroke-width:2px ``` The StackOne Agent Tools consist of three main components: 1. **Unified API** - Our standardized API layer that normalizes data across different providers 2. **Toolsets** - Language-specific SDKs that wrap the unified API into AI-friendly tools 3. **Dashboard & Accounts** - Central management of your integrations and API keys ## Choosing Your SDK We provide SDKs for both TypeScript/JavaScript and Python. Here's how to choose: ### TypeScript/JavaScript SDK (`@stackone/ai`) [Check it out on Github](https://github.com/StackOneHQ/stackone-ai-node) ✅ **Best for**: * Web applications and Next.js projects * OpenAI Functions integration * Vercel AI SDK compatibility * Projects requiring strong type safety * Frontend-heavy applications ### Python SDK (`stackone-ai`) [Check it out on Github](https://github.com/StackOneHQ/stackone-ai-python) ✅ **Best for**: * Data science and ML projects * LangChain applications * Backend-heavy systems * Scientific computing integration * Jupyter notebook development Both SDKs offer: * Full type support * AI framework integrations * Automatic parameter handling * Multi-tenant support ## Getting Started To start building with StackOne Agent Tools: 1. Choose your SDK based on the considerations above 2. Install the package: ```bash # For TypeScript/JavaScript npm install @stackone/ai # For Python pip install stackone-ai ``` 3. Configure your API key 4. Start building your agent ## Next Step * [Getting started with the AI SDK](/agents/guides/getting-started) Need help choosing? Contact our support team for personalized guidance on selecting the right SDK for your use case. # Create Application Source: https://docs.stackone.com/ats/api-reference/applications/create-application post /unified/ats/applications # Download Application Document Source: https://docs.stackone.com/ats/api-reference/applications/documents/download-application-document get /unified/ats/applications/{id}/documents/{subResourceId}/download # Get Application Document Source: https://docs.stackone.com/ats/api-reference/applications/documents/get-application-document get /unified/ats/applications/{id}/documents/{subResourceId} # List Application Documents Source: https://docs.stackone.com/ats/api-reference/applications/documents/list-application-documents get /unified/ats/applications/{id}/documents # Upload Application Document Source: https://docs.stackone.com/ats/api-reference/applications/documents/upload-application-document post /unified/ats/applications/{id}/documents/upload # Get Application Source: https://docs.stackone.com/ats/api-reference/applications/get-application get /unified/ats/applications/{id} # Get Application Scorecard Source: https://docs.stackone.com/ats/api-reference/applications/get-application-scorecard get /unified/ats/applications/{id}/scorecards/{subResourceId} # List Applications Source: https://docs.stackone.com/ats/api-reference/applications/list-applications get /unified/ats/applications # Move Application Source: https://docs.stackone.com/ats/api-reference/applications/move-application post /unified/ats/applications/{id}/move # Create Application Note Source: https://docs.stackone.com/ats/api-reference/applications/notes/create-application-note post /unified/ats/applications/{id}/notes # Get Application Note Source: https://docs.stackone.com/ats/api-reference/applications/notes/get-application-note get /unified/ats/applications/{id}/notes/{subResourceId} # List Application Notes Source: https://docs.stackone.com/ats/api-reference/applications/notes/list-application-notes get /unified/ats/applications/{id}/notes # Update an Application Note Source: https://docs.stackone.com/ats/api-reference/applications/notes/update-an-application-note patch /unified/ats/applications/{id}/notes/{subResourceId} # Get Application Offer Source: https://docs.stackone.com/ats/api-reference/applications/offers/get-application-offer get /unified/ats/applications/{id}/offers/{subResourceId} # List Application Offers Source: https://docs.stackone.com/ats/api-reference/applications/offers/list-application-offers get /unified/ats/applications/{id}/offers # Reject Application Source: https://docs.stackone.com/ats/api-reference/applications/reject-application post /unified/ats/applications/{id}/reject # Get Applications scheduled interview Source: https://docs.stackone.com/ats/api-reference/applications/scheduled-interviews/get-applications-scheduled-interview get /unified/ats/applications/{id}/scheduled_interviews/{subResourceId} # List Applications scheduled interviews Source: https://docs.stackone.com/ats/api-reference/applications/scheduled-interviews/list-applications-scheduled-interviews get /unified/ats/applications/{id}/scheduled_interviews # List Application Scorecards Source: https://docs.stackone.com/ats/api-reference/applications/scorecards/list-application-scorecards get /unified/ats/applications/{id}/scorecards # Update an Application Source: https://docs.stackone.com/ats/api-reference/applications/update-an-application patch /unified/ats/applications/{id} # Get Assessments Requests Source: https://docs.stackone.com/ats/api-reference/assessments/orders/get-assessments-requests get /unified/ats/assessments/orders/{id} # Order Assessments Request Source: https://docs.stackone.com/ats/api-reference/assessments/orders/order-assessments-request post /unified/ats/assessments/orders # Get Assessments Package Source: https://docs.stackone.com/ats/api-reference/assessments/packages/get-assessments-package get /unified/ats/assessments/packages/{id} # List Assessments Packages Source: https://docs.stackone.com/ats/api-reference/assessments/packages/list-assessments-packages get /unified/ats/assessments/packages # Get Assessments Results Source: https://docs.stackone.com/ats/api-reference/assessments/results/get-assessments-results get /unified/ats/assessments/orders/{id}/results # Update Assessments Result Source: https://docs.stackone.com/ats/api-reference/assessments/results/update-assessments-result patch /unified/ats/assessments/orders/{id}/result # Get Background Check Request Source: https://docs.stackone.com/ats/api-reference/background-checks/orders/get-background-check-request get /unified/ats/background_checks/orders/{id} # List Background Check Request Source: https://docs.stackone.com/ats/api-reference/background-checks/orders/list-background-check-request get /unified/ats/background_checks/orders # Order Background Check Request Source: https://docs.stackone.com/ats/api-reference/background-checks/orders/order-background-check-request post /unified/ats/background_checks/orders # Create Background Check Package Source: https://docs.stackone.com/ats/api-reference/background-checks/packages/create-background-check-package post /unified/ats/background_checks/packages # Delete Background Check Package Source: https://docs.stackone.com/ats/api-reference/background-checks/packages/delete-background-check-package delete /unified/ats/background_checks/packages/{id} # Get Background Check Package Source: https://docs.stackone.com/ats/api-reference/background-checks/packages/get-background-check-package get /unified/ats/background_checks/packages/{id} # List Background Check Packages Source: https://docs.stackone.com/ats/api-reference/background-checks/packages/list-background-check-packages get /unified/ats/background_checks/packages # Update Background Check Package Source: https://docs.stackone.com/ats/api-reference/background-checks/packages/update-background-check-package patch /unified/ats/background_checks/packages/{id} # Get Background Check Results Source: https://docs.stackone.com/ats/api-reference/background-checks/results/get-background-check-results get /unified/ats/background_checks/orders/{id}/results # Update Background Check Result Source: https://docs.stackone.com/ats/api-reference/background-checks/results/update-background-check-result patch /unified/ats/background_checks/orders/{id}/result # Create Candidate Source: https://docs.stackone.com/ats/api-reference/candidates/create-candidate post /unified/ats/candidates # Get Candidate Source: https://docs.stackone.com/ats/api-reference/candidates/get-candidate get /unified/ats/candidates/{id} # List Candidates Source: https://docs.stackone.com/ats/api-reference/candidates/list-candidates get /unified/ats/candidates # Create Candidate Note Source: https://docs.stackone.com/ats/api-reference/candidates/notes/create-candidate-note post /unified/ats/candidates/{id}/notes # Get Candidate Note Source: https://docs.stackone.com/ats/api-reference/candidates/notes/get-candidate-note get /unified/ats/candidates/{id}/notes/{subResourceId} # List Candidate Notes Source: https://docs.stackone.com/ats/api-reference/candidates/notes/list-candidate-notes get /unified/ats/candidates/{id}/notes # Update Candidate Source: https://docs.stackone.com/ats/api-reference/candidates/update-candidate patch /unified/ats/candidates/{id} # Get Application Custom Field Definition Source: https://docs.stackone.com/ats/api-reference/custom-field-definitions/get-application-custom-field-definition get /unified/ats/custom_field_definitions/applications/{id} # Get Candidate Custom Field Definition Source: https://docs.stackone.com/ats/api-reference/custom-field-definitions/get-candidate-custom-field-definition get /unified/ats/custom_field_definitions/candidates/{id} # Get Job Custom Field Definition Source: https://docs.stackone.com/ats/api-reference/custom-field-definitions/get-job-custom-field-definition get /unified/ats/custom_field_definitions/jobs/{id} # List Application Custom Field Definitions Source: https://docs.stackone.com/ats/api-reference/custom-field-definitions/list-application-custom-field-definitions get /unified/ats/custom_field_definitions/applications # List Candidate Custom Field Definitions Source: https://docs.stackone.com/ats/api-reference/custom-field-definitions/list-candidate-custom-field-definitions get /unified/ats/custom_field_definitions/candidates # List Job Custom Field Definitions Source: https://docs.stackone.com/ats/api-reference/custom-field-definitions/list-job-custom-field-definitions get /unified/ats/custom_field_definitions/jobs # Get Department Source: https://docs.stackone.com/ats/api-reference/departments/get-department get /unified/ats/departments/{id} # List Departments Source: https://docs.stackone.com/ats/api-reference/departments/list-departments get /unified/ats/departments # Get Interview Stage Source: https://docs.stackone.com/ats/api-reference/interview-stages/get-interview-stage get /unified/ats/interview_stages/{id} # List Interview Stages Source: https://docs.stackone.com/ats/api-reference/interview-stages/list-interview-stages get /unified/ats/interview_stages # Get Interview Source: https://docs.stackone.com/ats/api-reference/interviews/get-interview get /unified/ats/interviews/{id} # List Interviews Source: https://docs.stackone.com/ats/api-reference/interviews/list-interviews get /unified/ats/interviews # Get Job Posting Source: https://docs.stackone.com/ats/api-reference/job-postings/get-job-posting get /unified/ats/job_postings/{id} # List Job Postings Source: https://docs.stackone.com/ats/api-reference/job-postings/list-job-postings get /unified/ats/job_postings # Create Job Source: https://docs.stackone.com/ats/api-reference/jobs/create-job post /unified/ats/jobs # Get Job Source: https://docs.stackone.com/ats/api-reference/jobs/get-job get /unified/ats/jobs/{id} # List Jobs Source: https://docs.stackone.com/ats/api-reference/jobs/list-jobs get /unified/ats/jobs # Update Job Source: https://docs.stackone.com/ats/api-reference/jobs/update-job patch /unified/ats/jobs/{id} # Get all Lists Source: https://docs.stackone.com/ats/api-reference/lists/get-all-lists get /unified/ats/lists # Get List Source: https://docs.stackone.com/ats/api-reference/lists/get-list get /unified/ats/lists/{id} # Get Location Source: https://docs.stackone.com/ats/api-reference/locations/get-location get /unified/ats/locations/{id} # List locations Source: https://docs.stackone.com/ats/api-reference/locations/list-locations get /unified/ats/locations # Creates an offer Source: https://docs.stackone.com/ats/api-reference/offers/creates-an-offer post /unified/ats/offers # Get Offer Source: https://docs.stackone.com/ats/api-reference/offers/get-offer get /unified/ats/offers/{id} # List Offers Source: https://docs.stackone.com/ats/api-reference/offers/list-offers get /unified/ats/offers # Get Rejected Reason Source: https://docs.stackone.com/ats/api-reference/rejected-reasons/get-rejected-reason get /unified/ats/rejected_reasons/{id} # List Rejected Reasons Source: https://docs.stackone.com/ats/api-reference/rejected-reasons/list-rejected-reasons get /unified/ats/rejected_reasons # Get User Source: https://docs.stackone.com/ats/api-reference/users/get-user get /unified/ats/users/{id} # List Users Source: https://docs.stackone.com/ats/api-reference/users/list-users get /unified/ats/users # null Source: https://docs.stackone.com/ats/common-guide/pagination StackOne's Unified API allows paginating on API requests that return multiple records using a page cursor. The following optional URL parameters are used for pagination: The number of records per page. The `next` parameter is used to iterate through data pages. It is recommended to keep the same page\_size throughout the sequence of pagination requests otherwise unexpected behaviour may occur. ## Sample URL ``` https://api.stackone.com/unified/hris/employees?page_size=25&next=eyJyIjphAsHHere ``` ## Sample Response In the response payload, you can find the `next` cursor. To get the next page of data send a new request with the `next` parameter set to this value. ```json "next":"eyJyIjphAsHHere", "data":[ 0: [...], 1: [...], ... 24: [...], ] ``` Once the cursor reaches the end of the data list, both values become NULL. ![Bypassed Records scenario](https://mintlify.s3.us-west-1.amazonaws.com/stackone-60/images/cd9e2c8-pagination_stripped.gif) For further information see [Guides - Pagination](/guides/pagination) # Overview Source: https://docs.stackone.com/ats/introduction A unified ATS API overcomes recruitment integration challenges by standardizing inconsistent data models, normalizing varied terminology, and creating a consistent entity structure where application statuses, interview stages, assessment results, and candidate fields exist predictably regardless of which vendor's system houses the underlying recruitment data. ## Benefits of the ATS API Here are some benefits of using our ATS API that simplifies and enhances the recruitment process: Developers can utilize sandbox environments to test integrations without affecting live data, ensuring a smooth deployment process. StackOne's APIs interfaces with the underlying systems in real-time, allowing for immediate updates and synchronization across platforms. With a [focus on security](https://www.stackone.com/blog/why-your-choice-of-unified-api-could-make-or-break-compliance), StackOne's architecture avoids unnecessary data storage, maintaining compliance with data protection regulations. The platform provides both [synthetic and native webhooks](/guides/webhooks), enabling real-time notifications for candidate and job posting changes. StackOne offers [out-of-the-box integration use-cases](https://www.stackone.com/integrations) with a wide range of ATS platforms, simplifying the integration process. ## Key Features The table below shows key features of the ATS API that make recruitment easier, from real-time application tracking and offer Management: | **Feature** | **Description** | | ---------------------------------- | --------------------------------------------------------------------------------------------------------------- | | Comprehensive Candidate Management | Easily create, update, and retrieve candidate profiles, including personal information and application history. | | Job Postings and Metadata | List and manage job postings, access detailed descriptions, compensation ranges, and related questionnaires. | | Application Tracking | Monitor and update application statuses, manage interview stages, and handle offer details. | | Real-Time Webhooks | Receive instant notifications for changes in data like - candidates, applications, or job postings. | | Document Handling | Upload, download, and manage candidate documents such as resumes and cover letters. | | Interview Scheduling | Record and manage interview details, including times, participants, and locations. | | Offer Management | Handle job offers, track their status, and manage candidate responses efficiently. | ## Entity Model and Relationships The following diagram illustrates the key entities within the ATS API: ```mermaid erDiagram %% Main entities Application { string id string candidate_id string job_id string job_posting_id string interview_stage_id array location_ids } Candidate { string id } Job { string id array department_ids array location_ids } %% Interview process entities InterviewStage { string id } Interview { string id string application_id string interview_stage_id } Scorecard { string id string application_id string interview_id string candidate_id string author_id } %% Offer and rejection entities Offer { string id string application_id } RejectedReason { string id } %% Assessment entities AssessmentPackage { string id } AssessmentOrder { string id string application_id string candidate_id } BackgroundCheckPackage { string id } BackgroundCheckOrder { string id string application_id string candidate_id } %% Support entities Department { string id } Location { string id } JobPosting { string id string job_id } Note { string id string author_id } User { string id } List { string id } %% Core hiring flow Candidate ||--o{ Application : submits Job ||--o{ Application : receives JobPosting ||--o{ Application : attracts %% Interview process Job ||--o{ InterviewStage : defines Application ||--o{ Interview : schedules Interview }|--|| InterviewStage : follows Interview ||--o{ Scorecard : evaluated_by %% Outcome paths Application ||--o{ Offer : may_receive Application ||--o{ RejectedReason : may_have %% Assessments Application ||--o{ AssessmentOrder : undergoes AssessmentOrder }|--|| AssessmentPackage : uses Application ||--o{ BackgroundCheckOrder : undergoes BackgroundCheckOrder }|--|| BackgroundCheckPackage : uses %% Supporting relationships Job }|--o{ Department : belongs_to Job }|--o{ Location : based_in Job ||--o{ JobPosting : advertised_as Application }|--o{ Location : associated_with User ||--o{ Note : writes Application ||--o{ Note : has Candidate ||--o{ Note : has ``` The following table outlines key entities within the ATS system and provides a brief description of each: | Entity | Description | | ------------------------- | ------------------------------------------------------------------------------------------------------------------------------------------------------------------ | | Applications | Manages job applications, including creation date, status, linked job and candidate identifiers, and more. | | Application Offers | Handles job offers associated with applications, providing information on offer status, details, responses, and tracking from creation to acceptance or rejection. | | Interviews | Records details of candidate interviews, including times, participants, and location (e.g., meeting URL). | | Interview Stages | Represents different interview process stages, such as initial screening, technical rounds, and final interviews. | | Rejected Reasons | Manages standardized reasons for candidate application rejections, aiding in consistent decision-making and recruitment process analysis. | | Candidates | Provides detailed profiles of job candidates, including personal information, qualifications, application status, and history with the company. | | Candidate Notes | Manages notes related to specific candidates, including content (usually simple text strings) and author. | | Users | Manages user accounts within the ATS, including recruiters, HR personnel, and hiring managers, with access to user details, roles, and permissions. | | Jobs | Manages job positions within the organization, including title, location, and status. | | Job Postings | Focuses on the public aspect of the job, including extended descriptions, compensation ranges, and related questionnaires for applying. | | Locations | Manages geographical locations associated with a job or job posting. | | Departments | Manages organizational departments that jobs are associated with. | | Scorecards | Tracks evaluations and feedback from interviewers about candidates, including ratings and comments. | | Lists | Manages custom lists that can be used to group candidates, jobs, or other entities. | | Assessment Packages | Defines assessment tests that candidates can take during the hiring process. | | Assessment Orders | Records instances of assessments assigned to specific candidates. | | Background Check Packages | Defines background check processes that candidates may undergo. | | Background Check Orders | Records instances of background checks performed on specific candidates. | | Notes | Manages notes that can be associated with various entities like applications, candidates, etc. | ## Use cases Job boards can post positions, accept applications, and monitor candidate progress through normalized recruitment stages via a single API that handles the complete application lifecycle. Interview intelligence platforms can access structured interview data, update scorecards, and analyze candidate performance across standardized evaluation criteria. Screening solutions can retrieve applications, process candidate data through qualification algorithms, and update application stages with acceptance or rejection reasoning using standardized fields. Providers can receive candidate evaluation orders, update test results, and automatically update application statuses with standardized scoring data that flows seamlessly into the hiring decision process. # Automated Application Screening Source: https://docs.stackone.com/ats/use-cases/application-screening Automated application and candidate screening or scoring (eg. for AI-powered resume scoring). Imagine you’re working on your recruitment SaaS and looking to integrate AI features like application scoring and automated candidate screening. While it may seem simple, syncing data from multiple ATS platforms and handling job postings can bring challenges. Tracking candidate applications in real-time across different ATS providers can become complicated. It requires proper management to keep everything up to date and consistent, ensuring smooth operation and data accuracy. * **Unified API** connecting multiple ATS platforms for easy job and candidate data sync. * **Scalability** that lets you easily add new ATS platforms as your hiring needs grow. * **Standardized data formats** across ATS platforms for consistent and simplified data management. * **Real-time updates** via **webhooks**, keeping candidate and application data up to date. ## Automated Candidate Screening with AI: Key Steps and System Interactions Integrating automated candidate screening into your recruitment SaaS involves syncing data from multiple ATS providers, retrieving job postings, applications, LinkedIn profiles, and resumes, and using AI to score candidates based on job descriptions and criteria set by HR. This allows HR to make quick decisions, such as moving or rejecting candidates. ### Steps for Enabling Automated Candidate Screening in Your SaaS Below are the steps to enable AI-powered candidate screening in your SaaS, allowing you to sync job postings and applications, score applications, and manage candidate workflows. **First, fetch active job postings:** Start by pulling all active job postings from the connected ATS provider using `x-account-id` in the request header. This will give you details like `title`, `content`, `locations`, `compensation`, and more. * **API Endpoint**: [GET /ats/job\_postings](/ats/api-reference/job-postings/list-job-postings) **Next, pull recent applications:** Fetch all candidate applications updated within the last month by setting the `updated_after` query parameter (e.g., **2024-08-01T00:00:00.000Z**) to ensure your SaaS dashboard has the latest applications. * **API Endpoint:** [GET /ats/applications](/ats/api-reference/applications/list-applications) **Retrieve associated candidate data:** For each application, retrieve the associated candidate information, including `name`, `email`, `social_links`, `phone`, and **Resume**. This data will be displayed alongside the application on your SaaS dashboard for easy review and analysis. * **API Endpoint:** [GET /ats/candidates/\{id}](/ats/api-reference/candidates/get-candidate) **First, [set up webhooks](../../guides/webhooks) for application updates:** Configure webhooks to automatically sync updates for existing applications, such as `interview_stage`, `rejected_reasons`, and `application_status`, or capture new ones as soon as they are created. Hence, the dashboard always has the most current application data. * **Webhook Events:** `ats_applications.updated` or `ats_applications.created` **Next, sync candidate updates:** Similarly, set up webhooks to sync candidate information whenever there are updates or new candidates are added. This keeps your system up to date with the latest candidate details. * **Webhook Events:** `ats_candidates.updated` or `ats_candidates.created` **Trigger AI screening system:** Set up a webhook to trigger the intelligence system, which automatically screens and scores applications as they are updated or newly added. This ensures real-time evaluation and decision-making. **Store fetched data:** Now, store fetched data, such as `application_id`, `candidate_id`, `job_id`, `interview_stage`, `application_status`, `candidate details`, and `resumes` in your database to facilitate real-time screening and analysis. **Centralize candidate information:** Keeping all data in one place ensures quick access to applications and candidate details for processing and HR decisions. After applications and candidate details are fetched from the ATS via the recruitment SaaS, they will be screened by an intelligent AI system. The AI will carry out the following operations in the recruitment process: **Remove bias and fetch profiles:** AI will remove any bias related to gender, race, or culture when evaluating candidates. It will also fetch LinkedIn profiles along with the applications(from the ATS) for a complete analysis. **Score applications based on criteria:** AI scores each application using criteria set by HR, using NLP to analyze applications against job descriptions. **Automate actions and emails:** Based on the AI score, the system will automatically or manually move candidates to stages like `Shortlisted`, `Paused`, or `Rejected`, etc, and can send personalized rejection or shortlisted emails to candidates at scale. * **API Endpoint:** [PATCH ats/applications/\{id}](/ats/api-reference/applications/update-an-application) **Store scores and analysis:** The AI-generated score, application status, and detailed analysis for each candidate will be stored in the database, ensuring easy access for future reference and reporting. The diagram below shows the key steps, from fetching job postings and applications to storing them in your database, using webhooks for updates, and applying AI-generated data for automated candidate screening and management. ![](https://mintlify.s3.us-west-1.amazonaws.com/stackone-60/images/automatic-candidate-screening-ats-flow-diagram.png) ## Conclusion This walkthrough explained how to add AI-driven resume scoring and automated candidate management to your recruitment SaaS. With StackOne's API and webhooks, you can sync job postings and candidate data across ATS platforms, improving the hiring process. AI Intelligence provides unbiased scoring, automates candidate actions, and stores detailed analysis for future reference, helping HR make quick decisions and improve the hiring process. # Assessment & Background Checks Source: https://docs.stackone.com/ats/use-cases/assessment-flow Learn how to integrate real-time assessment data, AI insights, and ATS syncing to simplify user workflows and improve candidate evaluation ![assessment-provider-banner](https://mintlify.s3.us-west-1.amazonaws.com/stackone-60/images/assessment-intelligence-ats-banner.png) Imagine you're developing an intelligence assessment SaaS designed to handle assessments like coding tests or psychometric evaluations for job candidates. While it may seem simple at first, integrating these assessments and syncing job data from multiple ATS systems can become complex. Managing real-time candidate assessments across various ATS platforms requires precise data syncing and configuration, ensuring the right assessments are assigned to the correct roles and that results are handled efficiently. * **Unified API:** connecting multiple ATS platforms for consistent job and candidate data sync. * **Scalable Infrastructure:** Easily onboard additional ATS providers as your hiring needs grow. * **Standardized data formats:** Avoid discrepancies across ATS platforms by using standardized data formats. * **Real-Time Webhooks:** Automatically sync assessment orders and results, keeping your dashboard always up to date. ## Integrating Candidate Assessments Intelligence in Your SaaS: Key Steps and System Interactions Integrating assessments into your SaaS involves syncing with multiple ATS providers, retrieving job and candidate data, and managing assessments such as coding tests or psychometric evaluations. This enables HR teams to assign, track, and evaluate candidate assessments based on specific job requirements, simplifying the hiring process. ### Steps for Integrating Assessment Intelligence in Your Assessment SaaS Below are the steps to integrate assessment intelligence into your SaaS, enabling seamless assessment management, syncing with ATS providers, and automating candidate assessments: **First, subscribe to the assessment webhook:** Start by setting up a webhook to automatically receive notifications when new assessment orders are created. This ensures your dashboard stays updated in real time when a new assessment is triggered for a candidate. * **Webhook Event:** `assessment_order.created` **Next, fetch detailed candidate and job data:** Once the webhook triggers, additional API calls will retrieve more information about the candidate's application, such as `id`, `candidate_id`, `interview_stage`, and more. * **API Endpoint:** [GET /ats/application/{id}](/ats/api-reference/applications/get-application) **We can also fetch job details** such as `id`, `title`, `content`, and more related to the application. This data can be used to update the dashboard with assessment and candidate details. * **API Endpoint:** [GET /ats/job-postings/{id}](/ats/api-reference/job-postings/get-job-posting) **Allow Users to enable different assessments:** Allow users to enable a variety of assessments like **coding tests**, **psychometric tests**, and more for their candidates in the dashboard. This helps them tailor the assessments based on the job role or specific hiring needs. * **API Endpoint:** [GET /ats/assessments/packages](/ats/api-reference/assessments/packages/list-assessments-packages) **First, fetch active job postings:** Start by pulling all active job postings from the connected ATS provider using `x-account-id` in the request header. This will give you details like `title`, `content`, `locations`, `compensation`, and more. * **API Endpoint**: [GET /ats/job\_postings](/ats/api-reference/job-postings/list-job-postings) **Then, configure job-specific assessments:** Allow users to assign assessments to specific jobs. For instance, different coding tests can be assigned based on the role (**data engineer** vs. **front-end engineer**). * **API Endpoint:** [POST /ats/assessments/orders](/ats/api-reference/assessments/orders/order-assessments-request) **Trigger the assessment through ATS workflow:** When the candidate moves to a specific stage in the job process, allow users to trigger an assessment for the candidate using the `applicant_id` parameter. * **API Endpoint:** [POST /ats/assessments/orders](/ats/api-reference/assessments/orders/order-assessments-request) **After this, update the application status:** Update the candidate's application status using the `application_status` parameter. * **API Endpoint:** [PATCH /ats/applications/{id}](/ats/api-reference/applications/update-an-application) **Send assessment details to candidates:** After triggering the assessment, the dashboard will send an email notification with instructions and a link to the assessment assigned to the candidate. **AI-driven candidate analysis:** Once the results are available for assessment (e.g., behavioral analysis), your SaaS can evaluate the candidate on traits like empathy, leadership, and creativity, giving a percentage score for each. **Performance report:** Your SaaS can also generate a visual performance report, analyzing the candidate's results in assigned assessments and providing users with insights through detailed graphical data. **Push the assessment results to the ATS:** Finally, update the ATS provider with the assessment results, ensuring users can see the outcome directly on their dashboard whenever needed. * **API Endpoint:** [PATCH /ats/assessments/orders/{id}/result](/ats/api-reference/assessments/results/update-assessments-result) The diagram below outlines the main steps involved in integrating assessments into your SaaS, from subscribing to webhooks, syncing with ATS, and assigning assessments, to update results for simplified candidate management. ![flow-diagram](https://mintlify.s3.us-west-1.amazonaws.com/stackone-60/images/assessment-provider-ats-flow-diagram.png) ## Conclusion This walkthrough showed how to integrate assessment features into your SaaS platform, making it easier to manage candidate assessments. With StackOne's API and webhooks, you can sync job and candidate data from ATS platforms, assign job-specific assessments, and handle the process of sending results back to the ATS. This helps users make faster, more informed decisions, improving the overall hiring process. # Intelligent Candidate Screening Source: https://docs.stackone.com/ats/use-cases/intelligent-candidate-screening Automated candidate screening and scoring to simplify application management and HR decisions ![](https://mintlify.s3.us-west-1.amazonaws.com/stackone-60/images/banner-automatic-candidate-screening-ats.png) Imagine you’re working on your recruitment SaaS and looking to integrate AI features like application scoring and automated candidate screening. While it may seem simple, syncing data from multiple ATS platforms and handling job postings can bring challenges. Tracking candidate applications in real-time across different ATS providers can become complicated. It requires proper management to keep everything up to date and consistent, ensuring smooth operation and data accuracy. * **Unified API** connecting multiple ATS platforms for easy job and candidate data sync. * **Scalability** that lets you easily add new ATS platforms as your hiring needs grow. * **Standardized data formats** across ATS platforms for consistent and simplified data management. * **Real-time updates** via **webhooks**, keeping candidate and application data up to date. ## Automated Candidate Screening with AI: Key Steps and System Interactions Integrating automated candidate screening into your recruitment SaaS involves syncing data from multiple ATS providers, retrieving job postings, applications, LinkedIn profiles, and resumes, and using AI to score candidates based on job descriptions and criteria set by HR. This allows HR to make quick decisions, such as moving or rejecting candidates. ### Steps for Enabling Automated Candidate Screening in Your SaaS Below are the steps to enable AI-powered candidate screening in your SaaS, allowing you to sync job postings and applications, score applications, and manage candidate workflows. **First, fetch active job postings:** Start by pulling all active job postings from the connected ATS provider using `x-account-id` in the request header. This will give you details like `title`, `content`, `locations`, `compensation`, and more. * **API Endpoint**: [GET /ats/job\_postings](/ats/api-reference/job-postings/list-job-postings) **Next, pull recent applications:** Fetch all candidate applications updated within the last month by setting the `updated_after` query parameter (e.g., **2024-08-01T00:00:00.000Z**) to ensure your SaaS dashboard has the latest applications. * **API Endpoint:** [GET /ats/applications](/ats/api-reference/applications/list-applications) **Retrieve associated candidate data:** For each application, retrieve the associated candidate information, including `name`, `email`, `social_links`, `phone`, and **Resume**. This data will be displayed alongside the application on your SaaS dashboard for easy review and analysis. * **API Endpoint:** [GET /ats/candidates/\{id}](/ats/api-reference/candidates/get-candidate) **First, [set up webhooks](../../guides/webhooks) for application updates:** Configure webhooks to automatically sync updates for existing applications, such as `interview_stage`, `rejected_reasons`, and `application_status`, or capture new ones as soon as they are created. Hence, the dashboard always has the most current application data. * **Webhook Events:** `ats_applications.updated` or `ats_applications.created` **Next, sync candidate updates:** Similarly, set up webhooks to sync candidate information whenever there are updates or new candidates are added. This keeps your system up to date with the latest candidate details. * **Webhook Events:** `ats_candidates.updated` or `ats_candidates.created` **Trigger AI screening system:** Set up a webhook to trigger the intelligence system, which automatically screens and scores applications as they are updated or newly added. This ensures real-time evaluation and decision-making. **Store fetched data:** Now, store fetched data, such as `application_id`, `candidate_id`, `job_id`, `interview_stage`, `application_status`, `candidate details`, and `resumes` in your database to facilitate real-time screening and analysis. **Centralize candidate information:** Keeping all data in one place ensures quick access to applications and candidate details for processing and HR decisions. After applications and candidate details are fetched from the ATS via the recruitment SaaS, they will be screened by an intelligent AI system. The AI will carry out the following operations in the recruitment process: **Remove bias and fetch profiles:** AI will remove any bias related to gender, race, or culture when evaluating candidates. It will also fetch LinkedIn profiles along with the applications(from the ATS) for a complete analysis. **Score applications based on criteria:** AI scores each application using criteria set by HR, using NLP to analyze applications against job descriptions. **Automate actions and emails:** Based on the AI score, the system will automatically or manually move candidates to stages like `Shortlisted`, `Paused`, or `Rejected`, etc, and can send personalized rejection or shortlisted emails to candidates at scale. * **API Endpoint:** [PATCH ats/applications/\{id}](/ats/api-reference/applications/update-an-application) **Store scores and analysis:** The AI-generated score, application status, and detailed analysis for each candidate will be stored in the database, ensuring easy access for future reference and reporting. The diagram below shows the key steps, from fetching job postings and applications to storing them in your database, using webhooks for updates, and applying AI-generated data for automated candidate screening and management. ![](https://mintlify.s3.us-west-1.amazonaws.com/stackone-60/images/automatic-candidate-screening-ats-flow-diagram.png) ## Conclusion This walkthrough explained how to add AI-driven resume scoring and automated candidate management to your recruitment SaaS. With StackOne's API and webhooks, you can sync job postings and candidate data across ATS platforms, improving the hiring process. AI Intelligence provides unbiased scoring, automates candidate actions, and stores detailed analysis for future reference, helping HR make quick decisions and improve the hiring process. # Interview Intelligence Source: https://docs.stackone.com/ats/use-cases/interview-intelligence Learn how to integrate real-time interview data into your SaaS to deliver intelligent insights and seamlessly sync back to your customers’ ATS ![StackOne Interview Intelligence Banner](https://mintlify.s3.us-west-1.amazonaws.com/stackone-60/images/interview-intelligence-use-case-banner.png) Imagine you're working on your SaaS, aiming to integrate real-time interview data along with AI-powered features such as interview recordings by a bot, automatic note-taking, and candidate feedback collection. While integrating real-time interview data into your SaaS seems straightforward, it can quickly become challenging when dealing with multiple ATS platforms. Each ATS provider, such as Greenhouse, Ashby, or Workday, has its own data structures, APIs, and syncing methods, which often lead to mismatched data, delayed interview updates, and the need for endless custom code just to keep everything in sync. * **Unified API** that connects to multiple ATS platforms, simplifying interview data sync. * **Consistent interview data formats** across different ATS integrations. * **Scalability** that lets you easily add new ATS platforms as your needs grow. * **Real-time updates through webhooks**, ensuring always-current interview data. With StackOne, you can move beyond the grind of manual integrations and focus on building the features that truly matter. ## Integrating Interview Data and AI Intelligence: Key Steps and System Interactions Integrating real-time interview data and AI insights into your SaaS involves syncing data from ATS providers like Greenhouse and capturing details such as interview recording links, notes, and candidate feedback. ### Steps for Enabling Interview Intelligence in Your SaaS Below are the steps to enable interview intelligence in your SaaS, allowing you to sync interview data from multiple ATS providers, keep your database updated in real time, and store AI-generated insights: * **First, retrieve the list of interviews**: Start by fetching interviews from the selected ATS provider using `x-account-id` in the request header, according to the chosen ATS. Set the `updated_after` query parameter to one year ago (e.g., **2023-09-25T00:00:00.000Z**) to get interviews updated within the last year. * API Endpoint: [GET /ats/interviews](/ats/api-reference/interviews/list-interviews) * **Next, store the data**: Save this interview data in your database. You’ll also want to fetch additional applicant details using `application_id` as the path parameter, which includes fields like `job ID`, `application_status`, and `remote_candidate_id`. * API Endpoint: [GET /ats/applications/\{id}](/ats/api-reference/applications/get-application) * **Then, [set up a webhook](/guides/webhooks) for real-time updates:** Set up a webhook to automatically sync new interviews or updates to existing interview data (e.g., `interview_status`, `interview_stage`, `interviewers info`, `start_at`, `end_at`, and `meeting_url`). Each time a webhook update is received, your SaaS database will be refreshed with the latest applicant data. * **First, pull relevant interviews from your database:** Use the database to pull up all relevant interviews along with the corresponding applicant details whenever you need them. * **Next, apply filters to refine your search:** Use parameters like `interview_status`, `start_at`, `interviewer info`, `application_id`, `interview_stage`, and more to get the interviews you need and display them on your dashboard. * **If you need more information**, make an API call to the specific ATS provider using `x-account-id` in the request header to fetch the additional interview details. * ATS Endpoint: [GET /ats/interviews/\{id}](/ats/api-reference/interviews/get-interview) * **Generate interview intelligence:** Utilize fetched interview data to generate intelligent insights such as **interview notes**, **candidate feedback**, **recording links**, and other relevant information captured during the interview process. * **Next, store this intelligence data:** Save these insights in your database so they’re accessible whenever needed, providing a centralized view of all interview details for easy reference. The diagram below shows the key steps, from fetching interviews and storing them in your database to using webhooks for updates and incorporating AI-generated data. ![StackOne Interview Intelligence Flow Diagram](https://mintlify.s3.us-west-1.amazonaws.com/stackone-60/images/interview-intelligence-use-case-flow-diagram.png) ## Conclusion In this walkthrough, we covered how to integrate real-time interview data and AI-driven features into your SaaS. With StackOne's unified API and webhooks, we made it easier to sync interview data from multiple ATS providers while also adding features like automatic interview recordings, notes, and candidate feedback. This approach keeps your SaaS updated and allows for efficient management of interview data across different ATS platforms. # Job Board - Easy Apply Source: https://docs.stackone.com/ats/use-cases/job-board-easy-apply Learn how StackOne simplifies job board integrations with multiple ATS platforms, reducing custom code and maintenance ![](https://mintlify.s3.us-west-1.amazonaws.com/stackone-60/images/banner-simplifying-integrations-across-disparate-ats.png) Imagine you're building a job board that needs to pull listings from multiple ATS platforms like Greenhouse, Ashby, and Workday. Each platform has its own API and data format, requiring custom code and constant maintenance. As the number of integrations grows, so does the complexity—leading to a fragile and time-consuming system. Managing these integrations can quickly become a burden, consuming valuable time and resources. Without a unified solution, you’re likely to face: * Repetitive and tedious coding for each ATS, making the integration process time-consuming and error-prone. * Ongoing maintenance burdens as you try to keep all integrations functional with every API update. * Frustration with traditional iPaaS solutions that are complex to implement and come with high costs. - • A unified API that allows you to connect to multiple ATS platforms with minimal effort. - • Consistent data formats across all integrations, reducing the need for custom code. - • Scalability that lets you easily add new ATS platforms as your needs grow. With StackOne, you can move beyond the grind of manual integrations and focus on building the features that truly matter. ## Integrating ATS Platforms: Key Steps and System Interactions for Your Job Board When building your job board, you'll need to display jobs and manage applications from various ATS providers like Greenhouse, Ashby, and others. To streamline this process, we will be using StackOne's ATS endpoints to integrate and synchronize data across multiple platforms. Understanding the sequence of API calls is crucial to making this integration work seamlessly. The diagram below illustrates how these interactions occur—from the moment a user engages with your job board to the retrieval of job listings and application data from the ATS providers. ![](https://mintlify.s3.us-west-1.amazonaws.com/stackone-60/images/api-flow-simplifying-integrations-across-disparate-ats.png) ### Steps to Building a Job Board Using StackOne When building a job board that integrates with multiple ATS platforms there are several steps involved. Each step corresponds to a specific operation within StackOne, which handles the necessary API interactions to fetch, display, and manage job listings and applications. Below are the steps needed to create a functional job board using StackOne. The first step in setting up your job board is to fetch all available ATS accounts. This operation retrieves the account information, including the accountId, which is crucial for identifying which ATS platform's data will be accessed for further operations. This allows HR professionals to select any ATS account from which they want to view jobs and applications. By displaying all connected ATS accounts, the job board provides a centralized interface for managing multiple platforms. * API endpoint: [GET /accounts](/platform/api-reference/accounts/list-accounts) After an ATS account is selected, the next step is to fetch the job listings associated with that account. This API call translates the interface and retrieves job data from the selected ATS platform, which is then displayed on the job board. This step enables HR professionals to view job listings from any selected ATS account, making it easier to manage job openings across different platforms through a single interface. * API endpoint: [GET /ats/jobs](/ats/api-reference/jobs/list-jobs) After fetching job listings, you'll also need to display the candidate applications associated with those jobs. This operation retrieves application data related to the selected accountId, ensuring that all candidate applications are accessible in one place. HR professionals can view candidate applications for any selected ATS account, streamlining the process of managing and reviewing applications across multiple platforms. * API endpoint: [GET /ats/applications](/ats/api-reference/applications/list-applications) To keep your job board's listings up-to-date and accessible to candidates, this API call retrieves job postings from the selected ATS accounts. The endpoint translates the interface and fetches the data, allowing you to present a comprehensive list of job opportunities on your job board. * API endpoint: [GET /ats/job\_postings](/ats/api-reference/job-postings/list-job-postings) In this step of the job board process, we are enabling candidates to submit their job applications. This operation sends the application details from the job board to StackOne, which then forwards them to the appropriate ATS platform for processing. This allows candidates to apply for jobs directly through your job board, ensuring that their applications are correctly submitted and tracked by the respective ATS platform. * API endpoint: [POST /ats/applications](/ats/api-reference/applications/create-application) ## Conclusion In this walkthrough, we explored the process of creating a job board that integrates with multiple ATS platforms like Greenhouse and Ashby. By using StackOne's unified API, we minimized the effort required to connect these systems. StackOne streamlined the integration process, enabling us to manage jobs and applications across various platforms without the need for custom coding or extensive maintenance. # Get Account Source: https://docs.stackone.com/crm/api-reference/accounts/get-account get /unified/crm/accounts/{id} # List Accounts Source: https://docs.stackone.com/crm/api-reference/accounts/list-accounts get /unified/crm/accounts # Creates a new Contact Source: https://docs.stackone.com/crm/api-reference/contacts/creates-a-new-contact post /unified/crm/contacts # Get Contact Source: https://docs.stackone.com/crm/api-reference/contacts/get-contact get /unified/crm/contacts/{id} # List Contacts Source: https://docs.stackone.com/crm/api-reference/contacts/list-contacts get /unified/crm/contacts # Update Contact (early access) Source: https://docs.stackone.com/crm/api-reference/contacts/update-contact-early-access patch /unified/crm/contacts/{id} # Get Contact Custom Field Definition Source: https://docs.stackone.com/crm/api-reference/custom-field-definitions/get-contact-custom-field-definition get /unified/crm/custom_field_definitions/contacts/{id} # List Contact Custom Field Definitions Source: https://docs.stackone.com/crm/api-reference/custom-field-definitions/list-contact-custom-field-definitions get /unified/crm/custom_field_definitions/contacts # Get all Lists Source: https://docs.stackone.com/crm/api-reference/lists/get-all-lists get /unified/crm/lists # Get List Source: https://docs.stackone.com/crm/api-reference/lists/get-list get /unified/crm/lists/{id} # null Source: https://docs.stackone.com/crm/common-guide/pagination StackOne's Unified API allows paginating on API requests that return multiple records using a page cursor. The following optional URL parameters are used for pagination: The number of records per page. The `next` parameter is used to iterate through data pages. It is recommended to keep the same page\_size throughout the sequence of pagination requests otherwise unexpected behaviour may occur. ## Sample URL ``` https://api.stackone.com/unified/hris/employees?page_size=25&next=eyJyIjphAsHHere ``` ## Sample Response In the response payload, you can find the `next` cursor. To get the next page of data send a new request with the `next` parameter set to this value. ```json "next":"eyJyIjphAsHHere", "data":[ 0: [...], 1: [...], ... 24: [...], ] ``` Once the cursor reaches the end of the data list, both values become NULL. ![Bypassed Records scenario](https://mintlify.s3.us-west-1.amazonaws.com/stackone-60/images/cd9e2c8-pagination_stripped.gif) For further information see [Guides - Pagination](/guides/pagination) # Overview Source: https://docs.stackone.com/crm/introduction A unified CRM API helps overcomes typical integration challenges by standardizing inconsistent data models, normalizing varied terminology, and creating a consistent entity structure where contacts, accounts, and lists exist predictably regardless of which vendor's system houses the underlying customer data. ## Benefits of the CRM API Here are some benefits of using our CRM API that simplifies and enhances customer relationship management: Manage customer contacts and accounts through a single standardized API, regardless of the underlying CRM platforms, ensuring a consistent view of customer data. Developers can utilize sandbox environments to test integrations without affecting live data, ensuring a smooth deployment process. StackOne's APIs support real-time data polling, allowing for immediate updates and synchronization across platforms. With a [focus on security](https://www.stackone.com/blog/why-your-choice-of-unified-api-could-make-or-break-compliance), StackOne's architecture avoids unnecessary data storage, maintaining compliance with data protection regulations. The platform provides both [synthetic and native webhooks](/guides/webhooks), enabling real-time notifications for customer and opportunity changes. ## Key Features The table below shows key features of the CRM API that make customer relationship management easier, from real-time contact tracking to opportunity management: | **Feature** | **Description** | | -------------------------------- | ---------------------------------------------------------------------------------------------------------------------- | | Comprehensive Contact Management | Easily create, update, and retrieve customer profiles, including contact details, interaction history, and engagement. | | Real-Time Data Synchronization | Ensure that customer information, sales opportunities, and interactions are updated across systems instantly. | | Real-Time Webhooks | Receive instant notifications for changes in customer profiles, opportunities, or lead statuses. | ## Entity Model and Relationships The following diagram illustrates the key entities within the CRM API: ```mermaid erDiagram Contact ||--o{ Account : "" List }o--o{ Contact : "" List }o--o{ Account : "" Contact { string id string remote_id string name string address string communicationPreferences string email string phoneNumber } Account { string id string status string transactionHistory date createdAt date updatedAt } List { string id string name string type date createdAt date updatedAt } ``` The following table outlines key entities within the CRM system and provides a brief description of each. | Entity | Description | | -------- | ------------------------------------------------------------------------------------------------------------------------ | | Contacts | Manages individual contact details, including names, addresses, and communication preferences. | | Accounts | Handles organizational accounts, encompassing details like account status, associated contacts, and transaction history. | | Lists | Manage your custom data lists across your service providers. | # Get Drive Source: https://docs.stackone.com/documents/api-reference/drives/get-drive get /unified/documents/drives/{id} # List Drives Source: https://docs.stackone.com/documents/api-reference/drives/list-drives get /unified/documents/drives # Download File Source: https://docs.stackone.com/documents/api-reference/files/download-file get /unified/documents/files/{id}/download # Get File Source: https://docs.stackone.com/documents/api-reference/files/get-file get /unified/documents/files/{id} # List Files Source: https://docs.stackone.com/documents/api-reference/files/list-files get /unified/documents/files # Search Files Source: https://docs.stackone.com/documents/api-reference/files/search-files post /unified/documents/files/search # Upload File Source: https://docs.stackone.com/documents/api-reference/files/upload-file post /unified/documents/files/upload # Get Folder Source: https://docs.stackone.com/documents/api-reference/folders/get-folder get /unified/documents/folders/{id} # List Folders Source: https://docs.stackone.com/documents/api-reference/folders/list-folders get /unified/documents/folders # null Source: https://docs.stackone.com/documents/common-guide/pagination StackOne's Unified API allows paginating on API requests that return multiple records using a page cursor. The following optional URL parameters are used for pagination: The number of records per page. The `next` parameter is used to iterate through data pages. It is recommended to keep the same page\_size throughout the sequence of pagination requests otherwise unexpected behaviour may occur. ## Sample URL ``` https://api.stackone.com/unified/hris/employees?page_size=25&next=eyJyIjphAsHHere ``` ## Sample Response In the response payload, you can find the `next` cursor. To get the next page of data send a new request with the `next` parameter set to this value. ```json "next":"eyJyIjphAsHHere", "data":[ 0: [...], 1: [...], ... 24: [...], ] ``` Once the cursor reaches the end of the data list, both values become NULL. ![Bypassed Records scenario](https://mintlify.s3.us-west-1.amazonaws.com/stackone-60/images/cd9e2c8-pagination_stripped.gif) For further information see [Guides - Pagination](/guides/pagination) # null Source: https://docs.stackone.com/documents/file-Picker # StackOne File Picker SDK Documentation The StackOne File Picker SDK enables you to integrate file selection from connected integrations into your application. Below are the installation steps, usage examples, and API details. ![](https://mintlify.s3.us-west-1.amazonaws.com/stackone-60/images/site-picker.png) ![](https://mintlify.s3.us-west-1.amazonaws.com/stackone-60/images/sharepoint-native-picker.png) ## Installation Install the SDK using one of the following package managers: ```bash # Using NPM npm install --save @stackone/file-picker # Using Yarn yarn add @stackone/file-picker ``` # Usage Below you can find the basic usage of the StackOne File Picker SDK using React: ```jsx import React, { useState, useEffect, useCallback } from 'react'; import { FilePicker } from '@stackone/file-picker'; export const FilePickerButton = () => { const [filePicker, setFilePicker] = useState(null); useEffect(() => { const initializePicker = async () => { const { sessionToken } = await retrieveAPISessionToken(); setFilePicker(new FilePicker({ sessionToken })); }; initializePicker(); }, []); const handleClick = useCallback(() => { filePicker?.open(); }, [filePicker]); return ( ); }; ``` # API Reference ## FilePicker Class ### Constructor: FilePicker(options) The options object can include the following parameters: The session token generated on the server side. The base URL for the StackOne API. The ID of the container to mount the picker into. Callback function that is triggered when files are selected. The function will return an array of files with the Unified ID that can be used in the Unified Download Documents API. After receiving the files, the File Picker will close automatically. Callback function that is triggered when the picker opens. Callback function that is triggered when the picker closes. Callback function that is triggered when the picker is closed without file selection. ### Methods Opens the file picker interface. Closes the file picker interface. # Overview Source: https://docs.stackone.com/documents/introduction The StackOne unified API for Documents streamlines access to knowledge bases (e.g., Notion, Confluence) and file storage platforms (e.g., Google Drive, SharePoint), enabling seamless retrieval, uploading, and downloading of content. By abstracting away platform-specific complexities, it simplifies integration while ensuring secure and efficient document management across multiple systems. ## Benefits of the Documents API Here are some benefits of using our Documents API that simplifies and enhances the recruitment process: Developers can utilize sandbox environments to test integrations without affecting live data, ensuring a smooth deployment process. StackOne's APIs support real-time synchronization, ensuring that content changes are reflected immediately across connected platforms. With a [focus on security](https://www.stackone.com/blog/why-your-choice-of-unified-api-could-make-or-break-compliance), StackOne ensures secure content storage and maintains compliance with data protection regulations. The platform provides both [synthetic and native webhooks](/guides/webhooks), delivering real-time notifications for changes in drives, folders, and files. StackOne offers [out-of-the-box integrations](https://www.stackone.com/integrations) with leading File Management platforms, simplifying the integration process. ## Entity Model and Relationships The following diagram illustrates the key entities within the Documents API: ```mermaid erDiagram Drives ||--o{ Folders : "" Drives ||--o{ Files : "" Folders ||--o{ Files : "" Folders ||--o{ Folders : "" Drives { string id string remote_id } Folders { string id string remote_id string parent_folder_id string remote_parent_folder_id string drive_id string remote_drive_id } Files { string folder_id string remote_folder_id string drive_id string remote_drive_id } ``` The following table outlines key entities within the Documents system and provides a brief description of each: | Entity | Description | | ------- | ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | | Drives | Represents the top-level storage containers in the document management system. Each drive can contain multiple folders and files, and has basic metadata like name, description, and URL. Drives are typically used to organize content at the highest level, such as by department or project. | | Folders | Manages hierarchical organization within drives. Folders can contain files and other folders (subfolders), creating a tree structure. Each folder tracks its owner, parent folder, associated drive, and various metadata like size and path. Folders help organize content in a logical structure. | | Files | Contains the actual documents and their metadata. Each file belongs to a folder and drive, has an owner, and includes important attributes like format, size, and path. Files represent the actual content being managed, with support for various file types and versioning through created/updated timestamps. | # Accounts Source: https://docs.stackone.com/guides/accounts-section Browse and take actions on any of the project's linked accounts Linked Account definition An Account (or "linked account") represents one of your customer or user's connection with a third party system. The Accounts section ([https://app.stackone.com/accounts](https://app.stackone.com/accounts)) of the StackOne dashboard allows you to view all the tools connected by your customers (or yourself in the case of sandbox accounts). The Account section can be used to: * See an exhaustive list of every tool linked by your customers * Test the connection with the account by executing requests and seeing result * This request testing interface can help you quickly test that the connection is working as expected and assist in debugging issues flagged by your customer * Easily access and copy the underlying Account ID of a linked account * Edit & re-connect one of your customers linked account on their behalf * View and manage additional information about the account ### Access * Project User with `Basic` permission will only be able to view high level details about the accounts * Users with `Project Admin` permissions will be able to edit, delete and trigger API requests for any of the accounts linked in that project ## Capabilities You can use use the interactive demo below to preview the accounts page features **Filtering the list for specific accounts & providers**