File size: 4,463 Bytes
34367da
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
import { getDatabase } from '../database/index.js';
import { neo4jService } from '../database/Neo4jService';
import { graphMemoryService } from '../memory/GraphMemoryService';

/**

 * Migrate memory_entities and memory_relations from SQLite to Neo4j

 */
export async function migrateMemoryToNeo4j() {
    console.log('πŸ”„ Starting migration from SQLite to Neo4j...');

    const db = getDatabase();

    try {
        // Connect to Neo4j
        await neo4jService.connect();

        // Step 1: Migrate memory_entities to Neo4j nodes
        console.log('πŸ“¦ Migrating memory_entities...');
        const entities = db.prepare('SELECT * FROM memory_entities').all() as any[];

        const entityIdMap = new Map<number, string>(); // SQLite ID -> Neo4j ID

        for (const entity of entities) {
            const neo4jNode = await graphMemoryService.createEntity(
                entity.entity_type,
                entity.content.substring(0, 100), // Use first 100 chars as name
                {
                    orgId: entity.org_id,
                    userId: entity.user_id,
                    content: entity.content,
                    importance: entity.importance,
                    createdAt: entity.created_at,
                }
            );

            entityIdMap.set(entity.id, neo4jNode.id);

            // Migrate tags
            const tags = db.prepare('SELECT tag FROM memory_tags WHERE entity_id = ?').all(entity.id) as any[];
            for (const tagRow of tags) {
                // Add tag as property or create separate Tag nodes
                await neo4jService.runQuery(
                    `MATCH (n) WHERE id(n) = $id 

           SET n.tags = CASE WHEN n.tags IS NULL THEN [$tag] ELSE n.tags + $tag END`,
                    { id: parseInt(neo4jNode.id), tag: tagRow.tag }
                );
            }
        }

        console.log(`βœ… Migrated ${entities.length} entities`);

        // Step 2: Migrate memory_relations to Neo4j relationships
        console.log('πŸ”— Migrating memory_relations...');
        const relations = db.prepare('SELECT * FROM memory_relations').all() as any[];

        for (const relation of relations) {
            const sourceNeo4jId = entityIdMap.get(relation.source_id);
            const targetNeo4jId = entityIdMap.get(relation.target_id);

            if (sourceNeo4jId && targetNeo4jId) {
                await graphMemoryService.createRelation(
                    sourceNeo4jId,
                    targetNeo4jId,
                    relation.relation_type,
                    {
                        orgId: relation.org_id,
                        createdAt: relation.created_at,
                    }
                );
            } else {
                console.warn(`⚠️  Skipping relation ${relation.id}: missing source or target`);
            }
        }

        console.log(`βœ… Migrated ${relations.length} relations`);

        // Step 3: Verify migration
        const stats = await graphMemoryService.getStatistics();
        console.log('πŸ“Š Migration Statistics:', stats);

        console.log('πŸŽ‰ Migration completed successfully!');

        return {
            entitiesMigrated: entities.length,
            relationsMigrated: relations.length,
            stats,
        };

    } catch (error) {
        console.error('❌ Migration failed:', error);
        throw error;
    } finally {
        await neo4jService.disconnect();
    }
}

/**

 * Rollback migration - delete all migrated data from Neo4j

 */
export async function rollbackMigration() {
    console.log('πŸ”„ Rolling back migration...');

    try {
        await neo4jService.connect();

        // Delete all nodes and relationships
        await neo4jService.runQuery('MATCH (n) DETACH DELETE n');

        console.log('βœ… Rollback completed');
    } catch (error) {
        console.error('❌ Rollback failed:', error);
        throw error;
    } finally {
        await neo4jService.disconnect();
    }
}

// Run if executed directly
if (require.main === module) {
    migrateMemoryToNeo4j()
        .then(result => {
            console.log('Migration result:', result);
            process.exit(0);
        })
        .catch(error => {
            console.error('Migration error:', error);
            process.exit(1);
        });
}