Quick Start
This guide will help you create your first AI agent with Axiomkit in under 5 minutes. We'll build a simple calculator bot that demonstrates the core concepts.
Prerequisites
Before you begin, ensure you have:
- Node.js (v18 or higher)
- Package manager (pnpm,yarn or npm)
- Get an AI API Key:
- Groq API key
- Gemini API key
- OpenAI API key
- See other supported AI SDK Providers
 
While this example demonstrates the process using Groq, you can substitute it with a different LLM API of your choice.
Install Guide
Quick Start
The fastest way to scaffold a new agent project is by using the @axiomkit/create-agent
Step 1: Initialize your project and install core packages:
npx @axiomkit/create-agent axiom-agentThis command will:
- Create a new project directory with your agent’s name
- Initialize a package.json with all required dependencies
- Scaffold an index.ts file preconfigured with selected providers
- Generate a .env.example with required environment variables
- Automatically install all dependencies using your package manage
Step 2: Choose providers when prompted:
$ npx @axiomkit/create-agent axiom-agent
🚀 Initializing new AxiomKit agent...
🔧 Choose providers for your agent:
? Select providers to include › Use space to select, enter to confirm 
Instructions:
    ↑/↓: Highlight option
    ←/→/[space]: Toggle selection
    a: Toggle all
    enter/return: Complete answer
◯   CLI - Command-line interface for terminal interactions
◯   Telegram
◯   DiscordStep 3: Configure Environment
Create a .env from .env.example file in your project root:
cp .env.example .envSetting and Edit Your .env
# .env
GROQ_API_KEY=your_groq_api_key_here
NODE_ENV=developmentStep 4: Create Your First Agent
Create an index.ts file:
import { createAgent, LogLevel } from "@axiomkit/core";
import { cliProvider } from "@axiomkit/cli";
import { groq } from "@ai-sdk/groq";
// Create a simple calculator agent
const calculatorAgent = createAgent({
  logLevel: LogLevel.DISABLED,
  model: groq("gemma2-9b-it"),
  providers: [cliProvider],
});
async function main() {
  try {
    console.log("🧮 Calculator Agent started!");
    console.log("Try asking: 'What is 2 + 2?' or 'Calculate 15% of 200'");
    await calculatorAgent.start({
      id: "calulator-agent",
    });
  } catch (error) {
    console.error("Failed to start agent:", error);
  }
}
main();
Step 4: Run Your Agent
# Run the agent
pnpm start
# Or if using Bun
bun run index.tsYou should see output like:
🧮 Calculator Agent started!
Try asking: 'What is 2 + 2?' or 'Calculate 15% of 200'
> Step 5: Test Your Agent
Try these example interactions:
> What is 2 + 2?
Agent: 2 + 2 = 4
> Calculate 15% of 200
Agent: 15% of 200 = 30
> What is the square root of 16?
Agent: The square root of 16 is 4
> exitUnderstanding the Code
Let's break down what we just created:
1. Agent Configuration
const calculatorAgent = createAgent({
  model: groq("gemma2-9b-it"),  // Language model
  providers: [cliProvider],   // CLI interface
});2. Model Selection
- groq("gemma2-9b-it")- Fast, free model
- Alternative: openai("gpt-4")for OpenAI
- Alternative: anthropic("claude-3-sonnet")for Anthropic
3. Provider
- cliExtension- Provides command-line interface
- Other options: discord,telegram, custom providers
Next Steps
Add Custom Actions
Enhance your agent with custom functionality:
import { action } from "@axiomkit/core";
import { z } from "zod";
const weatherAction = action({
  name: "get-weather",
  description: "Get weather information for a location",
  schema: z.object({
    location: z.string().describe("City or location name"),
  }),
  handler: async (args, ctx, agent) => {
    const { location } = args;
    
    // Call weather API (example)
    const weather = await fetchWeather(location);
    
    return {
      location,
      temperature: weather.temperature,
      condition: weather.condition,
    };
  },
});
const agent = createAgent({
  model: groq("gemma2-9b-it"),
  providers: [cliExtension],
  actions: [weatherAction],
});Add Memory
Enable your agent to remember conversations:
import { MemorySystem } from "@axiomkit/core";
const memory = new MemorySystem({
  providers: {
    episodic: new InMemoryKeyValueProvider(),
  },
});
const agent = createAgent({
  model: groq("gemma2-9b-it"),
  providers: [cliExtension],
  memory,
});Add Custom Context
Create domain-specific behavior:
import { context } from "@axiomkit/core";
import { z } from "zod";
const userContext = context({
  type: "user-session",
  schema: z.object({
    userId: z.string(),
  }),
  key: ({ userId }) => userId,
  create: (state) => ({
    preferences: {},
    history: [],
  }),
  render: ({ memory }) => `
    User Session:
    Preferences: ${Object.keys(memory.preferences).length}
    History: ${memory.history.length} interactions
  `,
});
const agent = createAgent({
  model: groq("gemma2-9b-it"),
  providers: [cliExtension],
  contexts: [userContext],
});Common Issues & Solutions
1. API Key Errors
# Check if environment variable is set
echo $GROQ_API_KEY
# If not set, add to your shell profile
export GROQ_API_KEY=your_key_here2. Module Resolution Errors
# Ensure TypeScript is configured
npx tsc --init
# Add to tsconfig.json
{
  "compilerOptions": {
    "module": "ESNext",
    "moduleResolution": "Node",
    "esModuleInterop": true,
    "allowSyntheticDefaultImports": true
  }
}3. Permission Errors
# Fix file permissions
chmod +x index.ts
# Or run with node
node --loader ts-node/esm index.tsAdvanced Configuration
Model Settings
const agent = createAgent({
  model: groq("gemma2-9b-it"),
  modelSettings: {
    maxTokens: 1000,        // Maximum response length
    temperature: 0.7,       // Creativity (0-1)
    topP: 0.9,             // Nucleus sampling
    frequencyPenalty: 0.1,  // Reduce repetition
    presencePenalty: 0.1,   // Encourage new topics
  },
  providers: [cliExtension],
});Error Handling
const agent = createAgent({
  model: groq("gemma2-9b-it"),
  providers: [cliExtension],
  errorHandling: {
    retryAttempts: 3,
    retryDelay: 1000,
    logErrors: true,
    gracefulDegradation: true,
  },
});Logging
import { Logger } from "@axiomkit/core";
const logger = new Logger({
  level: "info",
  format: "json",
  destination: "file",
});
const agent = createAgent({
  model: groq("gemma2-9b-it"),
  providers: [cliExtension],
  logger,
});What's Next?
Now that you have a basic agent running, explore:
- Packages Documentation - Learn about all available packages
- Architecture Guide - Understand core concepts
- Memory System - Add persistent memory
- Platform providers - Integrate with Discord, Telegram, and more
- Examples - See more complex examples
Getting Help
- Documentation: Browse the full documentation
- GitHub Issues: Report bugs and request features
- Community Discord: Get help from other developers
- Examples Repository: Study working examples
Congratulations! You've successfully created your first AI agent with Axiomkit. 🎉
 pnpm add @axiomkit/core @axiomkit/cli @ai-sdk/groq zodnpm install @axiomkit/core @axiomkit/cli @ai-sdk/openai zod bun add @axiomkit/core @axiomkit/cli @ai-sdk/openai zod yarn add @axiomkit/core @axiomkit/cli @ai-sdk/openai zod