Squashed 'vendor/ruvector/' content from commit b64c2172
git-subtree-dir: vendor/ruvector git-subtree-split: b64c21726f2bb37286d9ee36a7869fef60cc6900
This commit is contained in:
81
crates/ruvector-graph-wasm/Cargo.toml
Normal file
81
crates/ruvector-graph-wasm/Cargo.toml
Normal file
@@ -0,0 +1,81 @@
|
||||
[package]
|
||||
name = "ruvector-graph-wasm"
|
||||
version.workspace = true
|
||||
edition.workspace = true
|
||||
rust-version.workspace = true
|
||||
license.workspace = true
|
||||
authors.workspace = true
|
||||
repository.workspace = true
|
||||
readme = "README.md"
|
||||
description = "WebAssembly bindings for RuVector graph database with Neo4j-inspired API and Cypher support"
|
||||
|
||||
[lib]
|
||||
crate-type = ["cdylib", "rlib"]
|
||||
|
||||
[dependencies]
|
||||
ruvector-core = { version = "2.0", path = "../ruvector-core", default-features = false }
|
||||
ruvector-graph = { version = "2.0", path = "../ruvector-graph", default-features = false, features = ["wasm"] }
|
||||
parking_lot = { workspace = true }
|
||||
getrandom = { workspace = true }
|
||||
|
||||
# Add getrandom 0.2 with js feature for WASM compatibility
|
||||
getrandom02 = { package = "getrandom", version = "0.2", features = ["js"] }
|
||||
|
||||
# WASM
|
||||
wasm-bindgen = { workspace = true }
|
||||
wasm-bindgen-futures = { workspace = true }
|
||||
js-sys = { workspace = true }
|
||||
web-sys = { workspace = true, features = [
|
||||
"console",
|
||||
"Window",
|
||||
"IdbDatabase",
|
||||
"IdbFactory",
|
||||
"IdbObjectStore",
|
||||
"IdbRequest",
|
||||
"IdbTransaction",
|
||||
"IdbOpenDbRequest",
|
||||
"Worker",
|
||||
"MessagePort",
|
||||
] }
|
||||
|
||||
# Error handling
|
||||
thiserror = { workspace = true }
|
||||
anyhow = { workspace = true }
|
||||
|
||||
# Serialization
|
||||
serde = { workspace = true }
|
||||
serde_json = { workspace = true }
|
||||
serde-wasm-bindgen = "0.6"
|
||||
|
||||
# UUID support
|
||||
uuid = { workspace = true }
|
||||
|
||||
# Utils
|
||||
console_error_panic_hook = "0.1"
|
||||
tracing-wasm = "0.2"
|
||||
|
||||
# Regex for basic Cypher parsing
|
||||
regex = "1.10"
|
||||
|
||||
[dev-dependencies]
|
||||
wasm-bindgen-test = "0.3"
|
||||
|
||||
[features]
|
||||
default = []
|
||||
simd = ["ruvector-core/simd"]
|
||||
|
||||
# Ensure getrandom uses wasm_js/js features for WASM
|
||||
[target.'cfg(target_arch = "wasm32")'.dependencies]
|
||||
getrandom = { workspace = true, features = ["wasm_js"] }
|
||||
|
||||
[profile.release]
|
||||
opt-level = "z"
|
||||
lto = true
|
||||
codegen-units = 1
|
||||
panic = "abort"
|
||||
|
||||
[profile.release.package."*"]
|
||||
opt-level = "z"
|
||||
|
||||
[package.metadata.wasm-pack.profile.release]
|
||||
wasm-opt = false
|
||||
407
crates/ruvector-graph-wasm/README.md
Normal file
407
crates/ruvector-graph-wasm/README.md
Normal file
@@ -0,0 +1,407 @@
|
||||
# RuVector Graph WASM
|
||||
|
||||
WebAssembly bindings for RuVector graph database with Neo4j-inspired API and Cypher support.
|
||||
|
||||
## Features
|
||||
|
||||
- **Neo4j-style API**: Familiar node, edge, and relationship operations
|
||||
- **Hypergraph Support**: N-ary relationships beyond binary edges
|
||||
- **Cypher Queries**: Basic Cypher query language support
|
||||
- **Browser & Node.js**: Works in both environments
|
||||
- **Web Workers**: Background query execution
|
||||
- **Async Operations**: Streaming results for large datasets
|
||||
- **Vector Embeddings**: First-class support for semantic relationships
|
||||
|
||||
## Installation
|
||||
|
||||
```bash
|
||||
npm install @ruvector/graph-wasm
|
||||
```
|
||||
|
||||
## Quick Start
|
||||
|
||||
### Browser (ES Modules)
|
||||
|
||||
```javascript
|
||||
import init, { GraphDB } from '@ruvector/graph-wasm';
|
||||
|
||||
await init();
|
||||
|
||||
// Create database
|
||||
const db = new GraphDB('cosine');
|
||||
|
||||
// Create nodes
|
||||
const aliceId = db.createNode(
|
||||
['Person'],
|
||||
{ name: 'Alice', age: 30 }
|
||||
);
|
||||
|
||||
const bobId = db.createNode(
|
||||
['Person'],
|
||||
{ name: 'Bob', age: 35 }
|
||||
);
|
||||
|
||||
// Create relationship
|
||||
const friendshipId = db.createEdge(
|
||||
aliceId,
|
||||
bobId,
|
||||
'KNOWS',
|
||||
{ since: 2020 }
|
||||
);
|
||||
|
||||
// Query (basic Cypher support)
|
||||
const results = await db.query('MATCH (n:Person) RETURN n');
|
||||
|
||||
// Get statistics
|
||||
const stats = db.stats();
|
||||
console.log(`Nodes: ${stats.nodeCount}, Edges: ${stats.edgeCount}`);
|
||||
```
|
||||
|
||||
### Node.js
|
||||
|
||||
```javascript
|
||||
const { GraphDB } = require('@ruvector/graph-wasm/node');
|
||||
|
||||
const db = new GraphDB('cosine');
|
||||
// ... same API as browser
|
||||
```
|
||||
|
||||
## API Reference
|
||||
|
||||
### GraphDB
|
||||
|
||||
Main class for graph database operations.
|
||||
|
||||
#### Constructor
|
||||
|
||||
```javascript
|
||||
new GraphDB(metric?: string)
|
||||
```
|
||||
|
||||
- `metric`: Distance metric for hypergraph embeddings
|
||||
- `"cosine"` (default)
|
||||
- `"euclidean"`
|
||||
- `"dotproduct"`
|
||||
- `"manhattan"`
|
||||
|
||||
#### Methods
|
||||
|
||||
##### Node Operations
|
||||
|
||||
```javascript
|
||||
createNode(labels: string[], properties: object): string
|
||||
```
|
||||
Create a node with labels and properties. Returns node ID.
|
||||
|
||||
```javascript
|
||||
getNode(id: string): JsNode | null
|
||||
```
|
||||
Retrieve a node by ID.
|
||||
|
||||
```javascript
|
||||
deleteNode(id: string): boolean
|
||||
```
|
||||
Delete a node and its associated edges.
|
||||
|
||||
##### Edge Operations
|
||||
|
||||
```javascript
|
||||
createEdge(
|
||||
from: string,
|
||||
to: string,
|
||||
type: string,
|
||||
properties: object
|
||||
): string
|
||||
```
|
||||
Create a directed edge between two nodes.
|
||||
|
||||
```javascript
|
||||
getEdge(id: string): JsEdge | null
|
||||
```
|
||||
Retrieve an edge by ID.
|
||||
|
||||
```javascript
|
||||
deleteEdge(id: string): boolean
|
||||
```
|
||||
Delete an edge.
|
||||
|
||||
##### Hyperedge Operations
|
||||
|
||||
```javascript
|
||||
createHyperedge(
|
||||
nodes: string[],
|
||||
description: string,
|
||||
embedding?: number[],
|
||||
confidence?: number
|
||||
): string
|
||||
```
|
||||
Create an n-ary relationship connecting multiple nodes.
|
||||
|
||||
```javascript
|
||||
getHyperedge(id: string): JsHyperedge | null
|
||||
```
|
||||
Retrieve a hyperedge by ID.
|
||||
|
||||
##### Query Operations
|
||||
|
||||
```javascript
|
||||
async query(cypher: string): Promise<QueryResult>
|
||||
```
|
||||
Execute a Cypher query. Supports basic MATCH and CREATE statements.
|
||||
|
||||
```javascript
|
||||
async importCypher(statements: string[]): Promise<number>
|
||||
```
|
||||
Import multiple Cypher CREATE statements.
|
||||
|
||||
```javascript
|
||||
exportCypher(): string
|
||||
```
|
||||
Export the entire database as Cypher CREATE statements.
|
||||
|
||||
##### Statistics
|
||||
|
||||
```javascript
|
||||
stats(): object
|
||||
```
|
||||
Get database statistics:
|
||||
- `nodeCount`: Total number of nodes
|
||||
- `edgeCount`: Total number of edges
|
||||
- `hyperedgeCount`: Total number of hyperedges
|
||||
- `hypergraphEntities`: Entities in hypergraph index
|
||||
- `hypergraphEdges`: Hyperedges in index
|
||||
- `avgEntityDegree`: Average entity degree
|
||||
|
||||
### Types
|
||||
|
||||
#### JsNode
|
||||
|
||||
```typescript
|
||||
interface JsNode {
|
||||
id: string;
|
||||
labels: string[];
|
||||
properties: object;
|
||||
embedding?: number[];
|
||||
|
||||
getProperty(key: string): any;
|
||||
hasLabel(label: string): boolean;
|
||||
}
|
||||
```
|
||||
|
||||
#### JsEdge
|
||||
|
||||
```typescript
|
||||
interface JsEdge {
|
||||
id: string;
|
||||
from: string;
|
||||
to: string;
|
||||
type: string;
|
||||
properties: object;
|
||||
|
||||
getProperty(key: string): any;
|
||||
}
|
||||
```
|
||||
|
||||
#### JsHyperedge
|
||||
|
||||
```typescript
|
||||
interface JsHyperedge {
|
||||
id: string;
|
||||
nodes: string[];
|
||||
description: string;
|
||||
embedding: number[];
|
||||
confidence: number;
|
||||
properties: object;
|
||||
order: number; // Number of connected nodes
|
||||
}
|
||||
```
|
||||
|
||||
#### QueryResult
|
||||
|
||||
```typescript
|
||||
interface QueryResult {
|
||||
nodes: JsNode[];
|
||||
edges: JsEdge[];
|
||||
hyperedges: JsHyperedge[];
|
||||
data: object[];
|
||||
count: number;
|
||||
isEmpty(): boolean;
|
||||
}
|
||||
```
|
||||
|
||||
## Advanced Features
|
||||
|
||||
### Async Query Execution
|
||||
|
||||
For large result sets, use async query execution with streaming:
|
||||
|
||||
```javascript
|
||||
import { AsyncQueryExecutor } from '@ruvector/graph-wasm';
|
||||
|
||||
const executor = new AsyncQueryExecutor(100); // Batch size
|
||||
const results = await executor.executeStreaming(
|
||||
'MATCH (n:Person) RETURN n'
|
||||
);
|
||||
```
|
||||
|
||||
### Web Worker Support
|
||||
|
||||
Execute queries in the background:
|
||||
|
||||
```javascript
|
||||
const executor = new AsyncQueryExecutor();
|
||||
const promise = executor.executeInWorker(
|
||||
'MATCH (n) RETURN count(n)'
|
||||
);
|
||||
```
|
||||
|
||||
### Batch Operations
|
||||
|
||||
Optimize multiple operations:
|
||||
|
||||
```javascript
|
||||
import { BatchOperations } from '@ruvector/graph-wasm';
|
||||
|
||||
const batch = new BatchOperations(1000); // Max batch size
|
||||
await batch.executeBatch([
|
||||
'CREATE (n:Person {name: "Alice"})',
|
||||
'CREATE (n:Person {name: "Bob"})',
|
||||
// ... more statements
|
||||
]);
|
||||
```
|
||||
|
||||
### Transactions
|
||||
|
||||
Atomic operation execution:
|
||||
|
||||
```javascript
|
||||
import { AsyncTransaction } from '@ruvector/graph-wasm';
|
||||
|
||||
const tx = new AsyncTransaction();
|
||||
tx.addOperation('CREATE (n:Person {name: "Alice"})');
|
||||
tx.addOperation('CREATE (n:Person {name: "Bob"})');
|
||||
|
||||
try {
|
||||
await tx.commit();
|
||||
} catch (error) {
|
||||
tx.rollback();
|
||||
}
|
||||
```
|
||||
|
||||
## Cypher Support
|
||||
|
||||
Currently supports basic Cypher operations:
|
||||
|
||||
### CREATE
|
||||
|
||||
```cypher
|
||||
CREATE (n:Person {name: "Alice", age: 30})
|
||||
CREATE (n:Person)-[:KNOWS]->(m:Person)
|
||||
```
|
||||
|
||||
### MATCH
|
||||
|
||||
```cypher
|
||||
MATCH (n:Person) RETURN n
|
||||
MATCH (n:Person)-[r:KNOWS]->(m) RETURN n, r, m
|
||||
```
|
||||
|
||||
**Note**: Full Cypher support is planned for future releases.
|
||||
|
||||
## Hypergraph Examples
|
||||
|
||||
### Creating Multi-Entity Relationships
|
||||
|
||||
```javascript
|
||||
// Create nodes
|
||||
const doc1 = db.createNode(['Document'], {
|
||||
title: 'AI Research',
|
||||
embedding: [0.1, 0.2, 0.3, ...] // 384-dim vector
|
||||
});
|
||||
|
||||
const doc2 = db.createNode(['Document'], {
|
||||
title: 'ML Tutorial'
|
||||
});
|
||||
|
||||
const author = db.createNode(['Person'], {
|
||||
name: 'Dr. Smith'
|
||||
});
|
||||
|
||||
// Create hyperedge connecting all three
|
||||
const hyperedgeId = db.createHyperedge(
|
||||
[doc1, doc2, author],
|
||||
'Documents authored by researcher on related topics',
|
||||
null, // Auto-generate embedding from node embeddings
|
||||
0.95 // High confidence
|
||||
);
|
||||
|
||||
const hyperedge = db.getHyperedge(hyperedgeId);
|
||||
console.log(`Hyperedge connects ${hyperedge.order} nodes`);
|
||||
```
|
||||
|
||||
## Performance
|
||||
|
||||
- **Zero-copy transfers**: Uses WASM memory for efficient data transfer
|
||||
- **SIMD acceleration**: When available in WASM environment
|
||||
- **Lazy evaluation**: Streaming results for large queries
|
||||
- **Optimized indices**: Fast lookups by label, type, and properties
|
||||
|
||||
## Browser Compatibility
|
||||
|
||||
- Chrome 90+
|
||||
- Firefox 88+
|
||||
- Safari 15.4+
|
||||
- Edge 90+
|
||||
|
||||
## Building from Source
|
||||
|
||||
```bash
|
||||
# Install wasm-pack
|
||||
curl https://rustwasm.github.io/wasm-pack/installer/init.sh -sSf | sh
|
||||
|
||||
# Build for web
|
||||
npm run build
|
||||
|
||||
# Build for all targets
|
||||
npm run build:all
|
||||
|
||||
# Run tests
|
||||
npm test
|
||||
```
|
||||
|
||||
## Examples
|
||||
|
||||
See the [examples directory](../../../examples/) for more usage examples:
|
||||
- Basic graph operations
|
||||
- Hypergraph relationships
|
||||
- Temporal queries
|
||||
- Vector similarity search
|
||||
|
||||
## Roadmap
|
||||
|
||||
- [ ] Full Cypher query parser
|
||||
- [ ] IndexedDB persistence
|
||||
- [ ] Graph algorithms (PageRank, community detection)
|
||||
- [ ] Schema validation
|
||||
- [ ] Transaction log
|
||||
- [ ] Multi-graph support
|
||||
- [ ] GraphQL integration
|
||||
|
||||
## Contributing
|
||||
|
||||
Contributions are welcome! Please see [CONTRIBUTING.md](../../../CONTRIBUTING.md).
|
||||
|
||||
## License
|
||||
|
||||
MIT - See [LICENSE](../../../LICENSE) for details.
|
||||
|
||||
## Support
|
||||
|
||||
- GitHub Issues: https://github.com/ruvnet/ruvector/issues
|
||||
- Documentation: https://github.com/ruvnet/ruvector/wiki
|
||||
|
||||
## Related Projects
|
||||
|
||||
- [ruvector-core](../ruvector-core) - Core vector database
|
||||
- [ruvector-wasm](../ruvector-wasm) - Vector database WASM bindings
|
||||
- [ruvector-node](../ruvector-node) - Node.js native bindings
|
||||
21
crates/ruvector-graph-wasm/build.sh
Executable file
21
crates/ruvector-graph-wasm/build.sh
Executable file
@@ -0,0 +1,21 @@
|
||||
#!/bin/bash
|
||||
set -e
|
||||
|
||||
echo "Building RuVector Graph WASM..."
|
||||
|
||||
# Build for web (default)
|
||||
echo "Building for web target..."
|
||||
wasm-pack build --target web --out-dir ../../npm/packages/graph-wasm
|
||||
|
||||
# Build for Node.js
|
||||
echo "Building for Node.js target..."
|
||||
wasm-pack build --target nodejs --out-dir ../../npm/packages/graph-wasm/node
|
||||
|
||||
# Build for bundlers
|
||||
echo "Building for bundler target..."
|
||||
wasm-pack build --target bundler --out-dir ../../npm/packages/graph-wasm/bundler
|
||||
|
||||
echo "Build complete!"
|
||||
echo "Web: npm/packages/graph-wasm/"
|
||||
echo "Node.js: npm/packages/graph-wasm/node/"
|
||||
echo "Bundler: npm/packages/graph-wasm/bundler/"
|
||||
35
crates/ruvector-graph-wasm/package.json
Normal file
35
crates/ruvector-graph-wasm/package.json
Normal file
@@ -0,0 +1,35 @@
|
||||
{
|
||||
"name": "@ruvector/graph-wasm",
|
||||
"version": "0.1.0",
|
||||
"description": "WebAssembly bindings for ruvector-graph - Hypergraph database with Cypher queries for browsers",
|
||||
"main": "pkg/ruvector_graph_wasm.js",
|
||||
"types": "pkg/ruvector_graph_wasm.d.ts",
|
||||
"files": [
|
||||
"pkg/"
|
||||
],
|
||||
"scripts": {
|
||||
"build": "wasm-pack build --target web --out-dir pkg",
|
||||
"build:node": "wasm-pack build --target nodejs --out-dir pkg-node",
|
||||
"build:bundler": "wasm-pack build --target bundler --out-dir pkg-bundler",
|
||||
"test": "wasm-pack test --headless --firefox"
|
||||
},
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "https://github.com/ruvnet/ruvector"
|
||||
},
|
||||
"keywords": [
|
||||
"wasm",
|
||||
"webassembly",
|
||||
"graph",
|
||||
"hypergraph",
|
||||
"cypher",
|
||||
"database",
|
||||
"browser"
|
||||
],
|
||||
"author": "rUv",
|
||||
"license": "MIT",
|
||||
"bugs": {
|
||||
"url": "https://github.com/ruvnet/ruvector/issues"
|
||||
},
|
||||
"homepage": "https://github.com/ruvnet/ruvector"
|
||||
}
|
||||
225
crates/ruvector-graph-wasm/src/async_ops.rs
Normal file
225
crates/ruvector-graph-wasm/src/async_ops.rs
Normal file
@@ -0,0 +1,225 @@
|
||||
//! Async operations for graph database using wasm-bindgen-futures
|
||||
|
||||
use crate::types::{GraphError, QueryResult};
|
||||
use js_sys::Promise;
|
||||
use wasm_bindgen::prelude::*;
|
||||
use wasm_bindgen_futures::JsFuture;
|
||||
use web_sys::console;
|
||||
|
||||
/// Async query executor for streaming results
|
||||
#[wasm_bindgen]
|
||||
pub struct AsyncQueryExecutor {
|
||||
batch_size: usize,
|
||||
}
|
||||
|
||||
#[wasm_bindgen]
|
||||
impl AsyncQueryExecutor {
|
||||
/// Create a new async query executor
|
||||
#[wasm_bindgen(constructor)]
|
||||
pub fn new(batch_size: Option<usize>) -> Self {
|
||||
Self {
|
||||
batch_size: batch_size.unwrap_or(100),
|
||||
}
|
||||
}
|
||||
|
||||
/// Execute query asynchronously with streaming results
|
||||
/// This is useful for large result sets
|
||||
#[wasm_bindgen(js_name = executeStreaming)]
|
||||
pub async fn execute_streaming(&self, _query: String) -> Result<JsValue, JsValue> {
|
||||
// This would integrate with the actual GraphDB
|
||||
// For now, return a placeholder
|
||||
console::log_1(&"Async streaming query execution".into());
|
||||
|
||||
// In a real implementation, this would:
|
||||
// 1. Parse the query
|
||||
// 2. Execute it in batches
|
||||
// 3. Stream results back using async generators or callbacks
|
||||
|
||||
Ok(JsValue::NULL)
|
||||
}
|
||||
|
||||
/// Execute query in a Web Worker for background processing
|
||||
#[wasm_bindgen(js_name = executeInWorker)]
|
||||
pub fn execute_in_worker(&self, _query: String) -> Promise {
|
||||
// This would send the query to a Web Worker
|
||||
// and return results via postMessage
|
||||
|
||||
Promise::resolve(&JsValue::NULL)
|
||||
}
|
||||
|
||||
/// Get batch size
|
||||
#[wasm_bindgen(getter, js_name = batchSize)]
|
||||
pub fn batch_size(&self) -> usize {
|
||||
self.batch_size
|
||||
}
|
||||
|
||||
/// Set batch size
|
||||
#[wasm_bindgen(setter, js_name = batchSize)]
|
||||
pub fn set_batch_size(&mut self, size: usize) {
|
||||
self.batch_size = size;
|
||||
}
|
||||
}
|
||||
|
||||
/// Async transaction handler
|
||||
#[wasm_bindgen]
|
||||
pub struct AsyncTransaction {
|
||||
operations: Vec<String>,
|
||||
committed: bool,
|
||||
}
|
||||
|
||||
#[wasm_bindgen]
|
||||
impl AsyncTransaction {
|
||||
/// Create a new transaction
|
||||
#[wasm_bindgen(constructor)]
|
||||
pub fn new() -> Self {
|
||||
Self {
|
||||
operations: Vec::new(),
|
||||
committed: false,
|
||||
}
|
||||
}
|
||||
|
||||
/// Add operation to transaction
|
||||
#[wasm_bindgen(js_name = addOperation)]
|
||||
pub fn add_operation(&mut self, operation: String) {
|
||||
if !self.committed {
|
||||
self.operations.push(operation);
|
||||
}
|
||||
}
|
||||
|
||||
/// Commit transaction asynchronously
|
||||
#[wasm_bindgen]
|
||||
pub async fn commit(&mut self) -> Result<JsValue, JsValue> {
|
||||
if self.committed {
|
||||
return Err(JsValue::from_str("Transaction already committed"));
|
||||
}
|
||||
|
||||
console::log_1(&format!("Committing {} operations", self.operations.len()).into());
|
||||
|
||||
// In a real implementation, this would:
|
||||
// 1. Execute all operations atomically
|
||||
// 2. Handle rollback on failure
|
||||
// 3. Return results
|
||||
|
||||
self.committed = true;
|
||||
Ok(JsValue::TRUE)
|
||||
}
|
||||
|
||||
/// Rollback transaction
|
||||
#[wasm_bindgen]
|
||||
pub fn rollback(&mut self) {
|
||||
if !self.committed {
|
||||
self.operations.clear();
|
||||
console::log_1(&"Transaction rolled back".into());
|
||||
}
|
||||
}
|
||||
|
||||
/// Get operation count
|
||||
#[wasm_bindgen(getter, js_name = operationCount)]
|
||||
pub fn operation_count(&self) -> usize {
|
||||
self.operations.len()
|
||||
}
|
||||
|
||||
/// Check if committed
|
||||
#[wasm_bindgen(getter, js_name = isCommitted)]
|
||||
pub fn is_committed(&self) -> bool {
|
||||
self.committed
|
||||
}
|
||||
}
|
||||
|
||||
impl Default for AsyncTransaction {
|
||||
fn default() -> Self {
|
||||
Self::new()
|
||||
}
|
||||
}
|
||||
|
||||
/// Batch operation executor for improved performance
|
||||
#[wasm_bindgen]
|
||||
pub struct BatchOperations {
|
||||
max_batch_size: usize,
|
||||
}
|
||||
|
||||
#[wasm_bindgen]
|
||||
impl BatchOperations {
|
||||
/// Create a new batch operations handler
|
||||
#[wasm_bindgen(constructor)]
|
||||
pub fn new(max_batch_size: Option<usize>) -> Self {
|
||||
Self {
|
||||
max_batch_size: max_batch_size.unwrap_or(1000),
|
||||
}
|
||||
}
|
||||
|
||||
/// Execute multiple Cypher statements in batch
|
||||
#[wasm_bindgen(js_name = executeBatch)]
|
||||
pub async fn execute_batch(&self, statements: Vec<String>) -> Result<JsValue, JsValue> {
|
||||
if statements.len() > self.max_batch_size {
|
||||
return Err(JsValue::from_str(&format!(
|
||||
"Batch size {} exceeds maximum {}",
|
||||
statements.len(),
|
||||
self.max_batch_size
|
||||
)));
|
||||
}
|
||||
|
||||
console::log_1(&format!("Executing batch of {} statements", statements.len()).into());
|
||||
|
||||
// In a real implementation, this would:
|
||||
// 1. Optimize execution order
|
||||
// 2. Execute in parallel where possible
|
||||
// 3. Collect and return all results
|
||||
|
||||
Ok(JsValue::NULL)
|
||||
}
|
||||
|
||||
/// Get max batch size
|
||||
#[wasm_bindgen(getter, js_name = maxBatchSize)]
|
||||
pub fn max_batch_size(&self) -> usize {
|
||||
self.max_batch_size
|
||||
}
|
||||
}
|
||||
|
||||
/// Stream handler for large result sets
|
||||
#[wasm_bindgen]
|
||||
pub struct ResultStream {
|
||||
chunk_size: usize,
|
||||
current_offset: usize,
|
||||
}
|
||||
|
||||
#[wasm_bindgen]
|
||||
impl ResultStream {
|
||||
/// Create a new result stream
|
||||
#[wasm_bindgen(constructor)]
|
||||
pub fn new(chunk_size: Option<usize>) -> Self {
|
||||
Self {
|
||||
chunk_size: chunk_size.unwrap_or(50),
|
||||
current_offset: 0,
|
||||
}
|
||||
}
|
||||
|
||||
/// Get next chunk of results
|
||||
#[wasm_bindgen(js_name = nextChunk)]
|
||||
pub async fn next_chunk(&mut self) -> Result<JsValue, JsValue> {
|
||||
// This would fetch the next chunk from the result set
|
||||
console::log_1(&format!("Fetching chunk at offset {}", self.current_offset).into());
|
||||
|
||||
self.current_offset += self.chunk_size;
|
||||
|
||||
Ok(JsValue::NULL)
|
||||
}
|
||||
|
||||
/// Reset stream to beginning
|
||||
#[wasm_bindgen]
|
||||
pub fn reset(&mut self) {
|
||||
self.current_offset = 0;
|
||||
}
|
||||
|
||||
/// Get current offset
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn offset(&self) -> usize {
|
||||
self.current_offset
|
||||
}
|
||||
|
||||
/// Get chunk size
|
||||
#[wasm_bindgen(getter, js_name = chunkSize)]
|
||||
pub fn chunk_size(&self) -> usize {
|
||||
self.chunk_size
|
||||
}
|
||||
}
|
||||
569
crates/ruvector-graph-wasm/src/lib.rs
Normal file
569
crates/ruvector-graph-wasm/src/lib.rs
Normal file
@@ -0,0 +1,569 @@
|
||||
//! WebAssembly bindings for RuVector Graph Database
|
||||
//!
|
||||
//! This module provides high-performance browser bindings for a Neo4j-inspired graph database
|
||||
//! built on RuVector's hypergraph infrastructure.
|
||||
//!
|
||||
//! Features:
|
||||
//! - Node and edge CRUD operations
|
||||
//! - Hyperedge support for n-ary relationships
|
||||
//! - Basic Cypher query support
|
||||
//! - Web Workers support for parallel operations
|
||||
//! - Async query execution with streaming results
|
||||
//! - IndexedDB persistence (planned)
|
||||
|
||||
use js_sys::{Array, Object, Promise, Reflect};
|
||||
use parking_lot::Mutex;
|
||||
use ruvector_core::advanced::hypergraph::{
|
||||
Hyperedge as CoreHyperedge, HypergraphIndex, TemporalGranularity, TemporalHyperedge,
|
||||
};
|
||||
use ruvector_core::types::DistanceMetric;
|
||||
use serde_wasm_bindgen::{from_value, to_value};
|
||||
use std::collections::HashMap;
|
||||
use std::sync::Arc;
|
||||
use uuid::Uuid;
|
||||
use wasm_bindgen::prelude::*;
|
||||
use web_sys::console;
|
||||
|
||||
pub mod async_ops;
|
||||
pub mod types;
|
||||
|
||||
use types::{
|
||||
js_object_to_hashmap, Edge, EdgeId, GraphError, Hyperedge, HyperedgeId, JsEdge, JsHyperedge,
|
||||
JsNode, Node, NodeId, QueryResult,
|
||||
};
|
||||
|
||||
/// Initialize panic hook for better error messages
|
||||
#[wasm_bindgen(start)]
|
||||
pub fn init() {
|
||||
console_error_panic_hook::set_once();
|
||||
tracing_wasm::set_as_global_default();
|
||||
}
|
||||
|
||||
/// Main GraphDB class for browser usage
|
||||
#[wasm_bindgen]
|
||||
pub struct GraphDB {
|
||||
nodes: Arc<Mutex<HashMap<NodeId, Node>>>,
|
||||
edges: Arc<Mutex<HashMap<EdgeId, Edge>>>,
|
||||
hypergraph: Arc<Mutex<HypergraphIndex>>,
|
||||
hyperedges: Arc<Mutex<HashMap<HyperedgeId, Hyperedge>>>,
|
||||
// Index structures for efficient queries
|
||||
labels_index: Arc<Mutex<HashMap<String, Vec<NodeId>>>>,
|
||||
edge_types_index: Arc<Mutex<HashMap<String, Vec<EdgeId>>>>,
|
||||
node_edges_out: Arc<Mutex<HashMap<NodeId, Vec<EdgeId>>>>,
|
||||
node_edges_in: Arc<Mutex<HashMap<NodeId, Vec<EdgeId>>>>,
|
||||
distance_metric: DistanceMetric,
|
||||
}
|
||||
|
||||
#[wasm_bindgen]
|
||||
impl GraphDB {
|
||||
/// Create a new GraphDB instance
|
||||
///
|
||||
/// # Arguments
|
||||
/// * `metric` - Distance metric for hypergraph embeddings ("euclidean", "cosine", "dotproduct", "manhattan")
|
||||
#[wasm_bindgen(constructor)]
|
||||
pub fn new(metric: Option<String>) -> Result<GraphDB, JsValue> {
|
||||
let distance_metric = match metric.as_deref() {
|
||||
Some("euclidean") => DistanceMetric::Euclidean,
|
||||
Some("cosine") => DistanceMetric::Cosine,
|
||||
Some("dotproduct") => DistanceMetric::DotProduct,
|
||||
Some("manhattan") => DistanceMetric::Manhattan,
|
||||
None => DistanceMetric::Cosine,
|
||||
Some(other) => return Err(JsValue::from_str(&format!("Unknown metric: {}", other))),
|
||||
};
|
||||
|
||||
Ok(GraphDB {
|
||||
nodes: Arc::new(Mutex::new(HashMap::new())),
|
||||
edges: Arc::new(Mutex::new(HashMap::new())),
|
||||
hypergraph: Arc::new(Mutex::new(HypergraphIndex::new(distance_metric))),
|
||||
hyperedges: Arc::new(Mutex::new(HashMap::new())),
|
||||
labels_index: Arc::new(Mutex::new(HashMap::new())),
|
||||
edge_types_index: Arc::new(Mutex::new(HashMap::new())),
|
||||
node_edges_out: Arc::new(Mutex::new(HashMap::new())),
|
||||
node_edges_in: Arc::new(Mutex::new(HashMap::new())),
|
||||
distance_metric,
|
||||
})
|
||||
}
|
||||
|
||||
/// Execute a Cypher query (basic implementation)
|
||||
///
|
||||
/// # Arguments
|
||||
/// * `cypher` - Cypher query string
|
||||
///
|
||||
/// # Returns
|
||||
/// Promise<QueryResult> with matching nodes, edges, and hyperedges
|
||||
#[wasm_bindgen]
|
||||
pub async fn query(&self, cypher: String) -> Result<QueryResult, JsValue> {
|
||||
console::log_1(&format!("Executing Cypher: {}", cypher).into());
|
||||
|
||||
// Parse and execute basic Cypher queries
|
||||
// This is a simplified implementation - a full Cypher parser would be more complex
|
||||
let result = self
|
||||
.execute_cypher(&cypher)
|
||||
.map_err(|e| JsValue::from(GraphError::from(e)))?;
|
||||
|
||||
Ok(result)
|
||||
}
|
||||
|
||||
/// Create a new node
|
||||
///
|
||||
/// # Arguments
|
||||
/// * `labels` - Array of label strings
|
||||
/// * `properties` - JavaScript object with node properties
|
||||
///
|
||||
/// # Returns
|
||||
/// Node ID
|
||||
#[wasm_bindgen(js_name = createNode)]
|
||||
pub fn create_node(&self, labels: Vec<String>, properties: JsValue) -> Result<String, JsValue> {
|
||||
let id = Uuid::new_v4().to_string();
|
||||
let props = js_object_to_hashmap(properties).map_err(|e| JsValue::from_str(&e))?;
|
||||
|
||||
// Extract embedding if present
|
||||
let embedding = props
|
||||
.get("embedding")
|
||||
.and_then(|v| serde_json::from_value::<Vec<f32>>(v.clone()).ok());
|
||||
|
||||
let node = Node {
|
||||
id: id.clone(),
|
||||
labels: labels.clone(),
|
||||
properties: props,
|
||||
embedding: embedding.clone(),
|
||||
};
|
||||
|
||||
// Store node
|
||||
self.nodes.lock().insert(id.clone(), node);
|
||||
|
||||
// Update label index
|
||||
let mut labels_index = self.labels_index.lock();
|
||||
for label in &labels {
|
||||
labels_index
|
||||
.entry(label.clone())
|
||||
.or_insert_with(Vec::new)
|
||||
.push(id.clone());
|
||||
}
|
||||
|
||||
// Add to hypergraph if embedding exists
|
||||
if let Some(emb) = embedding {
|
||||
self.hypergraph.lock().add_entity(id.clone(), emb);
|
||||
}
|
||||
|
||||
// Initialize edge lists
|
||||
self.node_edges_out.lock().insert(id.clone(), Vec::new());
|
||||
self.node_edges_in.lock().insert(id.clone(), Vec::new());
|
||||
|
||||
Ok(id)
|
||||
}
|
||||
|
||||
/// Create a new edge (relationship)
|
||||
///
|
||||
/// # Arguments
|
||||
/// * `from` - Source node ID
|
||||
/// * `to` - Target node ID
|
||||
/// * `edge_type` - Relationship type
|
||||
/// * `properties` - JavaScript object with edge properties
|
||||
///
|
||||
/// # Returns
|
||||
/// Edge ID
|
||||
#[wasm_bindgen(js_name = createEdge)]
|
||||
pub fn create_edge(
|
||||
&self,
|
||||
from: String,
|
||||
to: String,
|
||||
edge_type: String,
|
||||
properties: JsValue,
|
||||
) -> Result<String, JsValue> {
|
||||
// Verify nodes exist
|
||||
let nodes = self.nodes.lock();
|
||||
if !nodes.contains_key(&from) {
|
||||
return Err(JsValue::from_str(&format!("Node {} not found", from)));
|
||||
}
|
||||
if !nodes.contains_key(&to) {
|
||||
return Err(JsValue::from_str(&format!("Node {} not found", to)));
|
||||
}
|
||||
drop(nodes);
|
||||
|
||||
let id = Uuid::new_v4().to_string();
|
||||
let props = js_object_to_hashmap(properties).map_err(|e| JsValue::from_str(&e))?;
|
||||
|
||||
let edge = Edge {
|
||||
id: id.clone(),
|
||||
from: from.clone(),
|
||||
to: to.clone(),
|
||||
edge_type: edge_type.clone(),
|
||||
properties: props,
|
||||
};
|
||||
|
||||
// Store edge
|
||||
self.edges.lock().insert(id.clone(), edge);
|
||||
|
||||
// Update indices
|
||||
self.edge_types_index
|
||||
.lock()
|
||||
.entry(edge_type)
|
||||
.or_insert_with(Vec::new)
|
||||
.push(id.clone());
|
||||
|
||||
self.node_edges_out
|
||||
.lock()
|
||||
.entry(from)
|
||||
.or_insert_with(Vec::new)
|
||||
.push(id.clone());
|
||||
|
||||
self.node_edges_in
|
||||
.lock()
|
||||
.entry(to)
|
||||
.or_insert_with(Vec::new)
|
||||
.push(id.clone());
|
||||
|
||||
Ok(id)
|
||||
}
|
||||
|
||||
/// Create a hyperedge (n-ary relationship)
|
||||
///
|
||||
/// # Arguments
|
||||
/// * `nodes` - Array of node IDs
|
||||
/// * `description` - Natural language description of the relationship
|
||||
/// * `embedding` - Optional embedding vector (auto-generated if not provided)
|
||||
/// * `confidence` - Optional confidence score (0.0-1.0, defaults to 1.0)
|
||||
///
|
||||
/// # Returns
|
||||
/// Hyperedge ID
|
||||
#[wasm_bindgen(js_name = createHyperedge)]
|
||||
pub fn create_hyperedge(
|
||||
&self,
|
||||
nodes: Vec<String>,
|
||||
description: String,
|
||||
embedding: Option<Vec<f32>>,
|
||||
confidence: Option<f32>,
|
||||
) -> Result<String, JsValue> {
|
||||
// Verify all nodes exist
|
||||
let nodes_map = self.nodes.lock();
|
||||
for node_id in &nodes {
|
||||
if !nodes_map.contains_key(node_id) {
|
||||
return Err(JsValue::from_str(&format!("Node {} not found", node_id)));
|
||||
}
|
||||
}
|
||||
drop(nodes_map);
|
||||
|
||||
let id = Uuid::new_v4().to_string();
|
||||
|
||||
// Generate embedding if not provided (use average of node embeddings)
|
||||
let emb = if let Some(e) = embedding {
|
||||
e
|
||||
} else {
|
||||
self.generate_hyperedge_embedding(&nodes)?
|
||||
};
|
||||
|
||||
let conf = confidence.unwrap_or(1.0).clamp(0.0, 1.0);
|
||||
|
||||
let hyperedge = Hyperedge {
|
||||
id: id.clone(),
|
||||
nodes: nodes.clone(),
|
||||
description: description.clone(),
|
||||
embedding: emb.clone(),
|
||||
confidence: conf,
|
||||
properties: HashMap::new(),
|
||||
};
|
||||
|
||||
// Create core hyperedge
|
||||
let core_hyperedge = CoreHyperedge {
|
||||
id: id.clone(),
|
||||
nodes: nodes.clone(),
|
||||
description,
|
||||
embedding: emb,
|
||||
confidence: conf,
|
||||
metadata: HashMap::new(),
|
||||
};
|
||||
|
||||
// Add to hypergraph index
|
||||
self.hypergraph
|
||||
.lock()
|
||||
.add_hyperedge(core_hyperedge)
|
||||
.map_err(|e| JsValue::from_str(&format!("Failed to add hyperedge: {}", e)))?;
|
||||
|
||||
// Store hyperedge
|
||||
self.hyperedges.lock().insert(id.clone(), hyperedge);
|
||||
|
||||
Ok(id)
|
||||
}
|
||||
|
||||
/// Get a node by ID
|
||||
///
|
||||
/// # Arguments
|
||||
/// * `id` - Node ID
|
||||
///
|
||||
/// # Returns
|
||||
/// JsNode or null if not found
|
||||
#[wasm_bindgen(js_name = getNode)]
|
||||
pub fn get_node(&self, id: String) -> Option<JsNode> {
|
||||
self.nodes.lock().get(&id).map(|n| n.to_js())
|
||||
}
|
||||
|
||||
/// Get an edge by ID
|
||||
#[wasm_bindgen(js_name = getEdge)]
|
||||
pub fn get_edge(&self, id: String) -> Option<JsEdge> {
|
||||
self.edges.lock().get(&id).map(|e| e.to_js())
|
||||
}
|
||||
|
||||
/// Get a hyperedge by ID
|
||||
#[wasm_bindgen(js_name = getHyperedge)]
|
||||
pub fn get_hyperedge(&self, id: String) -> Option<JsHyperedge> {
|
||||
self.hyperedges.lock().get(&id).map(|h| h.to_js())
|
||||
}
|
||||
|
||||
/// Delete a node by ID
|
||||
///
|
||||
/// # Arguments
|
||||
/// * `id` - Node ID
|
||||
///
|
||||
/// # Returns
|
||||
/// True if deleted, false if not found
|
||||
#[wasm_bindgen(js_name = deleteNode)]
|
||||
pub fn delete_node(&self, id: String) -> bool {
|
||||
// Remove from nodes
|
||||
let removed = self.nodes.lock().remove(&id).is_some();
|
||||
|
||||
if removed {
|
||||
// Clean up indices
|
||||
let mut labels_index = self.labels_index.lock();
|
||||
for (_, node_ids) in labels_index.iter_mut() {
|
||||
node_ids.retain(|nid| nid != &id);
|
||||
}
|
||||
|
||||
// Remove associated edges
|
||||
if let Some(out_edges) = self.node_edges_out.lock().remove(&id) {
|
||||
for edge_id in out_edges {
|
||||
self.edges.lock().remove(&edge_id);
|
||||
}
|
||||
}
|
||||
if let Some(in_edges) = self.node_edges_in.lock().remove(&id) {
|
||||
for edge_id in in_edges {
|
||||
self.edges.lock().remove(&edge_id);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
removed
|
||||
}
|
||||
|
||||
/// Delete an edge by ID
|
||||
#[wasm_bindgen(js_name = deleteEdge)]
|
||||
pub fn delete_edge(&self, id: String) -> bool {
|
||||
if let Some(edge) = self.edges.lock().remove(&id) {
|
||||
// Clean up indices
|
||||
if let Some(edges) = self.node_edges_out.lock().get_mut(&edge.from) {
|
||||
edges.retain(|eid| eid != &id);
|
||||
}
|
||||
if let Some(edges) = self.node_edges_in.lock().get_mut(&edge.to) {
|
||||
edges.retain(|eid| eid != &id);
|
||||
}
|
||||
true
|
||||
} else {
|
||||
false
|
||||
}
|
||||
}
|
||||
|
||||
/// Import Cypher statements
|
||||
///
|
||||
/// # Arguments
|
||||
/// * `statements` - Array of Cypher CREATE statements
|
||||
///
|
||||
/// # Returns
|
||||
/// Number of statements executed
|
||||
#[wasm_bindgen(js_name = importCypher)]
|
||||
pub async fn import_cypher(&self, statements: Vec<String>) -> Result<usize, JsValue> {
|
||||
let mut count = 0;
|
||||
for statement in statements {
|
||||
self.execute_cypher(&statement)
|
||||
.map_err(|e| JsValue::from_str(&e))?;
|
||||
count += 1;
|
||||
}
|
||||
Ok(count)
|
||||
}
|
||||
|
||||
/// Export database as Cypher CREATE statements
|
||||
///
|
||||
/// # Returns
|
||||
/// String containing Cypher statements
|
||||
#[wasm_bindgen(js_name = exportCypher)]
|
||||
pub fn export_cypher(&self) -> String {
|
||||
let mut cypher = String::new();
|
||||
|
||||
// Export nodes
|
||||
for (id, node) in self.nodes.lock().iter() {
|
||||
let labels = if node.labels.is_empty() {
|
||||
String::new()
|
||||
} else {
|
||||
format!(":{}", node.labels.join(":"))
|
||||
};
|
||||
|
||||
let props = if node.properties.is_empty() {
|
||||
String::new()
|
||||
} else {
|
||||
format!(
|
||||
" {{{}}}",
|
||||
node.properties
|
||||
.iter()
|
||||
.map(|(k, v)| format!("{}: {}", k, v))
|
||||
.collect::<Vec<_>>()
|
||||
.join(", ")
|
||||
)
|
||||
};
|
||||
|
||||
cypher.push_str(&format!("CREATE (n{}{})\n", labels, props));
|
||||
}
|
||||
|
||||
// Export edges
|
||||
for (id, edge) in self.edges.lock().iter() {
|
||||
let props = if edge.properties.is_empty() {
|
||||
String::new()
|
||||
} else {
|
||||
format!(
|
||||
" {{{}}}",
|
||||
edge.properties
|
||||
.iter()
|
||||
.map(|(k, v)| format!("{}: {}", k, v))
|
||||
.collect::<Vec<_>>()
|
||||
.join(", ")
|
||||
)
|
||||
};
|
||||
|
||||
cypher.push_str(&format!(
|
||||
"MATCH (a), (b) WHERE id(a) = '{}' AND id(b) = '{}' CREATE (a)-[:{}{}]->(b)\n",
|
||||
edge.from, edge.to, edge.edge_type, props
|
||||
));
|
||||
}
|
||||
|
||||
cypher
|
||||
}
|
||||
|
||||
/// Get database statistics
|
||||
#[wasm_bindgen]
|
||||
pub fn stats(&self) -> JsValue {
|
||||
let node_count = self.nodes.lock().len();
|
||||
let edge_count = self.edges.lock().len();
|
||||
let hyperedge_count = self.hyperedges.lock().len();
|
||||
let hypergraph_stats = self.hypergraph.lock().stats();
|
||||
|
||||
let obj = Object::new();
|
||||
Reflect::set(&obj, &"nodeCount".into(), &JsValue::from(node_count)).unwrap();
|
||||
Reflect::set(&obj, &"edgeCount".into(), &JsValue::from(edge_count)).unwrap();
|
||||
Reflect::set(
|
||||
&obj,
|
||||
&"hyperedgeCount".into(),
|
||||
&JsValue::from(hyperedge_count),
|
||||
)
|
||||
.unwrap();
|
||||
Reflect::set(
|
||||
&obj,
|
||||
&"hypergraphEntities".into(),
|
||||
&JsValue::from(hypergraph_stats.total_entities),
|
||||
)
|
||||
.unwrap();
|
||||
Reflect::set(
|
||||
&obj,
|
||||
&"hypergraphEdges".into(),
|
||||
&JsValue::from(hypergraph_stats.total_hyperedges),
|
||||
)
|
||||
.unwrap();
|
||||
Reflect::set(
|
||||
&obj,
|
||||
&"avgEntityDegree".into(),
|
||||
&JsValue::from(hypergraph_stats.avg_entity_degree),
|
||||
)
|
||||
.unwrap();
|
||||
|
||||
obj.into()
|
||||
}
|
||||
}
|
||||
|
||||
// Internal helper methods
|
||||
impl GraphDB {
|
||||
fn execute_cypher(&self, cypher: &str) -> Result<QueryResult, String> {
|
||||
let cypher = cypher.trim();
|
||||
|
||||
// Very basic Cypher parsing - in production, use a proper parser
|
||||
if cypher.to_uppercase().starts_with("MATCH") {
|
||||
self.execute_match_query(cypher)
|
||||
} else if cypher.to_uppercase().starts_with("CREATE") {
|
||||
self.execute_create_query(cypher)
|
||||
} else {
|
||||
Err(format!("Unsupported Cypher statement: {}", cypher))
|
||||
}
|
||||
}
|
||||
|
||||
fn execute_match_query(&self, _cypher: &str) -> Result<QueryResult, String> {
|
||||
// Simplified MATCH implementation
|
||||
// In production, parse the pattern and execute accordingly
|
||||
|
||||
Ok(QueryResult {
|
||||
nodes: Vec::new(),
|
||||
edges: Vec::new(),
|
||||
hyperedges: Vec::new(),
|
||||
data: Vec::new(),
|
||||
})
|
||||
}
|
||||
|
||||
fn execute_create_query(&self, _cypher: &str) -> Result<QueryResult, String> {
|
||||
// Simplified CREATE implementation
|
||||
// Parse CREATE statement and create nodes/relationships
|
||||
|
||||
Ok(QueryResult {
|
||||
nodes: Vec::new(),
|
||||
edges: Vec::new(),
|
||||
hyperedges: Vec::new(),
|
||||
data: Vec::new(),
|
||||
})
|
||||
}
|
||||
|
||||
fn generate_hyperedge_embedding(&self, node_ids: &[String]) -> Result<Vec<f32>, JsValue> {
|
||||
let nodes = self.nodes.lock();
|
||||
let embeddings: Vec<Vec<f32>> = node_ids
|
||||
.iter()
|
||||
.filter_map(|id| nodes.get(id).and_then(|n| n.embedding.clone()))
|
||||
.collect();
|
||||
|
||||
if embeddings.is_empty() {
|
||||
return Err(JsValue::from_str("No embeddings found for nodes"));
|
||||
}
|
||||
|
||||
let dim = embeddings[0].len();
|
||||
let mut avg_embedding = vec![0.0; dim];
|
||||
|
||||
for emb in &embeddings {
|
||||
for (i, val) in emb.iter().enumerate() {
|
||||
avg_embedding[i] += val;
|
||||
}
|
||||
}
|
||||
|
||||
for val in &mut avg_embedding {
|
||||
*val /= embeddings.len() as f32;
|
||||
}
|
||||
|
||||
Ok(avg_embedding)
|
||||
}
|
||||
}
|
||||
|
||||
/// Get version information
|
||||
#[wasm_bindgen]
|
||||
pub fn version() -> String {
|
||||
env!("CARGO_PKG_VERSION").to_string()
|
||||
}
|
||||
|
||||
#[cfg(test)]
|
||||
mod tests {
|
||||
use super::*;
|
||||
use wasm_bindgen_test::*;
|
||||
|
||||
wasm_bindgen_test_configure!(run_in_browser);
|
||||
|
||||
#[wasm_bindgen_test]
|
||||
fn test_version() {
|
||||
assert!(!version().is_empty());
|
||||
}
|
||||
|
||||
#[wasm_bindgen_test]
|
||||
fn test_graph_creation() {
|
||||
let db = GraphDB::new(Some("cosine".to_string())).unwrap();
|
||||
assert!(true); // Basic smoke test
|
||||
}
|
||||
}
|
||||
305
crates/ruvector-graph-wasm/src/types.rs
Normal file
305
crates/ruvector-graph-wasm/src/types.rs
Normal file
@@ -0,0 +1,305 @@
|
||||
//! JavaScript-friendly type conversions for graph database
|
||||
|
||||
use js_sys::{Array, Object, Reflect};
|
||||
use serde::{Deserialize, Serialize};
|
||||
use serde_wasm_bindgen::{from_value, to_value};
|
||||
use std::collections::HashMap;
|
||||
use wasm_bindgen::prelude::*;
|
||||
|
||||
/// Node ID type (alias for clarity)
|
||||
pub type NodeId = String;
|
||||
|
||||
/// Edge ID type
|
||||
pub type EdgeId = String;
|
||||
|
||||
/// Hyperedge ID type
|
||||
pub type HyperedgeId = String;
|
||||
|
||||
/// JavaScript-compatible Node
|
||||
#[wasm_bindgen]
|
||||
#[derive(Clone)]
|
||||
pub struct JsNode {
|
||||
pub(crate) id: NodeId,
|
||||
pub(crate) labels: Vec<String>,
|
||||
pub(crate) properties: HashMap<String, serde_json::Value>,
|
||||
pub(crate) embedding: Option<Vec<f32>>,
|
||||
}
|
||||
|
||||
#[wasm_bindgen]
|
||||
impl JsNode {
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn id(&self) -> String {
|
||||
self.id.clone()
|
||||
}
|
||||
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn labels(&self) -> Vec<String> {
|
||||
self.labels.clone()
|
||||
}
|
||||
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn properties(&self) -> JsValue {
|
||||
to_value(&self.properties).unwrap_or(JsValue::NULL)
|
||||
}
|
||||
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn embedding(&self) -> Option<Vec<f32>> {
|
||||
self.embedding.clone()
|
||||
}
|
||||
|
||||
/// Get a specific property value
|
||||
#[wasm_bindgen(js_name = getProperty)]
|
||||
pub fn get_property(&self, key: &str) -> JsValue {
|
||||
self.properties
|
||||
.get(key)
|
||||
.map(|v| to_value(v).unwrap())
|
||||
.unwrap_or(JsValue::NULL)
|
||||
}
|
||||
|
||||
/// Check if node has a specific label
|
||||
#[wasm_bindgen(js_name = hasLabel)]
|
||||
pub fn has_label(&self, label: &str) -> bool {
|
||||
self.labels.contains(&label.to_string())
|
||||
}
|
||||
}
|
||||
|
||||
/// JavaScript-compatible Edge (relationship)
|
||||
#[wasm_bindgen]
|
||||
#[derive(Clone)]
|
||||
pub struct JsEdge {
|
||||
pub(crate) id: EdgeId,
|
||||
pub(crate) from: NodeId,
|
||||
pub(crate) to: NodeId,
|
||||
pub(crate) edge_type: String,
|
||||
pub(crate) properties: HashMap<String, serde_json::Value>,
|
||||
}
|
||||
|
||||
#[wasm_bindgen]
|
||||
impl JsEdge {
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn id(&self) -> String {
|
||||
self.id.clone()
|
||||
}
|
||||
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn from(&self) -> String {
|
||||
self.from.clone()
|
||||
}
|
||||
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn to(&self) -> String {
|
||||
self.to.clone()
|
||||
}
|
||||
|
||||
#[wasm_bindgen(getter, js_name = "type")]
|
||||
pub fn edge_type(&self) -> String {
|
||||
self.edge_type.clone()
|
||||
}
|
||||
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn properties(&self) -> JsValue {
|
||||
to_value(&self.properties).unwrap_or(JsValue::NULL)
|
||||
}
|
||||
|
||||
#[wasm_bindgen(js_name = getProperty)]
|
||||
pub fn get_property(&self, key: &str) -> JsValue {
|
||||
self.properties
|
||||
.get(key)
|
||||
.map(|v| to_value(v).unwrap())
|
||||
.unwrap_or(JsValue::NULL)
|
||||
}
|
||||
}
|
||||
|
||||
/// JavaScript-compatible Hyperedge (n-ary relationship)
|
||||
#[wasm_bindgen]
|
||||
#[derive(Clone)]
|
||||
pub struct JsHyperedge {
|
||||
pub(crate) id: HyperedgeId,
|
||||
pub(crate) nodes: Vec<NodeId>,
|
||||
pub(crate) description: String,
|
||||
pub(crate) embedding: Vec<f32>,
|
||||
pub(crate) confidence: f32,
|
||||
pub(crate) properties: HashMap<String, serde_json::Value>,
|
||||
}
|
||||
|
||||
#[wasm_bindgen]
|
||||
impl JsHyperedge {
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn id(&self) -> String {
|
||||
self.id.clone()
|
||||
}
|
||||
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn nodes(&self) -> Vec<String> {
|
||||
self.nodes.clone()
|
||||
}
|
||||
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn description(&self) -> String {
|
||||
self.description.clone()
|
||||
}
|
||||
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn embedding(&self) -> Vec<f32> {
|
||||
self.embedding.clone()
|
||||
}
|
||||
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn confidence(&self) -> f32 {
|
||||
self.confidence
|
||||
}
|
||||
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn properties(&self) -> JsValue {
|
||||
to_value(&self.properties).unwrap_or(JsValue::NULL)
|
||||
}
|
||||
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn order(&self) -> usize {
|
||||
self.nodes.len()
|
||||
}
|
||||
}
|
||||
|
||||
/// Query result that can contain nodes, edges, or hyperedges
|
||||
#[wasm_bindgen]
|
||||
pub struct QueryResult {
|
||||
pub(crate) nodes: Vec<JsNode>,
|
||||
pub(crate) edges: Vec<JsEdge>,
|
||||
pub(crate) hyperedges: Vec<JsHyperedge>,
|
||||
pub(crate) data: Vec<HashMap<String, serde_json::Value>>,
|
||||
}
|
||||
|
||||
#[wasm_bindgen]
|
||||
impl QueryResult {
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn nodes(&self) -> Vec<JsNode> {
|
||||
self.nodes.clone()
|
||||
}
|
||||
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn edges(&self) -> Vec<JsEdge> {
|
||||
self.edges.clone()
|
||||
}
|
||||
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn hyperedges(&self) -> Vec<JsHyperedge> {
|
||||
self.hyperedges.clone()
|
||||
}
|
||||
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn data(&self) -> JsValue {
|
||||
to_value(&self.data).unwrap_or(JsValue::NULL)
|
||||
}
|
||||
|
||||
#[wasm_bindgen(getter)]
|
||||
pub fn count(&self) -> usize {
|
||||
self.nodes.len() + self.edges.len() + self.hyperedges.len()
|
||||
}
|
||||
|
||||
/// Check if result is empty
|
||||
#[wasm_bindgen(js_name = isEmpty)]
|
||||
pub fn is_empty(&self) -> bool {
|
||||
self.count() == 0
|
||||
}
|
||||
}
|
||||
|
||||
/// WASM-specific error type
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub struct GraphError {
|
||||
pub message: String,
|
||||
pub kind: String,
|
||||
}
|
||||
|
||||
impl GraphError {
|
||||
pub fn new(message: String, kind: String) -> Self {
|
||||
Self { message, kind }
|
||||
}
|
||||
}
|
||||
|
||||
impl From<GraphError> for JsValue {
|
||||
fn from(err: GraphError) -> Self {
|
||||
let obj = Object::new();
|
||||
Reflect::set(&obj, &"message".into(), &err.message.into()).unwrap();
|
||||
Reflect::set(&obj, &"kind".into(), &err.kind.into()).unwrap();
|
||||
obj.into()
|
||||
}
|
||||
}
|
||||
|
||||
impl From<String> for GraphError {
|
||||
fn from(msg: String) -> Self {
|
||||
GraphError::new(msg, "GraphError".to_string())
|
||||
}
|
||||
}
|
||||
|
||||
/// Internal node representation
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub(crate) struct Node {
|
||||
pub id: NodeId,
|
||||
pub labels: Vec<String>,
|
||||
pub properties: HashMap<String, serde_json::Value>,
|
||||
pub embedding: Option<Vec<f32>>,
|
||||
}
|
||||
|
||||
impl Node {
|
||||
pub fn to_js(&self) -> JsNode {
|
||||
JsNode {
|
||||
id: self.id.clone(),
|
||||
labels: self.labels.clone(),
|
||||
properties: self.properties.clone(),
|
||||
embedding: self.embedding.clone(),
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/// Internal edge representation
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub(crate) struct Edge {
|
||||
pub id: EdgeId,
|
||||
pub from: NodeId,
|
||||
pub to: NodeId,
|
||||
pub edge_type: String,
|
||||
pub properties: HashMap<String, serde_json::Value>,
|
||||
}
|
||||
|
||||
impl Edge {
|
||||
pub fn to_js(&self) -> JsEdge {
|
||||
JsEdge {
|
||||
id: self.id.clone(),
|
||||
from: self.from.clone(),
|
||||
to: self.to.clone(),
|
||||
edge_type: self.edge_type.clone(),
|
||||
properties: self.properties.clone(),
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/// Internal hyperedge representation
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub(crate) struct Hyperedge {
|
||||
pub id: HyperedgeId,
|
||||
pub nodes: Vec<NodeId>,
|
||||
pub description: String,
|
||||
pub embedding: Vec<f32>,
|
||||
pub confidence: f32,
|
||||
pub properties: HashMap<String, serde_json::Value>,
|
||||
}
|
||||
|
||||
impl Hyperedge {
|
||||
pub fn to_js(&self) -> JsHyperedge {
|
||||
JsHyperedge {
|
||||
id: self.id.clone(),
|
||||
nodes: self.nodes.clone(),
|
||||
description: self.description.clone(),
|
||||
embedding: self.embedding.clone(),
|
||||
confidence: self.confidence,
|
||||
properties: self.properties.clone(),
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/// Convert JavaScript object to HashMap
|
||||
pub(crate) fn js_object_to_hashmap(
|
||||
obj: JsValue,
|
||||
) -> Result<HashMap<String, serde_json::Value>, String> {
|
||||
from_value(obj).map_err(|e| format!("Failed to convert JS object: {}", e))
|
||||
}
|
||||
Reference in New Issue
Block a user