Your API Key

This key will be used for all API requests made from this page.

Introduction

The NOA API Network™ provides powerful AI capabilities with context awareness and memory management.

Key Features

  • Advanced AI chat capabilities with context awareness
  • Self-updating AI memory system (SoulSync™) for maintaining conversation context
  • Web browsing and search integration for up-to-date information
  • Session management for conversation persistence
  • Insights generation from conversation history
  • Short-term and long-term memory management for more natural interactions

Rate Limits

API usage is subject to rate limits based on your subscription plan:

Plan Features Rate Limits
Premium Full access (chat, insights, advanced features) Unlimited
Normal Standard access (chat, insights) 10,000 requests/week
Test Limited access (chat only) 100 requests/month

Note: When rate limits are exceeded, the API returns a 429 status code with reset time information.

Authentication

All API requests require an API key passed via the X-API-Key header.

curl -X POST "https://noa-api-162224918694.europe-west2.run.app/api/chat" \
  -H "X-API-Key: your-api-key" \
  -H "Content-Type: application/json" \
  -d '{"prompt": "Hello, NOA!"}'

Session Tokens

NOA API uses session tokens to maintain context between requests. Session tokens are automatically created on your first request and returned in the response. Subsequent requests should include the session token in the X-Session-ID header.

curl -X POST "https://noa-api-162224918694.europe-west2.run.app/api/chat" \
  -H "X-API-Key: your-api-key" \
  -H "X-Session-ID: your-session-token" \
  -H "Content-Type: application/json" \
  -d '{"prompt": "Hello again!"}'

API keys are tied to specific plans which determine rate limits and available features. To get started, you'll need to obtain an API key from the dashboard.

Chat Endpoints All Plans

POST /api/chat
Chat with NOA

Send a message to NOA and receive a response. This endpoint enables natural conversational interactions with the AI.

curl -X POST "https://noa-api-162224918694.europe-west2.run.app/api/chat" \
  -H "X-API-Key: your-api-key" \
  -H "Content-Type: application/json" \
  -d '{"prompt": "Tell me about quantum computing"}'
import requests

url = "https://noa-api-162224918694.europe-west2.run.app/api/chat"
headers = {
    "X-API-Key": "your-api-key",
    "Content-Type": "application/json"
}
data = {
    "prompt": "Tell me about quantum computing"
}

response = requests.post(url, headers=headers, json=data)
result = response.json()
print(result["response"])

# Save the session token for future requests
session_token = result["session_token"]
print(f"Session token: {session_token}")
async function chatWithNOA() {
    const response = await fetch('https://noa-api-162224918694.europe-west2.run.app/api/chat', {
        method: 'POST',
        headers: {
            'X-API-Key': 'your-api-key',
            'Content-Type': 'application/json'
        },
        body: JSON.stringify({
            prompt: 'Tell me about quantum computing'
        })
    });
    
    const data = await response.json();
    console.log(data.response);
    
    // Save the session token for future requests
    const sessionToken = data.session_token;
    console.log(`Session token: ${sessionToken}`);
}
Response will appear here...
Test Examples:
Basic Chat
{"prompt": "Tell me about quantum computing"}
Web Search Chat
{"prompt": "browse web latest AI developments"}
POST /api/chat/stream
Streaming Chat

Stream responses from NOA as they're generated using server-sent events (SSE). This provides a more interactive experience with partial responses displayed as they're created.

async function streamChat() {
    const apiKey = "your-api-key";
    const prompt = "Tell me a story";
    
    try {
        // Make POST request with appropriate headers
        const response = await fetch('https://noa-api-162224918694.europe-west2.run.app/api/chat/stream', {
            method: 'POST',
            headers: {
                'X-API-Key': apiKey,
                'Content-Type': 'application/json',
                'Accept': 'text/event-stream'
            },
            body: JSON.stringify({ prompt: prompt }),
        });
        
        // Get a reader from the response body
        const reader = response.body.getReader();
        const decoder = new TextDecoder('utf-8');
        let fullResponse = "";
        
        // Process the stream
        while (true) {
            const {value, done} = await reader.read();
            if (done) break;
            
            // Decode the chunk
            const chunk = decoder.decode(value, {stream: true});
            const lines = chunk.split('\n');
            
            // Process each line
            for (const line of lines) {
                if (line.startsWith('data: ')) {
                    try {
                        const data = JSON.parse(line.substring(6));
                        
                        if (data.chunk) {
                            // Append the chunk to the response
                            fullResponse += data.chunk;
                            console.log("Received chunk:", data.chunk);
                        }
                        
                        if (data.done) {
                            console.log("Stream complete. Full response:", fullResponse);
                            return fullResponse;
                        }
                        
                        if (data.error) {
                            console.error("Error:", data.error);
                            throw new Error(data.error);
                        }
                    } catch (e) {
                        if (line.trim() && !line.includes('keep-alive')) {
                            console.error("Error parsing event:", e, line);
                        }
                    }
                }
            }
        }
        
        return fullResponse;
    } catch (error) {
        console.error("Stream error:", error);
        throw error;
    }
}
import requests
import json

def stream_chat():
    url = "https://noa-api-162224918694.europe-west2.run.app/api/chat/stream"
    headers = {
        "X-API-Key": "your-api-key",
        "Content-Type": "application/json",
        "Accept": "text/event-stream"
    }
    data = {
        "prompt": "Tell me a story"
    }
    
    # Make POST request with stream=True
    response = requests.post(url, headers=headers, json=data, stream=True)
    
    full_response = ""
    
    # Process the stream
    for line in response.iter_lines():
        if line:
            # Filter out keep-alive lines
            if line.startswith(b'data:'):
                data_str = line.decode('utf-8')[5:]  # Remove 'data:' prefix
                try:
                    data = json.loads(data_str)
                    
                    if 'chunk' in data:
                        chunk = data['chunk']
                        full_response += chunk
                        print("Chunk:", chunk, end="", flush=True)
                    
                    if 'done' in data and data['done']:
                        print("\nStream complete.")
                        break
                        
                    if 'error' in data:
                        print("\nError:", data['error'])
                        break
                        
                except json.JSONDecodeError:
                    print("Error parsing JSON:", data_str)
    
    return full_response
Streaming response will appear here...
Test Examples:
Basic Streaming
{"prompt": "Explain blockchain technology"}
POST /api/chat
Web Search Chat Basic+

Send a web search query to NOA and get a response based on current web search results.

curl -X POST "https://noa-api-162224918694.europe-west2.run.app/api/chat" \
  -H "X-API-Key: your-api-key" \
  -H "Content-Type: application/json" \
  -d '{"prompt": "browse web what is the latest news about AI"}'
Response will appear here...
Test Examples:
Current Events Search
{"prompt": "latest developments in quantum computing"}

Session Management Basic+

Sessions in NOA API allow you to maintain context across multiple requests. Each session has its own isolated memory and conversation history.

Sessions expire after 24 hours of inactivity by default. For optimal performance, create new sessions for unrelated conversations.

GET /api/sessions
List All Sessions

Retrieve a list of all active sessions associated with your API key.

curl -X GET "https://noa-api-162224918694.europe-west2.run.app/api/sessions" \
  -H "X-API-Key: your-api-key"
Response will appear here...
POST /api/sessions/new
Create New Session Premium

Explicitly create a new session. Note: Premium users can create multiple sessions, while other plans reuse existing sessions.

curl -X POST "https://noa-api-162224918694.europe-west2.run.app/api/sessions/new" \
  -H "X-API-Key: your-api-key"
Response will appear here...
POST /api/chat (with existing session)
Test Existing Session

Connect to an existing session using its session ID.

curl -X POST "https://noa-api-162224918694.europe-west2.run.app/api/chat" \
  -H "X-API-Key: your-api-key" \
  -H "X-Session-ID: your-session-id" \
  -H "Content-Type: application/json" \
Response will appear here...
Note: This test will attempt to connect to an existing session and send a test message. If the session exists and is valid, it will be reactivated and used for subsequent requests.
DELETE /api/sessions/{session_id}
Delete Session

Delete a specific session and its associated data.

curl -X DELETE "https://noa-api-162224918694.europe-west2.run.app/api/sessions/SESSION-ID" \
  -H "X-API-Key: your-api-key"
Response will appear here...
GET /api/sessions/{session_id}/sessioninfo
Get Session Insights Premium

Retrieve insights and analytics for a specific session, including memory management statistics.

Automatic Memory Management

Our system automatically handles memory optimization:

  • Short-term messages are transferred to long-term memory every 10 user queries
  • Long-term messages are summarized every 4 hours to maintain context over time
  • This process runs automatically, allowing developers to focus on user experience
curl -X GET "https://noa-api-162224918694.europe-west2.run.app/api/sessions/your-session-id/sessioninfo" \
  -H "X-API-Key: your-api-key"
Response will appear here...
POST /api/insights/generate
Generate Session Insights Premium

Generate new insights for the current session based on conversation history.

curl -X POST "https://noa-api-162224918694.europe-west2.run.app/api/insights/generate" \
  -H "X-API-Key: your-api-key" \
  -H "X-Session-ID: your-session-id"
Response will appear here...

Memory & Insights

NOA's memory system is designed to maintain context over long conversations. The memory is divided into two main components:

  • Short-term memory: Stores recent conversation messages for immediate context
  • Long-term memory: Stores important information transferred from short-term memory for persistent context

After a threshold of messages (default: 10), messages are automatically transferred from short-term to long-term memory, and periodically summarized to maintain efficiency.

GET /api/memory
Get Memory Status

Retrieve the current status of the AI's memory.

curl -X GET "https://noa-api-162224918694.europe-west2.run.app/api/memory" \
  -H "X-API-Key: your-api-key"
Response will appear here...
Memory Type Tests:
Short-term Memory
Long-term Memory
All Memory
POST /api/memory/clear
Clear Memory

Clear the AI's memory for the current session.

curl -X POST "https://noa-api-162224918694.europe-west2.run.app/api/memory/clear" \
  -H "X-API-Key: your-api-key"
Response will appear here...
Clear Memory Tests:
Clear Short-term Memory
Clear Long-term Memory
Clear All Memory

Analytics Premium

Track your API usage and understand how you're consuming the service with detailed analytics.

GET /api/usage
Get API Usage

Retrieve usage statistics for your API key, including request count and rate limits.

curl -X GET "https://noa-api-162224918694.europe-west2.run.app/api/usage" \
  -H "X-API-Key: your-api-key"
Response will appear here...

Plugin Marketplace Coming Soon

The Plugin Marketplace is currently under development and will be available soon. This feature will allow you to extend NOA's capabilities with custom plugins.

Best Practices

Session Management

  • Use sessions for conversation context across multiple requests
  • Keep the returned session token to continue conversations
  • Sessions expire after 24 hours of inactivity by default
  • Create new sessions for unrelated conversations

Rate Limiting Strategy

  • Implement exponential backoff when encountering rate limits
  • Read reset time information from 429 responses
  • Distribute requests evenly over time
  • Consider upgrading your plan if you consistently hit limits

Security

  • Store your API key securely
  • Use HTTPS for all API requests
  • Don't expose your API key in client-side code
  • Delete sessions that are no longer needed

SoulSync™ Technology

SoulSync™ is NOA's AI memory management system that:

  • Processes user messages into short-term and long-term memory
  • Generates insights from conversations
  • Provides more personalized responses over time
  • Manages memory overflow for optimal performance

Memory Structure

The NOA memory system has two main components:

  • Short-term memory: Recent conversation messages
  • Long-term memory: Important information transferred from short-term memory

After a threshold of messages (default: 10), user messages are automatically transferred from short-term to long-term memory.

Automatic Memory Management

Our system automatically handles memory optimization:

  • Short-term messages are transferred to long-term memory every 10 user queries
  • Long-term messages are summarized every 4 hours to maintain context over time
  • This process runs automatically, allowing developers to focus on user experience

Implementation Notes

For consistent and reliable integrations:

  • Always check response codes and handle errors appropriately
  • Store and reuse session tokens for related conversations
  • Use streaming endpoints for better user experience with longer responses
  • Generate insights periodically to improve response quality

Sample Implementation (Python)

import requests

API_KEY = "your-api-key-here"
BASE_URL = "https://noa-api-162224918694.europe-west2.run.app"  # Updated deployment URL

# Start a new session
session_response = requests.post(
    f"{BASE_URL}/api/sessions/new",
    headers={"X-API-Key": API_KEY}
)
session_data = session_response.json()
session_id = session_data["session_id"]

# Send a chat message
chat_response = requests.post(
    f"{BASE_URL}/api/chat",
    headers={
        "X-API-Key": API_KEY,
        "X-Session-ID": session_id
    },
    json={"prompt": "Hello, who are you?"}
)

# Print the response
print(chat_response.json())

Sample Implementation (JavaScript)

const API_KEY = "your-api-key-here";
const BASE_URL = "https://noa-api-162224918694.europe-west2.run.app";  // Updated deployment URL

// Start a new session
async function startSession() {
  const response = await fetch(`${BASE_URL}/api/sessions/new`, {
    method: "POST",
    headers: {
      "X-API-Key": API_KEY
    }
  });
  const data = await response.json();
  return data.session_id;
}

// Send a chat message
async function sendMessage(sessionId, message) {
  const response = await fetch(`${BASE_URL}/api/chat`, {
    method: "POST",
    headers: {
      "X-API-Key": API_KEY,
      "X-Session-ID": sessionId,
      "Content-Type": "application/json"
    },
    body: JSON.stringify({
      prompt: message
    })
  });
  return response.json();
}

// Usage
(async () => {
  const sessionId = await startSession();
  const chatResponse = await sendMessage(sessionId, "Hello, who are you?");
  console.log(chatResponse);
})();

Error Handling

Common HTTP Status Codes

Status Code Description
200 OK Request successful
400 Bad Request Invalid request parameters
401 Unauthorized Missing API key
403 Forbidden Insufficient permissions for requested resource
404 Not Found Endpoint or resource not found
429 Too Many Requests Rate limit exceeded
500 Internal Server Error Server-side error

Example Error Responses

Missing API Key
{
  "detail": "API Key is missing. Please provide a valid API key in the X-API-Key header."
}
Invalid API Key
{
  "detail": "Invalid API Key. Please provide a valid API key."
}
Rate Limit Exceeded
{
  "detail": "Resource exhausted. Please try again later. Rate limit exceeded for your plan (normal). Limit resets at 2023-09-30 00:00:00"
}