Introduction to Spykio

Spykio provides high-precision document retrieval capabilities with accuracy that exceeds traditional RAG (Retrieval Augmented Generation) systems. Our API allows you to upload documents and query them with natural language to get precise answers and references.

Beta Access
Spykio is currently in closed beta. If you haven't received access yet, join our waitlist.

Quick Start

Get started quickly with our JavaScript client:

Terminal
npm install @luminarix/client

Basic usage:

JavaScript
import { LuminarixClient } from '@luminarix/client';
  
  const client = new LuminarixClient({
    apiKey: 'your_api_key_here'
  });
  
  // Upload a document
  const docId = await client.uploadDocument({
    content: 'Document content or file...',
    metadata: { title: 'Sample Document' }
  });
  
  // Query the document
  const results = await client.query({
    text: 'What does this document discuss?',
    docIds: [docId]
  });

Installation

Client Libraries

Spykio provides official client libraries for several programming languages:

Terminal
npm install @luminarix/client

Our Node.js client works in both browser and server environments.

API Keys

To use Spykio, you'll need an API key. You can find your API key in the dashboard settings.

API Key Security
Keep your API key secure and never expose it in client-side code. Use environment variables or a secure backend to store your keys.

Document Upload

Spykio supports uploading various document formats, including PDF, DOCX, TXT, HTML, and more. You can upload documents via the API or through our dashboard interface.

API Upload

JavaScript
// Upload a document from text
  const textDocId = await client.uploadDocument({
    content: 'This is the full text content of my document...',
    metadata: {
      title: 'Sample Text Document',
      author: 'John Doe',
      tags: ['sample', 'text'],
      created_at: '2023-05-15'
    }
  });
  
  // Upload a document from a file (Node.js)
  const fs = require('fs');
  const fileContent = fs.readFileSync('document.pdf');
  
  const fileDocId = await client.uploadDocument({
    content: fileContent,
    filename: 'document.pdf',
    metadata: {
      title: 'Sample PDF Document',
      author: 'Jane Smith',
      tags: ['sample', 'pdf']
    }
  });

Upload Options

ParameterTypeRequiredDescription
contentstring | BufferYesThe document content or file buffer
filenamestringNoOriginal filename (required for files)
metadataobjectNoCustom metadata about the document
collection_idstringNoCollection to add the document to

Supported Document Formats

PDF Documents

.pdf

Word Documents

.doc, .docx

Text Files

.txt

Spreadsheets

.csv, .xlsx

JSON Data

.json

HTML/Web Content

.html, .htm

Best Practices

For optimal retrieval performance:

  • Include relevant metadata with your documents
  • Split very large documents into logical sections
  • Use descriptive filenames
  • Include the document creation date when available
  • Add keyword tags to improve searchability

Querying Documents

Spykio's document retrieval excels at understanding the semantic meaning of your queries and returning precisely relevant document sections.

Basic Queries

JavaScript
// Query across all your documents
  const results = await client.query({
    text: "What are the key performance metrics?",
    limit: 5  // Return top 5 most relevant results
  });
  
  // Query specific documents
  const results = await client.query({
    text: "What are the key performance metrics?",
    docIds: ['doc_123', 'doc_456'],  // Only search these documents
    limit: 5
  });
  
  // Print results
  results.matches.forEach(match => {
    console.log(`Score: ${match.score}`);
    console.log(`Document: ${match.metadata.title}`);
    console.log(`Content: ${match.content}`);
    console.log('---');
  });

Query Parameters

ParameterTypeRequiredDescription
textstringYesThe query text to search for
docIdsstring[]NoSpecific document IDs to search
limitnumberNoMax number of results (default: 10)
min_scorenumberNoMinimum relevance score (0-1)
filtersobjectNoMetadata filters to apply

Advanced Querying

Spykio supports advanced query options for more precise retrieval needs:

Metadata Filtering

Filter results by document metadata:

const results = await client.query({
    text: "budget projections",
    filters: {
      // Only documents from Finance dept
      department: "Finance",
      // Only docs created after this date
      created_at: { $gt: "2023-01-01" }
    }
  });

Similarity Threshold

Control precision with thresholds:

const results = await client.query({
    text: "Q4 financial results",
    // Only return high confidence matches
    min_score: 0.85,
    // Include document sections for context
    include_context: true
  });

Rate Limits & Quotas

Spykio implements rate limits to ensure fair usage of the platform. Rate limits vary by plan tier.

PlanRequests/minDocument Uploads/dayStorage Limit
Free60100100 MB
Pro3001,00010 GB
Business1,20010,000100 GB
EnterpriseCustomUnlimitedCustom
Rate Limit Headers
Our API includes rate limit information in response headers: X-RateLimit-Limit, X-RateLimit-Remaining, and X-RateLimit-Reset.

Best Practices

Recommended

  • Implement exponential backoff for retries
  • Cache frequently accessed results
  • Batch document uploads when possible
  • Monitor your usage with dashboard analytics

Avoid

  • Polling the API at high frequencies
  • Making duplicate queries in short timeframes
  • Uploading the same document multiple times
  • Ignoring rate limit response headers

API Reference

Complete documentation for all Spykio API endpoints. The base URL for all API requests is https://api.luminarix.com/v1.

Upload Document

POST/documents

Request Parameters

NameTypeRequiredDescription
contentstring | fileYesDocument content or file
metadataobjectNoDocument metadata
filenamestringNoOriginal filename

Example Request

curl
curl -X POST https://api.luminarix.com/v1/documents \
    -H "Authorization: Bearer YOUR_API_KEY" \
    -F "content=@document.pdf" \
    -F 'metadata={"title":"Annual Report 2023","author":"Finance Team"}'

Example Response

JSON
{
    "id": "doc_1a2b3c4d5e6f",
    "status": "processing",
    "created_at": "2023-07-15T10:23:47Z",
    "metadata": {
      "title": "Annual Report 2023",
      "author": "Finance Team"
    }
  }

Help Improve Our Documentation

Was this documentation helpful? Please let us know if you have any feedback or suggestions.