ArcFlow
Company
Managed Services
Markets
  • News
  • LOG IN
  • GET STARTED

OZ brings Visual Intelligence to physical venues, a managed edge layer that lets real-world environments see, understand, and act in real time.

Talk to us

ArcFlow

  • World Models
  • Sensors

Managed Services

  • OZ VI Venue 1
  • Case Studies

Markets

  • Sports
  • Broadcasting
  • Robotics

Company

  • About
  • Technology
  • Careers
  • Contact

Ready to see it live?

Talk to the OZ team about deploying at your venues, from a single pilot match to a full regional rollout.

Schedule a deployment review

© 2026 OZ. All rights reserved.

LinkedIn
ArcFlow Docs
Get Started
  • Get Started
  • Quickstart
  • Installation
  • Project Setup
  • Platforms
  • Bindings
  • Licensing
  • Pricing
Capabilities
  • Vector Search
  • Graph Algorithms
  • Sync
  • MCP Server (AI Agents)
  • Live Queries
  • Programs
  • Temporal
  • Spatial
  • Trusted RAG
  • Behavior Graph
  • Agent-Native
  • Event Sourcing
  • GPU Acceleration
  • Intent Relay
Concepts
  • World Model
  • Graph Model
  • Query Language (GQL)
  • Graph Patterns
  • SQL vs GQL
  • Parameters
  • Query Results
  • Persistence & WAL
  • Error Handling
  • Observations & Evidence
  • Confidence & Provenance
  • Proof Artifacts & Gates
  • Skills
GQL / WorldCypher
  • Overview
  • MATCH
  • WHERE
  • RETURN
  • OPTIONAL MATCH
  • CREATE
  • SET
  • MERGE
  • DELETE
  • REMOVE
  • WITH
  • UNION
  • UNWIND
  • CASE
  • Spatial Queries
  • Temporal Queries
  • Algorithms Reference
  • Triggers
Schema
  • Overview
  • Indexes
  • Constraints
  • Data Types
Functions
  • Built-in Functions
  • Aggregations
  • Procedures
  • Shortest Path
  • EXPLAIN
  • PROFILE
Skills
  • Overview
  • CREATE SKILL
  • PROCESS NODE
  • REPROCESS EDGES
Operations
  • CLI
  • REPL Commands
  • Snapshot & Restore
  • Server Modes & PG Wire
  • Persistence
  • Import & Export
  • Docker
  • Architecture
  • Cloud Architecture
  • Sync Protocol (Deep Dive)
Guides
  • Agent Integration
  • World Model
  • Graph Model Fundamentals
  • Trusted RAG
  • Using Skills
  • Behavior Graphs
  • Swarm & Multi-Agent
  • Migration Guide
  • Filesystem Workspace
  • From SQL to GQL
  • ArcFlow for Coding Agents
  • Data Quality & Pipeline Integrity
  • Code Intelligence
Tutorials
  • Knowledge Graph
  • Entity Linking
  • Vector Search
  • Graph Algorithms
Recipes
  • CRUD
  • Multi-MATCH
  • MERGE (Upsert)
  • Full-Text Search
  • Temporal Queries
  • Batch Projection
  • GraphRAG
Use Cases
  • Agent Tooling
  • Knowledge Management
  • RAG Pipeline
  • Fraud Detection
  • Sports Analytics
  • Grounded Neural Objects
  • Behavior Graphs
  • Autonomous Systems
  • Digital Twins
  • Robotics & Perception
Reference
  • TypeScript API
  • GQL Conformance
  • Compatibility Matrix
  • Glossary
  • Data Types
  • Operators
  • Error Codes
  • Known Issues

Use Case: Knowledge Management

Build a persistent world model of your domain — entities extracted from documents, relationships with confidence scores and provenance, queryable with graph algorithms and semantic search. Not a knowledge graph bolted onto a vector store — a unified engine where all dimensions are first-class.

The problem#

Your application processes documents, conversations, or data feeds and needs to:

  • Extract entities (people, organizations, events, concepts)
  • Link entities across sources
  • Score relationship confidence
  • Search by meaning, not just keywords
  • Find hidden connections via graph traversal

Why ArcFlow#

The knowledge graph is the world model. When an agent extracts a fact, it writes to the same engine it queries from. When a second agent reads that fact, it gets the confidence score, the provenance edge, and the temporal history — not a chunk of text. When you run PageRank, you're running it over the same graph that answers your semantic search. No pipeline between systems. No consistency gap.

  • Single engine — graph storage, vector search, full-text search, and algorithms in one process
  • Multi-agent ready — agent A writes observations, agent B queries them; no broker, no sync layer
  • Fact-based, not chunk-based — confidence scores and provenance on every relationship, not just on retrieved text
  • Temporal — query the world model as it existed at any point in time; track how entity understanding evolved

Architecture#

Data Sources → Extraction Pipeline → ArcFlow Graph → Query API → Application
                                         ↕
                                   Vector Index
                                   Full-Text Index
                                   Graph Algorithms

Implementation sketch#

import { open } from 'arcflow'
 
const db = open('./knowledge-graph')
 
// Ingest pipeline: extract entities and facts from documents
function ingestDocument(doc: Document, extractedEntities: Entity[], extractedFacts: Fact[]) {
  // Create document node
  db.mutate("MERGE (d:Document {id: $id, title: $title, embedding: $emb})", {
    id: doc.id, title: doc.title, emb: JSON.stringify(doc.embedding)
  })
 
  // Create entity nodes
  const entityMutations = extractedEntities.map(e =>
    `MERGE (n:${e.type} {id: '${e.id}', name: '${e.name}'})`
  )
  db.batchMutate(entityMutations)
 
  // Create facts with confidence
  for (const fact of extractedFacts) {
    db.batchMutate([
      `MERGE (f:Fact {uuid: '${fact.id}', predicate: '${fact.predicate}', confidence: ${fact.confidence}})`,
      `MATCH (s {id: '${fact.subjectId}'}) MATCH (f:Fact {uuid: '${fact.id}'}) MERGE (s)-[:SUBJECT_OF]->(f)`,
      `MATCH (f:Fact {uuid: '${fact.id}'}) MATCH (o {id: '${fact.objectId}'}) MERGE (f)-[:OBJECT_IS]->(o)`,
    ])
  }
}
 
// Query: semantic search + graph expansion
function search(queryEmbedding: number[]) {
  const docs = db.query(
    "CALL algo.vectorSearch('doc_embeddings', $v, 5)",
    { v: JSON.stringify(queryEmbedding) }
  )
 
  const entities = db.query("CALL algo.pageRank()")
  const communities = db.query("CALL algo.louvain()")
 
  return { docs, entities, communities }
}
 
## See Also
 
- [Trusted RAG](/trusted-rag) — confidence-filtered retrieval from the knowledge world model
- [Vector Search](/vector-search) — vector similarity search and hybrid vector + graph retrieval
- [Graph Algorithms](/algorithms) — `algo.entityResolution()`, `algo.factContradiction()`, `algo.semanticDedup()`
- [Skills](/skills) — declarative extraction pipelines with `CREATE SKILL` and `PROCESS NODE`
- [Confidence & Provenance](/concepts/confidence-and-provenance) — provenance trails from documents to facts
Try it
Open ↗⌘↵ to run
Loading engine…
← PreviousAgent ToolingNext →RAG Pipeline