OFFRE LIMITÉE : Obtenez 50 % de réduction la première année ! Code LAUNCH50 En profiter →

1-833-GOSITEME Appelez-nous 24 h/24, 7 j/7 - Sans frais
1-833-GOSITEME
Sans frais 24/7
Hébergement IA Token Packs SSL Certificates Training Server Support Configurer serveur IA
GoCodeMe en ligne Télécharger l'éditeur Alfred AI — 875+ Tools Voice & AI Products — From $3/mo
Répertoire d'outils Marché Tarifs À propos Cas d'utilisation Comparer Entreprise Documentation Journal des changements Fleet Dashboard Conference Rooms API Reference Getting Started Developer Portal Extensions IVR Builder Agent Templates Conversations Team Workspace SDKs Webhooks Analytics Creator Dashboard Help Center Security
Power-Up Add-Ons Domaines Actualités Contact Affiliate Program — Earn 20%
English Connexion Commencer
Docs Getting Started

Getting Started with Alfred AI

Go from zero to a fully deployed AI fleet in under 5 minutes. This guide walks you through account creation, your first API call, voice setup, and fleet deployment.

Free Trial: Alfred AI includes a 14-day free trial with full access to all 875+ tools. No credit card required to start.

Setup Overview

1. Create Account — Sign up via web or API (30 seconds)
2. Choose Plan — Starter, Professional, or Enterprise (1 minute)
3. First API Call — Execute a tool with one HTTP request (1 minute)
4. Try Voice — Talk to Alfred by phone or embed the widget (1 minute)
5. Build Agent — Create a specialized AI agent (1 minute)
6. Deploy Fleet — Launch multiple agents in parallel (30 seconds)

Step 1: Create an Account

1

Sign Up via the Web

Visit gositeme.com/alfred.php and click Get Started. Enter your name, email, and a password with at least 8 characters.

Or Register via API

POST /api/auth.php
cURL
curl -X POST https://gositeme.com/api/auth.php \
  -H "Content-Type: application/json" \
  -d '{
    "action": "register",
    "email": "you@example.com",
    "password": "your-secure-password",
    "name": "Your Name"
  }'
JavaScript
const response = await fetch('https://gositeme.com/api/auth.php', {
  method: 'POST',
  headers: { 'Content-Type': 'application/json' },
  body: JSON.stringify({
    action: 'register',
    email: 'you@example.com',
    password: 'your-secure-password',
    name: 'Your Name'
  })
});

const data = await response.json();
console.log(data.token); // "sess_abc123..."
Python
import requests

resp = requests.post('https://gositeme.com/api/auth.php', json={
    'action': 'register',
    'email': 'you@example.com',
    'password': 'your-secure-password',
    'name': 'Your Name'
})

data = resp.json()
print(data['token'])  # "sess_abc123..."

Response

JSON
{
  "success": true,
  "token": "sess_abc123def456...",
  "user": {
    "id": 42,
    "name": "Your Name",
    "email": "you@example.com",
    "plan": "trial"
  }
}
Note: Save your session token — you'll include it as a Bearer token in the Authorization header for all subsequent API calls.

Step 2: Choose a Plan

2

Available Plans

Alfred offers three plans, each with full access to all 875+ tools:

PlanPriceAPI CallsFleetsRate Limit
Starter$3.99/mo50/day1100 req/min
Professional$9.99/moUnlimited101,000 req/min
Enterprise$24.99/moUnlimitedUnlimited10,000 req/min

Visit the pricing page for full details, or query plans via the API:

cURL
curl https://gositeme.com/api/stripe.php?action=plans

Subscribe to a plan:

JavaScript
const checkout = await fetch('https://gositeme.com/api/stripe.php', {
  method: 'POST',
  headers: {
    'Content-Type': 'application/json',
    'Authorization': 'Bearer sess_abc123...'
  },
  body: JSON.stringify({
    action: 'create_checkout',
    plan: 'professional'
  })
}).then(r => r.json());

// Redirect user to Stripe checkout
window.location.href = checkout.checkout_url;

Step 3: Make Your First API Call

3

Execute a Tool

With your token in hand, you can call any of the 875+ tools. Let's start with a simple summarize_text call:

POST /api/tools.php?action=execute
JavaScript
const response = await fetch('https://gositeme.com/api/tools.php?action=execute', {
  method: 'POST',
  headers: {
    'Content-Type': 'application/json',
    'Authorization': 'Bearer sess_abc123...'
  },
  body: JSON.stringify({
    tool_name: 'summarize_text',
    args: {
      text: 'Alfred AI is a powerful platform with 875+ tools...',
      max_length: 100
    }
  })
});

const data = await response.json();
console.log(data.result);
// "Alfred AI provides 875+ tools for automation, voice, and fleet management."
Python
import requests

response = requests.post(
    'https://gositeme.com/api/tools.php?action=execute',
    headers={'Authorization': 'Bearer sess_abc123...'},
    json={
        'tool_name': 'summarize_text',
        'args': {
            'text': 'Alfred AI is a powerful platform with 875+ tools...',
            'max_length': 100
        }
    }
)

print(response.json()['result'])
PHP
$ch = curl_init('https://gositeme.com/api/tools.php?action=execute');
curl_setopt_array($ch, [
    CURLOPT_POST => true,
    CURLOPT_HTTPHEADER => [
        'Content-Type: application/json',
        'Authorization: Bearer sess_abc123...'
    ],
    CURLOPT_POSTFIELDS => json_encode([
        'tool_name' => 'summarize_text',
        'args' => [
            'text' => 'Alfred AI is a powerful platform with 875+ tools...',
            'max_length' => 100
        ]
    ]),
    CURLOPT_RETURNTRANSFER => true
]);

$result = json_decode(curl_exec($ch), true);
curl_close($ch);
echo $result['result'];
Quick Test: Browse available tools at gositeme.com/alfred-tools.php before calling them programmatically.

Step 4: Try Voice

4

Talk to Alfred

Alfred supports voice interaction via phone, web widget, and VAPI webhooks. Try it now:

Option A: Call by Phone

Dial 1-833-GOSITEME (1-833-467-4836) and talk to Alfred directly. Say things like:

Option B: Web Voice Widget

Visit gositeme.com/voice.php to try the browser-based voice interface. Or embed it in your own site:

HTML
<!-- Alfred Voice Widget -->
<script src="https://gositeme.com/assets/js/alfred-voice-widget.js"></script>
<script>
  AlfredVoice.init({
    token: 'sess_abc123...',
    position: 'bottom-right',
    theme: 'dark',
    greeting: 'Hi! How can I help you today?'
  });
</script>

For full voice integration details, see the Voice Integration Guide.

Step 5: Build an Agent

5

Create a Specialized Agent

Agents are AI instances with specific tool access, personality, and knowledge base. Create one that handles customer support:

JavaScript
const agent = await fetch('https://gositeme.com/api/fleet.php', {
  method: 'POST',
  headers: {
    'Content-Type': 'application/json',
    'Authorization': 'Bearer sess_abc123...'
  },
  body: JSON.stringify({
    action: 'create_agent',
    name: 'Support Bot',
    personality: 'Friendly and helpful customer support agent',
    tools: ['search_knowledge_base', 'create_ticket', 'summarize_text'],
    knowledge_base: 'kb_support_docs',
    voice_enabled: true,
    voice_engine: 'kokoro'
  })
}).then(r => r.json());

console.log(agent);
// { id: "agent_xyz", name: "Support Bot", status: "ready", tools: 3, voice: true }

Agent Configuration Options

FieldTypeDescription
namestringDisplay name for the agent
personalitystringSystem prompt / personality description
toolsarrayList of tool names the agent can use
knowledge_basestringKnowledge base ID to attach
voice_enabledbooleanEnable voice interaction
voice_enginestringTTS engine: kokoro, orpheus, cartesia, elevenlabs
max_tokensintegerMax response length (default: 4096)

Step 6: Deploy a Fleet

6

Launch Multiple Agents

Fleets let you deploy multiple agents working in parallel on related tasks. Perfect for customer support, content creation, or research.

JavaScript
const fleet = await fetch('https://gositeme.com/api/fleet.php', {
  method: 'POST',
  headers: {
    'Content-Type': 'application/json',
    'Authorization': 'Bearer sess_abc123...'
  },
  body: JSON.stringify({
    action: 'create_fleet',
    name: 'Customer Support Fleet',
    description: 'Handles inbound support tickets and live chat',
    agents: ['agent_xyz', 'agent_abc'],
    max_agents: 5,
    auto_scale: true
  })
}).then(r => r.json());

console.log(fleet);
// { id: "fleet_123", name: "Customer Support Fleet", status: "active", agents: 2 }
Python
import requests

fleet = requests.post(
    'https://gositeme.com/api/fleet.php',
    headers={'Authorization': 'Bearer sess_abc123...'},
    json={
        'action': 'create_fleet',
        'name': 'Research Fleet',
        'description': 'Parallel research and analysis agents',
        'agents': ['agent_researcher', 'agent_analyst'],
        'max_agents': 10,
        'auto_scale': True
    }
).json()

print(f"Fleet {fleet['id']} created with {fleet['agents']} agents")

Monitor your fleet from the Fleet Dashboard or via the API:

cURL
curl -H "Authorization: Bearer sess_abc123..." \
  "https://gositeme.com/api/fleet.php?action=status&fleet_id=fleet_123"

# {
#   "id": "fleet_123",
#   "name": "Customer Support Fleet",
#   "status": "active",
#   "agents": 2,
#   "tasks_completed": 147,
#   "avg_response_time": "1.2s",
#   "uptime": "99.97%"
# }

What's Next?

You're all set! Here are the best places to go from here:

Need Help? Chat with Alfred directly at gositeme.com/alfred.php, call 1-833-GOSITEME, or email support@gositeme.com.

Someone from somewhere

just launched website.com

Just now