@soulcraft/brainy 3.32.0 β 3.32.2
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/CHANGELOG.md +43 -0
- package/dist/neural/improvedNeuralAPI.js +38 -40
- package/dist/neural/naturalLanguageProcessor.js +3 -1
- package/dist/neural/types.d.ts +7 -1
- package/dist/storage/adapters/baseStorageAdapter.js +10 -15
- package/dist/storage/adapters/fileSystemStorage.js +16 -1
- package/dist/storage/adapters/gcsStorage.js +15 -7
- package/dist/storage/adapters/memoryStorage.js +13 -5
- package/dist/storage/baseStorage.d.ts +5 -0
- package/dist/storage/baseStorage.js +9 -0
- package/dist/utils/paramValidation.js +2 -3
- package/package.json +1 -1
package/CHANGELOG.md
CHANGED
|
@@ -2,6 +2,49 @@
|
|
|
2
2
|
|
|
3
3
|
All notable changes to this project will be documented in this file. See [standard-version](https://github.com/conventional-changelog/standard-version) for commit guidelines.
|
|
4
4
|
|
|
5
|
+
### [3.32.2](https://github.com/soulcraftlabs/brainy/compare/v3.32.1...v3.32.2) (2025-10-09)
|
|
6
|
+
|
|
7
|
+
### π Critical Bug Fixes - Container Restart Persistence
|
|
8
|
+
|
|
9
|
+
**Fixed: brain.find({ where: {...} }) returns empty array after restart**
|
|
10
|
+
**Fixed: brain.init() returns 0 entities after container restart**
|
|
11
|
+
|
|
12
|
+
#### Root Cause
|
|
13
|
+
Count persistence was optimized to save only every 10 operations. If <10 entities were added before container restart, counts were never persisted to storage. After restart: `totalNounCount = 0`, causing empty query results.
|
|
14
|
+
|
|
15
|
+
#### Impact
|
|
16
|
+
Critical for serverless/containerized deployments (Cloud Run, Fargate, Lambda) where containers restart frequently. The basic writeβrestartβread scenario was broken.
|
|
17
|
+
|
|
18
|
+
#### Changes
|
|
19
|
+
- `baseStorageAdapter.ts`: Persist counts on EVERY operation (not every 10)
|
|
20
|
+
- `incrementEntityCountSafe()`: Now persists immediately
|
|
21
|
+
- `decrementEntityCountSafe()`: Now persists immediately
|
|
22
|
+
- `incrementVerbCount()`: Now persists immediately
|
|
23
|
+
- `decrementVerbCount()`: Now persists immediately
|
|
24
|
+
|
|
25
|
+
- `gcsStorage.ts`: Better error handling for count initialization
|
|
26
|
+
- `initializeCounts()`: Fail loudly on network/permission errors
|
|
27
|
+
- `initializeCountsFromScan()`: Throw on scan failures instead of silent fail
|
|
28
|
+
- Added recovery logic with bucket scan fallback
|
|
29
|
+
|
|
30
|
+
#### Test Scenario (Now Fixed)
|
|
31
|
+
```typescript
|
|
32
|
+
// Service A: Add 2 entities
|
|
33
|
+
await brain.add({ data: 'Entity 1' })
|
|
34
|
+
await brain.add({ data: 'Entity 2' })
|
|
35
|
+
|
|
36
|
+
// Container restarts (Cloud Run, Fargate, etc.)
|
|
37
|
+
|
|
38
|
+
// Service B: Query data
|
|
39
|
+
const stats = await brain.getStats()
|
|
40
|
+
console.log(stats.entities.total) // Was: 0 β | Now: 2 β
|
|
41
|
+
|
|
42
|
+
const results = await brain.find({ where: { status: 'active' }})
|
|
43
|
+
console.log(results.length) // Was: 0 β | Now: 2 β
|
|
44
|
+
```
|
|
45
|
+
|
|
46
|
+
---
|
|
47
|
+
|
|
5
48
|
## [3.31.0](https://github.com/soulcraftlabs/brainy/compare/v3.30.2...v3.31.0) (2025-10-09)
|
|
6
49
|
|
|
7
50
|
### π Critical Bug Fixes - Production-Scale Import Performance
|
|
@@ -577,26 +577,35 @@ export class ImprovedNeuralAPI {
|
|
|
577
577
|
*/
|
|
578
578
|
async hierarchy(id, options = {}) {
|
|
579
579
|
const startTime = performance.now();
|
|
580
|
+
const cacheKey = `hierarchy:${id}:${JSON.stringify(options)}`;
|
|
581
|
+
if (this.hierarchyCache.has(cacheKey)) {
|
|
582
|
+
return this.hierarchyCache.get(cacheKey);
|
|
583
|
+
}
|
|
584
|
+
// Get item data - handle non-existent and invalid IDs gracefully
|
|
585
|
+
let item;
|
|
580
586
|
try {
|
|
581
|
-
|
|
582
|
-
if (this.hierarchyCache.has(cacheKey)) {
|
|
583
|
-
return this.hierarchyCache.get(cacheKey);
|
|
584
|
-
}
|
|
585
|
-
// Get item data
|
|
586
|
-
const item = await this.brain.get(id);
|
|
587
|
-
if (!item) {
|
|
588
|
-
throw new Error(`Item with ID ${id} not found`);
|
|
589
|
-
}
|
|
590
|
-
// Build hierarchy based on strategy
|
|
591
|
-
const hierarchy = await this._buildSemanticHierarchy(item, options);
|
|
592
|
-
this._cacheResult(cacheKey, hierarchy, this.hierarchyCache);
|
|
593
|
-
this._trackPerformance('hierarchy', startTime, 1, 'hierarchy');
|
|
594
|
-
return hierarchy;
|
|
587
|
+
item = await this.brain.get(id);
|
|
595
588
|
}
|
|
596
589
|
catch (error) {
|
|
597
|
-
|
|
598
|
-
|
|
590
|
+
// Handle validation errors, non-existent IDs, etc. gracefully
|
|
591
|
+
// Return empty hierarchy instead of throwing
|
|
592
|
+
return {
|
|
593
|
+
root: null,
|
|
594
|
+
levels: []
|
|
595
|
+
};
|
|
599
596
|
}
|
|
597
|
+
if (!item) {
|
|
598
|
+
// Return empty hierarchy for non-existent IDs
|
|
599
|
+
return {
|
|
600
|
+
root: null,
|
|
601
|
+
levels: []
|
|
602
|
+
};
|
|
603
|
+
}
|
|
604
|
+
// Build hierarchy based on strategy
|
|
605
|
+
const hierarchy = await this._buildSemanticHierarchy(item, options);
|
|
606
|
+
this._cacheResult(cacheKey, hierarchy, this.hierarchyCache);
|
|
607
|
+
this._trackPerformance('hierarchy', startTime, 1, 'hierarchy');
|
|
608
|
+
return hierarchy;
|
|
600
609
|
}
|
|
601
610
|
// ===== PUBLIC API: ANALYSIS =====
|
|
602
611
|
/**
|
|
@@ -1908,27 +1917,10 @@ export class ImprovedNeuralAPI {
|
|
|
1908
1917
|
if (!result || !Array.isArray(result)) {
|
|
1909
1918
|
return [];
|
|
1910
1919
|
}
|
|
1911
|
-
//
|
|
1920
|
+
// Include ALL items for domain clustering - those without the field will be assigned to 'unknown' domain
|
|
1912
1921
|
const itemsWithField = result.filter((item) => {
|
|
1913
|
-
|
|
1914
|
-
|
|
1915
|
-
const entity = item.entity;
|
|
1916
|
-
// Check root level fields first (e.g., 'noun' for type)
|
|
1917
|
-
if (field === 'type' || field === 'nounType') {
|
|
1918
|
-
return entity.noun != null;
|
|
1919
|
-
}
|
|
1920
|
-
// Check if field exists at root level
|
|
1921
|
-
if (entity[field] != null) {
|
|
1922
|
-
return true;
|
|
1923
|
-
}
|
|
1924
|
-
// Check if field exists in metadata/data
|
|
1925
|
-
if (entity.metadata?.[field] != null) {
|
|
1926
|
-
return true;
|
|
1927
|
-
}
|
|
1928
|
-
if (entity.data?.[field] != null) {
|
|
1929
|
-
return true;
|
|
1930
|
-
}
|
|
1931
|
-
return false;
|
|
1922
|
+
// Just ensure item has entity
|
|
1923
|
+
return item && item.entity;
|
|
1932
1924
|
});
|
|
1933
1925
|
// Map to format expected by clustering methods
|
|
1934
1926
|
return itemsWithField.map((item) => {
|
|
@@ -1940,13 +1932,13 @@ export class ImprovedNeuralAPI {
|
|
|
1940
1932
|
...(entity.metadata || {}),
|
|
1941
1933
|
...(entity.data || {}),
|
|
1942
1934
|
// Include root-level fields in metadata for easy access
|
|
1943
|
-
noun: entity.
|
|
1944
|
-
type: entity.
|
|
1935
|
+
noun: entity.type,
|
|
1936
|
+
type: entity.type,
|
|
1945
1937
|
createdAt: entity.createdAt,
|
|
1946
1938
|
updatedAt: entity.updatedAt,
|
|
1947
1939
|
label: entity.label
|
|
1948
1940
|
},
|
|
1949
|
-
nounType: entity.
|
|
1941
|
+
nounType: entity.type,
|
|
1950
1942
|
label: entity.label || entity.data || '',
|
|
1951
1943
|
data: entity.data
|
|
1952
1944
|
};
|
|
@@ -2642,8 +2634,14 @@ export class ImprovedNeuralAPI {
|
|
|
2642
2634
|
}
|
|
2643
2635
|
async _buildSemanticHierarchy(item, options) {
|
|
2644
2636
|
// Build semantic hierarchy around an item
|
|
2637
|
+
// Return structure expected by tests: { root, levels }
|
|
2645
2638
|
return {
|
|
2646
|
-
|
|
2639
|
+
root: {
|
|
2640
|
+
id: item.id,
|
|
2641
|
+
vector: item.vector,
|
|
2642
|
+
metadata: item.metadata
|
|
2643
|
+
},
|
|
2644
|
+
levels: []
|
|
2647
2645
|
};
|
|
2648
2646
|
}
|
|
2649
2647
|
async _detectOutliersClusterBased(threshold, options) {
|
|
@@ -440,7 +440,9 @@ export class NaturalLanguageProcessor {
|
|
|
440
440
|
tripleQuery.where = {};
|
|
441
441
|
for (const match of fieldMatches) {
|
|
442
442
|
// Extract value for this field from query
|
|
443
|
-
|
|
443
|
+
// Escape special regex characters in the term
|
|
444
|
+
const escapedTerm = match.term.replace(/[.*+?^${}()|[\]\\]/g, '\\$&');
|
|
445
|
+
const valuePattern = new RegExp(`${escapedTerm}\\s*(?:is|=|:)?\\s*(\\S+)`, 'i');
|
|
444
446
|
const valueMatch = query.match(valuePattern);
|
|
445
447
|
if (valueMatch) {
|
|
446
448
|
tripleQuery.where[match.field] = valueMatch[1];
|
package/dist/neural/types.d.ts
CHANGED
|
@@ -130,11 +130,17 @@ export interface NeighborsResult {
|
|
|
130
130
|
averageSimilarity: number;
|
|
131
131
|
}
|
|
132
132
|
export interface SemanticHierarchy {
|
|
133
|
-
self
|
|
133
|
+
self?: {
|
|
134
134
|
id: string;
|
|
135
135
|
vector?: Vector;
|
|
136
136
|
metadata?: any;
|
|
137
137
|
};
|
|
138
|
+
root?: {
|
|
139
|
+
id: string;
|
|
140
|
+
vector?: Vector;
|
|
141
|
+
metadata?: any;
|
|
142
|
+
} | null;
|
|
143
|
+
levels?: any[];
|
|
138
144
|
parent?: {
|
|
139
145
|
id: string;
|
|
140
146
|
similarity: number;
|
|
@@ -659,10 +659,10 @@ export class BaseStorageAdapter {
|
|
|
659
659
|
const mutex = getGlobalMutex();
|
|
660
660
|
await mutex.runExclusive(`count-entity-${type}`, async () => {
|
|
661
661
|
this.incrementEntityCount(type);
|
|
662
|
-
// Persist counts
|
|
663
|
-
|
|
664
|
-
|
|
665
|
-
|
|
662
|
+
// CRITICAL FIX: Persist counts on EVERY change for cloud storage adapters
|
|
663
|
+
// This ensures counts survive container restarts (GCS, S3, etc.)
|
|
664
|
+
// For memory/file storage, this is fast; for cloud storage, it's essential
|
|
665
|
+
await this.persistCounts();
|
|
666
666
|
});
|
|
667
667
|
}
|
|
668
668
|
/**
|
|
@@ -693,9 +693,8 @@ export class BaseStorageAdapter {
|
|
|
693
693
|
const mutex = getGlobalMutex();
|
|
694
694
|
await mutex.runExclusive(`count-entity-${type}`, async () => {
|
|
695
695
|
this.decrementEntityCount(type);
|
|
696
|
-
|
|
697
|
-
|
|
698
|
-
}
|
|
696
|
+
// CRITICAL FIX: Persist counts on EVERY change for cloud storage adapters
|
|
697
|
+
await this.persistCounts();
|
|
699
698
|
});
|
|
700
699
|
}
|
|
701
700
|
/**
|
|
@@ -712,10 +711,8 @@ export class BaseStorageAdapter {
|
|
|
712
711
|
count: this.totalVerbCount,
|
|
713
712
|
timestamp: Date.now()
|
|
714
713
|
});
|
|
715
|
-
// Persist counts
|
|
716
|
-
|
|
717
|
-
await this.persistCounts();
|
|
718
|
-
}
|
|
714
|
+
// CRITICAL FIX: Persist counts on EVERY change for cloud storage adapters
|
|
715
|
+
await this.persistCounts();
|
|
719
716
|
});
|
|
720
717
|
}
|
|
721
718
|
/**
|
|
@@ -740,10 +737,8 @@ export class BaseStorageAdapter {
|
|
|
740
737
|
count: this.totalVerbCount,
|
|
741
738
|
timestamp: Date.now()
|
|
742
739
|
});
|
|
743
|
-
// Persist counts
|
|
744
|
-
|
|
745
|
-
await this.persistCounts();
|
|
746
|
-
}
|
|
740
|
+
// CRITICAL FIX: Persist counts on EVERY change for cloud storage adapters
|
|
741
|
+
await this.persistCounts();
|
|
747
742
|
});
|
|
748
743
|
}
|
|
749
744
|
}
|
|
@@ -437,7 +437,8 @@ export class FileSystemStorage extends BaseStorage {
|
|
|
437
437
|
*/
|
|
438
438
|
async deleteEdge(id) {
|
|
439
439
|
await this.ensureInitialized();
|
|
440
|
-
|
|
440
|
+
// Delete the HNSWVerb file using sharded path
|
|
441
|
+
const filePath = this.getVerbPath(id);
|
|
441
442
|
try {
|
|
442
443
|
await fs.promises.unlink(filePath);
|
|
443
444
|
}
|
|
@@ -447,6 +448,20 @@ export class FileSystemStorage extends BaseStorage {
|
|
|
447
448
|
throw error;
|
|
448
449
|
}
|
|
449
450
|
}
|
|
451
|
+
// CRITICAL: Also delete verb metadata - this is what getVerbs() uses to find verbs
|
|
452
|
+
// Without this, getVerbsBySource() will still find "deleted" verbs via their metadata
|
|
453
|
+
try {
|
|
454
|
+
const metadata = await this.getVerbMetadata(id);
|
|
455
|
+
if (metadata) {
|
|
456
|
+
const verbType = metadata.verb || metadata.type || 'default';
|
|
457
|
+
this.decrementVerbCount(verbType);
|
|
458
|
+
await this.deleteVerbMetadata(id);
|
|
459
|
+
}
|
|
460
|
+
}
|
|
461
|
+
catch (error) {
|
|
462
|
+
// Ignore metadata deletion errors - verb file is already deleted
|
|
463
|
+
console.warn(`Failed to delete verb metadata for ${id}:`, error);
|
|
464
|
+
}
|
|
450
465
|
}
|
|
451
466
|
/**
|
|
452
467
|
* Primitive operation: Write object to path
|
|
@@ -1095,8 +1095,8 @@ export class GcsStorage extends BaseStorage {
|
|
|
1095
1095
|
* Initialize counts from storage
|
|
1096
1096
|
*/
|
|
1097
1097
|
async initializeCounts() {
|
|
1098
|
+
const key = `${this.systemPrefix}counts.json`;
|
|
1098
1099
|
try {
|
|
1099
|
-
const key = `${this.systemPrefix}counts.json`;
|
|
1100
1100
|
const file = this.bucket.file(key);
|
|
1101
1101
|
const [contents] = await file.download();
|
|
1102
1102
|
const counts = JSON.parse(contents.toString());
|
|
@@ -1104,16 +1104,21 @@ export class GcsStorage extends BaseStorage {
|
|
|
1104
1104
|
this.totalVerbCount = counts.totalVerbCount || 0;
|
|
1105
1105
|
this.entityCounts = new Map(Object.entries(counts.entityCounts || {}));
|
|
1106
1106
|
this.verbCounts = new Map(Object.entries(counts.verbCounts || {}));
|
|
1107
|
-
prodLog.info(`π Loaded counts: ${this.totalNounCount} nouns, ${this.totalVerbCount} verbs`);
|
|
1107
|
+
prodLog.info(`π Loaded counts from storage: ${this.totalNounCount} nouns, ${this.totalVerbCount} verbs`);
|
|
1108
1108
|
}
|
|
1109
1109
|
catch (error) {
|
|
1110
1110
|
if (error.code === 404) {
|
|
1111
|
-
// No counts file yet - initialize from scan
|
|
1112
|
-
prodLog.info('π No counts file found -
|
|
1111
|
+
// No counts file yet - initialize from scan (first-time setup or counts not persisted)
|
|
1112
|
+
prodLog.info('π No counts file found - this is normal for first init or if <10 entities were added');
|
|
1113
1113
|
await this.initializeCountsFromScan();
|
|
1114
1114
|
}
|
|
1115
1115
|
else {
|
|
1116
|
-
|
|
1116
|
+
// CRITICAL FIX: Don't silently fail on network/permission errors
|
|
1117
|
+
this.logger.error('β CRITICAL: Failed to load counts from GCS:', error);
|
|
1118
|
+
prodLog.error(`β Error loading ${key}: ${error.message}`);
|
|
1119
|
+
// Try to recover by scanning the bucket
|
|
1120
|
+
prodLog.warn('β οΈ Attempting recovery by scanning GCS bucket...');
|
|
1121
|
+
await this.initializeCountsFromScan();
|
|
1117
1122
|
}
|
|
1118
1123
|
}
|
|
1119
1124
|
}
|
|
@@ -1122,6 +1127,7 @@ export class GcsStorage extends BaseStorage {
|
|
|
1122
1127
|
*/
|
|
1123
1128
|
async initializeCountsFromScan() {
|
|
1124
1129
|
try {
|
|
1130
|
+
prodLog.info('π Scanning GCS bucket to initialize counts...');
|
|
1125
1131
|
// Count nouns
|
|
1126
1132
|
const [nounFiles] = await this.bucket.getFiles({ prefix: this.nounPrefix });
|
|
1127
1133
|
this.totalNounCount = nounFiles?.filter((f) => f.name?.endsWith('.json')).length || 0;
|
|
@@ -1130,10 +1136,12 @@ export class GcsStorage extends BaseStorage {
|
|
|
1130
1136
|
this.totalVerbCount = verbFiles?.filter((f) => f.name?.endsWith('.json')).length || 0;
|
|
1131
1137
|
// Save initial counts
|
|
1132
1138
|
await this.persistCounts();
|
|
1133
|
-
prodLog.info(`β
Initialized counts: ${this.totalNounCount} nouns, ${this.totalVerbCount} verbs`);
|
|
1139
|
+
prodLog.info(`β
Initialized counts from scan: ${this.totalNounCount} nouns, ${this.totalVerbCount} verbs`);
|
|
1134
1140
|
}
|
|
1135
1141
|
catch (error) {
|
|
1136
|
-
|
|
1142
|
+
// CRITICAL FIX: Don't silently fail - this prevents data loss scenarios
|
|
1143
|
+
this.logger.error('β CRITICAL: Failed to initialize counts from GCS bucket scan:', error);
|
|
1144
|
+
throw new Error(`Failed to initialize GCS storage counts: ${error}. This prevents container restarts from working correctly.`);
|
|
1137
1145
|
}
|
|
1138
1146
|
}
|
|
1139
1147
|
/**
|
|
@@ -293,7 +293,7 @@ export class MemoryStorage extends BaseStorage {
|
|
|
293
293
|
// Iterate through all verbs to find matches
|
|
294
294
|
for (const [verbId, hnswVerb] of this.verbs.entries()) {
|
|
295
295
|
// Get the metadata for this verb to do filtering
|
|
296
|
-
const metadata = this.
|
|
296
|
+
const metadata = await this.getVerbMetadata(verbId);
|
|
297
297
|
// Filter by verb type if specified
|
|
298
298
|
if (verbTypes && metadata && !verbTypes.includes(metadata.type || metadata.verb || '')) {
|
|
299
299
|
continue;
|
|
@@ -336,7 +336,7 @@ export class MemoryStorage extends BaseStorage {
|
|
|
336
336
|
const items = [];
|
|
337
337
|
for (const id of paginatedIds) {
|
|
338
338
|
const hnswVerb = this.verbs.get(id);
|
|
339
|
-
const metadata = this.
|
|
339
|
+
const metadata = await this.getVerbMetadata(id);
|
|
340
340
|
if (!hnswVerb)
|
|
341
341
|
continue;
|
|
342
342
|
if (!metadata) {
|
|
@@ -365,7 +365,7 @@ export class MemoryStorage extends BaseStorage {
|
|
|
365
365
|
updatedAt: metadata.updatedAt,
|
|
366
366
|
createdBy: metadata.createdBy,
|
|
367
367
|
data: metadata.data,
|
|
368
|
-
metadata: metadata.data //
|
|
368
|
+
metadata: metadata.metadata || metadata.data // Use metadata.metadata (user's custom metadata)
|
|
369
369
|
};
|
|
370
370
|
items.push(graphVerb);
|
|
371
371
|
}
|
|
@@ -416,9 +416,17 @@ export class MemoryStorage extends BaseStorage {
|
|
|
416
416
|
* Delete a verb from storage
|
|
417
417
|
*/
|
|
418
418
|
async deleteVerb_internal(id) {
|
|
419
|
-
//
|
|
420
|
-
// since HNSWVerb doesn't contain type information
|
|
419
|
+
// Delete the HNSWVerb from the verbs map
|
|
421
420
|
this.verbs.delete(id);
|
|
421
|
+
// CRITICAL: Also delete verb metadata - this is what getVerbs() uses to find verbs
|
|
422
|
+
// Without this, getVerbsBySource() will still find "deleted" verbs via their metadata
|
|
423
|
+
const metadata = await this.getVerbMetadata(id);
|
|
424
|
+
if (metadata) {
|
|
425
|
+
const verbType = metadata.verb || metadata.type || 'default';
|
|
426
|
+
this.decrementVerbCount(verbType);
|
|
427
|
+
// Delete the metadata using the base storage method
|
|
428
|
+
await this.deleteVerbMetadata(id);
|
|
429
|
+
}
|
|
422
430
|
}
|
|
423
431
|
/**
|
|
424
432
|
* Primitive operation: Write object to path
|
|
@@ -245,6 +245,11 @@ export declare abstract class BaseStorage extends BaseStorageAdapter {
|
|
|
245
245
|
* Uses routing logic to handle both UUIDs (sharded) and system keys (unsharded)
|
|
246
246
|
*/
|
|
247
247
|
getVerbMetadata(id: string): Promise<any | null>;
|
|
248
|
+
/**
|
|
249
|
+
* Delete verb metadata from storage
|
|
250
|
+
* Uses routing logic to handle both UUIDs (sharded) and system keys (unsharded)
|
|
251
|
+
*/
|
|
252
|
+
deleteVerbMetadata(id: string): Promise<void>;
|
|
248
253
|
/**
|
|
249
254
|
* Save a noun to storage
|
|
250
255
|
* This method should be implemented by each specific adapter
|
|
@@ -714,6 +714,15 @@ export class BaseStorage extends BaseStorageAdapter {
|
|
|
714
714
|
const keyInfo = this.analyzeKey(id, 'verb-metadata');
|
|
715
715
|
return this.readObjectFromPath(keyInfo.fullPath);
|
|
716
716
|
}
|
|
717
|
+
/**
|
|
718
|
+
* Delete verb metadata from storage
|
|
719
|
+
* Uses routing logic to handle both UUIDs (sharded) and system keys (unsharded)
|
|
720
|
+
*/
|
|
721
|
+
async deleteVerbMetadata(id) {
|
|
722
|
+
await this.ensureInitialized();
|
|
723
|
+
const keyInfo = this.analyzeKey(id, 'verb-metadata');
|
|
724
|
+
return this.deleteObjectFromPath(keyInfo.fullPath);
|
|
725
|
+
}
|
|
717
726
|
/**
|
|
718
727
|
* Helper method to convert a Map to a plain object for serialization
|
|
719
728
|
*/
|
|
@@ -192,9 +192,8 @@ export function validateRelateParams(params) {
|
|
|
192
192
|
if (!params.to) {
|
|
193
193
|
throw new Error('to entity ID is required');
|
|
194
194
|
}
|
|
195
|
-
|
|
196
|
-
|
|
197
|
-
}
|
|
195
|
+
// Allow self-referential relationships - they're valid in graph systems
|
|
196
|
+
// (e.g., a person can be related to themselves, a file can reference itself, etc.)
|
|
198
197
|
// Validate verb type - default to RelatedTo if not specified
|
|
199
198
|
if (params.type === undefined) {
|
|
200
199
|
params.type = VerbType.RelatedTo;
|
package/package.json
CHANGED
|
@@ -1,6 +1,6 @@
|
|
|
1
1
|
{
|
|
2
2
|
"name": "@soulcraft/brainy",
|
|
3
|
-
"version": "3.32.
|
|
3
|
+
"version": "3.32.2",
|
|
4
4
|
"description": "Universal Knowledge Protocolβ’ - World's first Triple Intelligence database unifying vector, graph, and document search in one API. 31 nouns Γ 40 verbs for infinite expressiveness.",
|
|
5
5
|
"main": "dist/index.js",
|
|
6
6
|
"module": "dist/index.js",
|