Announcing our $20m Series A from GV (Google Ventures) and Workday Ventures
Read More
AI Agent Interfaces
Use Case
Read our vision for the future of AI integrations
Read more

Power-up your AI apps

Empower your AI agents to take accurate action with 3,000+ ready-to-use tools and zero integration overhead.
Scroll to explore ->
Scroll to explore ->
Scroll to explore ->
Scroll to explore ->
Powering thousands of integrations for leading companies like:
Getting Started

Seamless Setup

All the tools you need to build real-time integrations, at scale, with best-in-class security & privacy.
OpenAI
TypeScript
Docs
Arrow icon in slider slide

import { OpenAI } from "openai";
import { StackOneToolSet } from "@stackone/ai";

const openai = new OpenAI();
const toolset = new StackOneToolSet({ baseUrl: "https://api.stackone.com" });

const tools = await toolset.fetchTools({
 accountIds: [process.env.STACKONE_ACCOUNT_ID!],
});

const response = await openai.chat.completions.create({
 model: "gpt-5.1",
 messages: [
   {
     role: "system",
     content: "You are a helpful intranet assistant.",
   },
   {
     role: "user",
     content: "list up all employees",
   },
 ],
 tools: tools.toOpenAI(),
 tool_choice: "auto",
});

console.log(response);

OpenAI
Python
Docs
Arrow icon in slider slide

import os
from dotenv import load_dotenv
from openai import OpenAI
from stackone_ai import StackOneToolSet

load_dotenv()

client = OpenAI()
toolset = StackOneToolSet(
   base_url="https://api.stackone.com"
   api_key=os.getenv("STACKON_API_KEY")
)

tools = toolset.fetch_tools(account_ids=[os.getenv("STACKONE_ACCOUNT_ID")])

response = client.chat.completions.create(
   model="gpt-5.1",
   tools=tools.to_openai(),
   messages=[
       {
           "role": "system",
           "content": "You are a helpful intranet assistant.",
       },
       {
           "role": "user",
           "content": "list up all employees",
       },
   ],
)

print(response)

AI SDK
TypeScript
Docs
Arrow icon in slider slide

import { anthropic } from "@ai-sdk/anthropic";
import { generateText, stepCountIs } from "ai";
import { StackOneToolSet } from "@stackone/ai";

const toolset = new StackOneToolSet({ baseUrl: "https://api.stackone.com" });

const tools = await toolset.fetchTools({
 accountIds: [process.env.STACKONE_ACCOUNT_ID!],
});

const { text } = await generateText({
 model: anthropic("claude-haiku-4-5-20251001"),
 prompt: "List up all employees",
 tools: await tools.toAISDK(),
 stopWhen: stepCountIs(5),
});

console.log(text);

Single Tool
Python
Docs
Arrow icon in slider slide

import os
from dotenv import load_dotenv
from langchain_openai import ChatOpenAI
from stackone_ai import StackOneToolSet

load_dotenv()

toolset = StackOneToolSet(
   base_url="https://api.stackone.com",
   api_key=os.getenv("STACKON_API_KEY")
)

tools = toolset.fetch_tools(account_ids=[os.getenv("STACKONE_ACCOUNT_ID")])

model = ChatOpenAI(model="gpt-5.1")
model_with_tools = model.bind_tools(tools.to_langchain())

result = model_with_tools.invoke(f"Find all employees in the engineering department")

print(result)

OpenAI Agents SDK
MCP
Docs
Arrow icon in slider slide

import os
import base64
from agents import Agent
from agents.mcp import MCPServerStreamableHttp, MCPServerStreamableHttpParams

# Configure StackOne account
STACKONE_ACCOUNT_ID = "<account_id>"  # Your StackOne account ID

# Encode API key for Basic auth
auth_token = base64.b64encode(
   f"{os.getenv('STACKONE_API_KEY')}:".encode()
).decode()

# Create MCP server connection
stackone_mcp = MCPServerStreamableHttp(
   params=MCPServerStreamableHttpParams(
       url="https://api.stackone.com/mcp",
       headers={
           "Authorization": f"Basic {auth_token}",
           "x-account-id": STACKONE_ACCOUNT_ID
       }
   )
)

# Create agent with StackOne tools
agent = Agent(
   model="gpt-5",
   mcp_servers=[stackone_mcp]
)

# Run agent
response = agent.run("List Salesforce accounts")
print(response.output)

Claude Desktop & API
MCP
Docs
Arrow icon in slider slide

{
 "mcpServers": {
   "stackone": {
     "command": "npx",
     "args": [
       "-y",
       "@modelcontextprotocol/client-http",
       "https://api.stackone.com/mcp"
     ],
     "env": {
       "MCP_HTTP_HEADERS": "{\"Authorization\":\"Basic YOUR_BASE64_TOKEN\",\"x-account-id\":\"YOUR_ACCOUNT_ID\",\"MCP-Protocol-Version\":\"2025-06-18\"}"
     }
   }
 }
}

Vercel AI ASK
MCP
Docs
Arrow icon in slider slide

import { generateText, stepCountIs } from "ai";
import { experimental_createMCPClient } from "@ai-sdk/mcp";

// Connect to StackOne MCP server
const mcp = await experimental_createMCPClient({
  transport: {
      type: "http",
      url: "https://api.stackone.com/mcp",
      headers: {
         Authorization: `Basic ${Buffer.from(`${process.env.STACKONE_API_KEY}:`).toString("base64")}`,
         "x-account-id": "<stackone_account_id>",
      },
   },
});

// Get StackOne tools
const tools = await mcp.tools();

// Use with any AI SDK provider
const result = await generateText({
   model: anthropic("claude-haiku-4-5-20251001"),
   tools,
   prompt: "List all employees", // update the prompt based on what you want your agent to do
   stopWhen: stepCountIs(2),
});

console.log(result.text);

Langchain
MCP
Docs
Arrow icon in slider slide

import os
import base64
from langchain_mcp_adapters import MultiServerMCPClient
from langchain.agents import AgentExecutor, create_tool_calling_agent
from langchain_openai import ChatOpenAI
from langchain.prompts import ChatPromptTemplate

# Configure StackOne account
STACKONE_ACCOUNT_ID = "<account_id>"  # Your StackOne account ID

# Encode API key for Basic auth
auth_token = base64.b64encode(
   f"{os.getenv('STACKONE_API_KEY')}:".encode()
).decode()

# Connect to StackOne MCP server
mcp_client = MultiServerMCPClient({
   "stackone": {
       "url": "https://api.stackone.com/mcp",
       "transport": "streamable_http",
       "headers": {
           "Authorization": f"Basic {auth_token}",
           "x-account-id": STACKONE_ACCOUNT_ID,
           "Content-Type": "application/json",
           "Accept": "application/json,text/event-stream",  # Required by MCP spec
           "MCP-Protocol-Version": "2025-06-18"
       }
   }
})

# Get StackOne tools
tools = mcp_client.list_tools()

# Create agent with StackOne tools
llm = ChatOpenAI(model="gpt-5")
prompt = ChatPromptTemplate.from_messages([
   ("system", "You are a helpful assistant with access to data from connected platforms."),
   ("human", "{input}"),
   ("placeholder", "{agent_scratchpad}")
])

agent = create_tool_calling_agent(llm, tools, prompt)
agent_executor = AgentExecutor(agent=agent, tools=tools)

# Run agent
result = agent_executor.invoke({"input": "List Salesforce accounts"})
print(result["output"])

Why an AI Agent Interface?
Achieve Precision in Every API Call.
Our AI interfaces empower your AI agents to execute actions in SaaS tools with greater accuracy than leading models to more than 200 enterprise connectors.
Less time tooling & debugging.
Eliminate the complexities of fragmented APIs and unreliable community MCP servers. Leverage over 3,000 pre-configured AI actions via StackOne's AI Toolset or MCP servers - no setup or maintenance needed.
Improve your product.
Using StackOne pre-mapped authentication & tools frees your engineering team to elevate your AI agents with best-in-class domain knowledge instead of focusing on tool declarations.
“”
We’ve been impressed by how quickly and deeply StackOne integrates with complex enterprise systems - and now, with their focus on agent-to-agent interoperability, they’re unlocking even more powerful use cases for customers.
Barbry McGann
Managing Director and SVP Workday Ventures
Features

AI-First Integrations.

Built with AI at the core, StackOne delivers deep, scalable integrations for agentic applications.
02

Pre-Built Authentication UI.

StackOne auto-detects and handles all authentication types via our embeddable Hub, clearing the path for your agents so they can focus on taking action without interruption while  simplifying each tool call.

Pre‑written instructions for all integrations mean faster onboarding and fewer “How do I connect?” emails - plus the freedom to swap in your own guides anytime.

StackOne simplifies multi-tenant tool call authentication using account identifiers, improving accuracy and reducing credential errors. The dashboard lets you control AI actions per project or tenant for fine-grained access with minimal effort.

This component will only work on the published/exported site. Full documentation in Finsweet's Attributes docs.
03

Breadth & Depth

StackOne provides everything you need to integrate, scale, and monitor every tool call - covering a wide range of tools with deep, customizable control

Real-time tool-call Logs & Metrics via our Dashboard, also accessible via api.
Build Your Own SaaS Tools and do it fast thanks to StackOne's integration copilot.
Unmatched breadth from mid market to enterprise SaaS.
Trigger events with native or synthetic webhooks.
Thousands of Actions for 100s of SaaS.
Webhook triggers for real-time notifications.
06

Open Source

StackOne is built with open-source at its core, from our use of Instructor or LangChain to Zod, vLLM, SST and more. That's why we're also commited to support and develop open-source projects to empower AI agent builders everywhere.

Disco.dev - MCP Hub
All servers available on Disco.dev are open source and can. StackOne has created dozens of MCP servers with 0 infra required to connect to all major LLM clients.
Explore and create MCP servers in GitHub.
Request your MCP server to be listed on Disco.
Open API Tool Generation
StackOne's stackone-ai-node SDK includes toolsets like OpenAPIToolSet for creating tools out of OpenAPI specifications
Recognised for performance, loved for simplicity.
StackOne is Workday Certified and a Workday Portfolio Company.
G2 - High PerformerG2 - Easiest To Do Business WithG2 - Users Love UsG2 - Users Most Likely To RecommendG2 - Easiest Admin
Customers

Product teams love building with StackOne.

G2 Logo
Rate star with g2 badgeRate star with g2 badgeRate star with g2 badgeRate star with g2 badgeRate star with g2 badge
Security & Privacy

Certified, Secure, Private.

StackOne is privacy-first. It's the only Universal Integration Layer that never stores your customers' data by default.
SOC2 II Certified
CCPA Compliant
GDPR Compliant
HIPAA Compliant

Start saying yes to your customers

All the tools you need to build real-time integrations, at scale, with best-in-class security & privacy.
Get Started Now
StackOne Logo
Credits
|
Global Business Tech Awards 2024 Finalist LogoGlobal Business Tech Awards 2024 Finalist Logo
LinkedIn IconTwitter IconGitHub Icon