masterrecord 0.3.35 → 0.3.37
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/.claude/settings.local.json +3 -1
- package/context.js +71 -12
- package/package.json +1 -1
- package/readme.md +82 -58
- package/test/config-glob-pattern-test.js +232 -0
- package/test/entity-deduplication-test.js +174 -0
- package/test/qa-context-pattern-test.js +319 -0
- package/test/seed-deduplication-test.js +313 -0
package/context.js
CHANGED
|
@@ -448,14 +448,25 @@ class context {
|
|
|
448
448
|
? rootFolderLocation
|
|
449
449
|
: path.join(currentRoot, rootFolderLocation);
|
|
450
450
|
|
|
451
|
-
//
|
|
452
|
-
|
|
453
|
-
|
|
454
|
-
|
|
455
|
-
|
|
456
|
-
|
|
457
|
-
|
|
458
|
-
|
|
451
|
+
// Search for environment config files with priority:
|
|
452
|
+
// 1. env.<envType>.json (preferred)
|
|
453
|
+
// 2. <envType>.json (fallback)
|
|
454
|
+
// Note: Using separate patterns prevents matching files like "my-config.development.json"
|
|
455
|
+
const patterns = [
|
|
456
|
+
`${rootFolder}/**/env.${envType}.json`,
|
|
457
|
+
`${rootFolder}/**/${envType}.json`
|
|
458
|
+
];
|
|
459
|
+
|
|
460
|
+
let files = [];
|
|
461
|
+
for (const pattern of patterns) {
|
|
462
|
+
files = globSearch.sync(pattern, {
|
|
463
|
+
cwd: currentRoot,
|
|
464
|
+
dot: true,
|
|
465
|
+
nocase: true,
|
|
466
|
+
windowsPathsNoEscape: true
|
|
467
|
+
});
|
|
468
|
+
if (files && files.length > 0) break;
|
|
469
|
+
}
|
|
459
470
|
|
|
460
471
|
// Return first match
|
|
461
472
|
if (files && files.length > 0) {
|
|
@@ -1022,9 +1033,19 @@ class context {
|
|
|
1022
1033
|
// Merge context-level composite indexes with entity-defined indexes
|
|
1023
1034
|
this.#mergeCompositeIndexes(validModel, tableName);
|
|
1024
1035
|
|
|
1025
|
-
this
|
|
1026
|
-
const
|
|
1027
|
-
|
|
1036
|
+
// Check if this entity (by table name) is already registered
|
|
1037
|
+
const existingIndex = this.__entities.findIndex(e => e.__name === tableName);
|
|
1038
|
+
if (existingIndex !== -1) {
|
|
1039
|
+
// Entity already exists - update it instead of adding duplicate
|
|
1040
|
+
console.warn(`Warning: dbset() called multiple times for table '${tableName}' - updating existing registration`);
|
|
1041
|
+
this.__entities[existingIndex] = validModel;
|
|
1042
|
+
this.__builderEntities[existingIndex] = tools.createNewInstance(validModel, query, this);
|
|
1043
|
+
} else {
|
|
1044
|
+
// New entity - add to arrays
|
|
1045
|
+
this.__entities.push(validModel); // Store model object
|
|
1046
|
+
const buildMod = tools.createNewInstance(validModel, query, this);
|
|
1047
|
+
this.__builderEntities.push(buildMod); // Store query builder entity
|
|
1048
|
+
}
|
|
1028
1049
|
|
|
1029
1050
|
// Use getter to return fresh query instance each time (prevents parameter accumulation)
|
|
1030
1051
|
Object.defineProperty(this, validModel.__name, {
|
|
@@ -1177,7 +1198,45 @@ class context {
|
|
|
1177
1198
|
});
|
|
1178
1199
|
}
|
|
1179
1200
|
|
|
1180
|
-
|
|
1201
|
+
// Deduplicate seed data using EF Core HasData semantics:
|
|
1202
|
+
// - If record with same primary key exists, update it
|
|
1203
|
+
// - If record doesn't exist, insert it
|
|
1204
|
+
// This prevents duplicate seed data when seed() is called multiple times
|
|
1205
|
+
const entity = this.__entities.find(e => e.__name === tableName);
|
|
1206
|
+
let primaryKey = 'id'; // Default
|
|
1207
|
+
if (entity) {
|
|
1208
|
+
for (const key in entity) {
|
|
1209
|
+
if (entity[key] && entity[key].primary) {
|
|
1210
|
+
primaryKey = key;
|
|
1211
|
+
break;
|
|
1212
|
+
}
|
|
1213
|
+
}
|
|
1214
|
+
}
|
|
1215
|
+
|
|
1216
|
+
// Check if we're adding duplicate seed data
|
|
1217
|
+
const existingData = this.__contextSeedData[tableName];
|
|
1218
|
+
if (existingData.length > 0) {
|
|
1219
|
+
console.warn(`Warning: seed() called multiple times for table '${tableName}' - using upsert semantics (update if primary key exists, insert otherwise)`);
|
|
1220
|
+
}
|
|
1221
|
+
|
|
1222
|
+
// Upsert each record by primary key
|
|
1223
|
+
records.forEach(newRecord => {
|
|
1224
|
+
const pkValue = newRecord[primaryKey];
|
|
1225
|
+
if (pkValue !== undefined) {
|
|
1226
|
+
// Find existing record with same primary key
|
|
1227
|
+
const existingIndex = existingData.findIndex(r => r[primaryKey] === pkValue);
|
|
1228
|
+
if (existingIndex !== -1) {
|
|
1229
|
+
// Update existing record (merge properties)
|
|
1230
|
+
existingData[existingIndex] = { ...existingData[existingIndex], ...newRecord };
|
|
1231
|
+
} else {
|
|
1232
|
+
// Insert new record
|
|
1233
|
+
existingData.push(newRecord);
|
|
1234
|
+
}
|
|
1235
|
+
} else {
|
|
1236
|
+
// No primary key value - just append (insert semantics)
|
|
1237
|
+
existingData.push(newRecord);
|
|
1238
|
+
}
|
|
1239
|
+
});
|
|
1181
1240
|
|
|
1182
1241
|
// Return chainable object with seed(), when(), seedFactory(), and upsert() methods
|
|
1183
1242
|
const chainable = {
|
package/package.json
CHANGED
|
@@ -1,6 +1,6 @@
|
|
|
1
1
|
{
|
|
2
2
|
"name": "masterrecord",
|
|
3
|
-
"version": "0.3.
|
|
3
|
+
"version": "0.3.37",
|
|
4
4
|
"description": "An Object-relational mapping for the Master framework. Master Record connects classes to relational database tables to establish a database with almost zero-configuration ",
|
|
5
5
|
"main": "MasterRecord.js",
|
|
6
6
|
"bin": {
|
package/readme.md
CHANGED
|
@@ -3369,71 +3369,95 @@ user.name = null; // Error if name is { nullable: false }
|
|
|
3369
3369
|
|
|
3370
3370
|
## Changelog
|
|
3371
3371
|
|
|
3372
|
-
### Version 0.3.
|
|
3373
|
-
|
|
3374
|
-
#### Critical Bug Fix
|
|
3375
|
-
- **FIXED**:
|
|
3376
|
-
- **Root Cause**:
|
|
3377
|
-
|
|
3378
|
-
|
|
3379
|
-
-
|
|
3380
|
-
-
|
|
3381
|
-
|
|
3382
|
-
|
|
3383
|
-
|
|
3384
|
-
|
|
3385
|
-
|
|
3372
|
+
### Version 0.3.36 (2026-02-06) - ROOT CAUSE FIX + CONFIG DISCOVERY FIX
|
|
3373
|
+
|
|
3374
|
+
#### Critical Bug Fix #1: Duplicate Entities and Seed Data - Complete Resolution
|
|
3375
|
+
- **FIXED**: Root cause of duplicate entities and seed data in migrations
|
|
3376
|
+
- **Root Cause**: User contexts calling `dbset(Entity)` then later `dbset(Entity).seed(data)` caused:
|
|
3377
|
+
- Entity registered twice in `__entities` array
|
|
3378
|
+
- Seed data duplicated in `__contextSeedData`
|
|
3379
|
+
- Snapshots containing duplicate table definitions
|
|
3380
|
+
- Migrations generating 2x operations (e.g., 18 template records instead of 9)
|
|
3381
|
+
|
|
3382
|
+
#### Implementation - EF Core HasData Semantics
|
|
3383
|
+
**Fix #1: Entity Deduplication in `dbset()`** (`context.js` lines 1025-1037)
|
|
3384
|
+
- Added `findIndex()` check before adding entities to `__entities` array
|
|
3385
|
+
- If entity with same table name exists, updates it instead of adding duplicate
|
|
3386
|
+
- Emits warning: `"Warning: dbset() called multiple times for table 'X' - updating existing registration"`
|
|
3387
|
+
|
|
3388
|
+
**Fix #2: Seed Data Deduplication in `#addSeedData()`** (`context.js` lines 1190-1223)
|
|
3389
|
+
- Implements Entity Framework Core `HasData` semantics:
|
|
3390
|
+
- **Update**: If record with same primary key exists, merge/update fields
|
|
3391
|
+
- **Insert**: If primary key doesn't exist or is undefined, append record
|
|
3392
|
+
- Upserts by primary key (supports custom primary keys like `uuid`)
|
|
3393
|
+
- Emits warning: `"Warning: seed() called multiple times for table 'X' - using upsert semantics..."`
|
|
3394
|
+
- User requested this approach to match EF Core behavior
|
|
3395
|
+
|
|
3396
|
+
#### Critical Bug Fix #2: Config File Discovery - Glob Pattern Too Broad
|
|
3397
|
+
- **FIXED**: Glob pattern was matching non-environment config files
|
|
3398
|
+
- **Root Cause**: Pattern `${rootFolder}/**/*{env.${envType},${envType}}.json` matched ANY file ending with `.${envType}.json`
|
|
3399
|
+
- **Impact**: When multiple files matched (e.g., `free-audit-page.development.json` and `env.development.json`), glob returned them alphabetically and the wrong file was loaded first
|
|
3400
|
+
- **Real-World Example**:
|
|
3401
|
+
- User had `config/environments/free-audit-page.development.json` (no context configs)
|
|
3402
|
+
- User had `config/environments/env.development.json` (has userContext config)
|
|
3403
|
+
- Glob found both, returned `free-audit-page.development.json` first (alphabetically)
|
|
3404
|
+
- Migration command failed: "Configuration missing settings for context 'userContext'"
|
|
3405
|
+
- **Fix**: Split into two specific patterns with priority:
|
|
3406
|
+
1. `**/env.${envType}.json` (preferred - exact match)
|
|
3407
|
+
2. `**/${envType}.json` (fallback - exact match)
|
|
3408
|
+
- **Result**: Only matches actual environment config files, not arbitrary files
|
|
3409
|
+
|
|
3410
|
+
**Fix #3: Config File Priority Pattern** (`context.js` lines 445-470)
|
|
3411
|
+
- Changed from single broad pattern to prioritized specific patterns
|
|
3412
|
+
- Tries `env.<envType>.json` first (most specific)
|
|
3413
|
+
- Falls back to `<envType>.json` (less specific)
|
|
3414
|
+
- Prevents false positives from files like `my-config.development.json`
|
|
3386
3415
|
|
|
3387
3416
|
#### Technical Details
|
|
3388
|
-
|
|
3389
|
-
|
|
3390
|
-
|
|
3391
|
-
-
|
|
3392
|
-
|
|
3393
|
-
|
|
3394
|
-
-
|
|
3395
|
-
|
|
3396
|
-
|
|
3397
|
-
|
|
3398
|
-
|
|
3399
|
-
|
|
3400
|
-
|
|
3401
|
-
|
|
3402
|
-
-
|
|
3403
|
-
|
|
3404
|
-
|
|
3405
|
-
|
|
3406
|
-
|
|
3407
|
-
|
|
3408
|
-
|
|
3409
|
-
|
|
3410
|
-
|
|
3411
|
-
-
|
|
3412
|
-
|
|
3413
|
-
|
|
3414
|
-
|
|
3415
|
-
- **
|
|
3416
|
-
- **
|
|
3417
|
-
|
|
3418
|
-
|
|
3419
|
-
|
|
3420
|
-
|
|
3421
|
-
|
|
3422
|
-
-
|
|
3423
|
-
-
|
|
3424
|
-
-
|
|
3425
|
-
-
|
|
3426
|
-
|
|
3427
|
-
#### Migration Notes
|
|
3428
|
-
- Existing migrations generated with older versions will continue to work
|
|
3429
|
-
- New migrations will use the corrected seed API syntax
|
|
3430
|
-
- If you have migrations with `table.EntityName.create()` that haven't been run, regenerate them with this version
|
|
3417
|
+
**Files Modified:**
|
|
3418
|
+
1. `context.js` - Added deduplication logic in `dbset()` and `#addSeedData()`
|
|
3419
|
+
2. `context.js` - Fixed glob pattern for config file discovery (lines 445-470)
|
|
3420
|
+
3. `test/entity-deduplication-test.js` (NEW) - 5 tests for entity deduplication
|
|
3421
|
+
4. `test/seed-deduplication-test.js` (NEW) - 8 tests for EF Core seed semantics
|
|
3422
|
+
5. `test/qa-context-pattern-test.js` (NEW) - 7 tests for real-world patterns
|
|
3423
|
+
6. `test/config-glob-pattern-test.js` (NEW) - 7 tests for config file discovery
|
|
3424
|
+
7. `package.json` - Updated version to 0.3.36
|
|
3425
|
+
8. `readme.md` - Added changelog and documentation
|
|
3426
|
+
|
|
3427
|
+
**Test Results:**
|
|
3428
|
+
- **27 new tests** - All passing ✅
|
|
3429
|
+
- 20 tests for duplicate entity/seed data fixes
|
|
3430
|
+
- 7 tests for config file discovery fix
|
|
3431
|
+
- Tests cover the exact qaContext pattern (lines 58 + 207) that caused the bug
|
|
3432
|
+
- Tests verify 9 seeds stay as 9 (not 18), Settings stay as 2 (not 4)
|
|
3433
|
+
- Tests verify glob pattern only matches environment config files
|
|
3434
|
+
|
|
3435
|
+
#### Upgrade Path
|
|
3436
|
+
1. **Update to v0.3.36**: `npm install -g masterrecord@0.3.36`
|
|
3437
|
+
2. **If you have duplicate data in your database from older versions**:
|
|
3438
|
+
- Manually remove duplicate records (check by primary key)
|
|
3439
|
+
- Delete existing snapshots: `rm db/migrations/*_contextSnapShot.json`
|
|
3440
|
+
- Regenerate migrations: `masterrecord add-migration YourContext "clean-regenerate"`
|
|
3441
|
+
3. **Future migrations**: Will automatically deduplicate entities and seed data
|
|
3442
|
+
|
|
3443
|
+
#### Why This Fix is Comprehensive
|
|
3444
|
+
- **Root Cause Fix**: Prevents duplicates from ever being created at registration time
|
|
3445
|
+
- **EF Core Semantics**: Industry-standard seed data pattern with idempotent operations
|
|
3446
|
+
- **Defense-in-Depth**: Multiple layers of protection ensure data integrity
|
|
3447
|
+
|
|
3448
|
+
#### Impact
|
|
3449
|
+
- ✅ Entities registered only once even with multiple `dbset()` calls
|
|
3450
|
+
- ✅ Seed data uses EF Core semantics (upsert by primary key)
|
|
3451
|
+
- ✅ Warning messages guide users to fix their code patterns
|
|
3452
|
+
- ✅ Config file discovery now specific and predictable (only matches env.*.json and *.json)
|
|
3453
|
+
- ✅ Migrations no longer fail when non-environment config files exist
|
|
3454
|
+
- ✅ Backward compatible - existing single `dbset()` calls work as before
|
|
3431
3455
|
|
|
3432
3456
|
## Version Compatibility
|
|
3433
3457
|
|
|
3434
3458
|
| Component | Version | Notes |
|
|
3435
3459
|
|---------------|---------------|------------------------------------------|
|
|
3436
|
-
| MasterRecord | 0.3.
|
|
3460
|
+
| MasterRecord | 0.3.36 | Current version - root cause fix for duplicate entities/seeds |
|
|
3437
3461
|
| Node.js | 14+ | Async/await support required |
|
|
3438
3462
|
| PostgreSQL | 9.6+ (12+) | Tested with 12, 13, 14, 15, 16 |
|
|
3439
3463
|
| MySQL | 5.7+ (8.0+) | Tested with 8.0+ |
|
|
@@ -0,0 +1,232 @@
|
|
|
1
|
+
/**
|
|
2
|
+
* Test: Config File Glob Pattern Fix
|
|
3
|
+
* Verifies that the glob pattern only matches environment config files,
|
|
4
|
+
* not arbitrary files ending with .<envType>.json
|
|
5
|
+
*
|
|
6
|
+
* Bug: Old pattern matched too many files:
|
|
7
|
+
* - env.development.json (correct)
|
|
8
|
+
* - development.json (correct)
|
|
9
|
+
* - free-audit-page.development.json (WRONG - should not match)
|
|
10
|
+
*
|
|
11
|
+
* Fix: Use separate patterns with priority:
|
|
12
|
+
* - Pattern 1: env.development.json (preferred)
|
|
13
|
+
* - Pattern 2: development.json (fallback)
|
|
14
|
+
*/
|
|
15
|
+
|
|
16
|
+
console.log("╔════════════════════════════════════════════════════════════════╗");
|
|
17
|
+
console.log("║ Config File Glob Pattern Test - Specific Matching ║");
|
|
18
|
+
console.log("╚════════════════════════════════════════════════════════════════╝\n");
|
|
19
|
+
|
|
20
|
+
const glob = require('glob');
|
|
21
|
+
const path = require('path');
|
|
22
|
+
const fs = require('fs');
|
|
23
|
+
const os = require('os');
|
|
24
|
+
|
|
25
|
+
let passed = 0;
|
|
26
|
+
let failed = 0;
|
|
27
|
+
|
|
28
|
+
function test(description, fn) {
|
|
29
|
+
try {
|
|
30
|
+
fn();
|
|
31
|
+
console.log(`✓ ${description}`);
|
|
32
|
+
passed++;
|
|
33
|
+
} catch (error) {
|
|
34
|
+
console.log(`✗ ${description}`);
|
|
35
|
+
console.log(` Error: ${error.message}`);
|
|
36
|
+
failed++;
|
|
37
|
+
}
|
|
38
|
+
}
|
|
39
|
+
|
|
40
|
+
function assertEqual(actual, expected, message) {
|
|
41
|
+
if (actual !== expected) {
|
|
42
|
+
throw new Error(`${message}\n Expected: ${expected}\n Actual: ${actual}`);
|
|
43
|
+
}
|
|
44
|
+
}
|
|
45
|
+
|
|
46
|
+
function assertArrayContains(array, value, message) {
|
|
47
|
+
if (!array.includes(value)) {
|
|
48
|
+
throw new Error(`${message}\n Array: ${JSON.stringify(array)}\n Missing: ${value}`);
|
|
49
|
+
}
|
|
50
|
+
}
|
|
51
|
+
|
|
52
|
+
function assertArrayNotContains(array, value, message) {
|
|
53
|
+
if (array.includes(value)) {
|
|
54
|
+
throw new Error(`${message}\n Array: ${JSON.stringify(array)}\n Should not contain: ${value}`);
|
|
55
|
+
}
|
|
56
|
+
}
|
|
57
|
+
|
|
58
|
+
// =============================================================================
|
|
59
|
+
// Test Suite: Config File Glob Pattern
|
|
60
|
+
// =============================================================================
|
|
61
|
+
console.log("📋 Test Suite: Environment Config File Glob Pattern\n");
|
|
62
|
+
|
|
63
|
+
test('should match env.development.json', () => {
|
|
64
|
+
// Create temp directory structure
|
|
65
|
+
const tmpDir = fs.mkdtempSync(path.join(os.tmpdir(), 'masterrecord-test-'));
|
|
66
|
+
const configDir = path.join(tmpDir, 'config', 'environments');
|
|
67
|
+
fs.mkdirSync(configDir, { recursive: true });
|
|
68
|
+
|
|
69
|
+
// Create test file
|
|
70
|
+
fs.writeFileSync(path.join(configDir, 'env.development.json'), '{}');
|
|
71
|
+
|
|
72
|
+
// Test new pattern
|
|
73
|
+
const pattern1 = `${configDir}/**/env.development.json`;
|
|
74
|
+
const files = glob.sync(pattern1, { cwd: tmpDir, nocase: true });
|
|
75
|
+
|
|
76
|
+
assertArrayContains(files, path.join(configDir, 'env.development.json'),
|
|
77
|
+
'Should match env.development.json');
|
|
78
|
+
|
|
79
|
+
// Cleanup
|
|
80
|
+
fs.rmSync(tmpDir, { recursive: true, force: true });
|
|
81
|
+
});
|
|
82
|
+
|
|
83
|
+
test('should match development.json as fallback', () => {
|
|
84
|
+
const tmpDir = fs.mkdtempSync(path.join(os.tmpdir(), 'masterrecord-test-'));
|
|
85
|
+
const configDir = path.join(tmpDir, 'config');
|
|
86
|
+
fs.mkdirSync(configDir, { recursive: true });
|
|
87
|
+
|
|
88
|
+
// Create test file
|
|
89
|
+
fs.writeFileSync(path.join(configDir, 'development.json'), '{}');
|
|
90
|
+
|
|
91
|
+
// Test fallback pattern
|
|
92
|
+
const pattern2 = `${configDir}/**/development.json`;
|
|
93
|
+
const files = glob.sync(pattern2, { cwd: tmpDir, nocase: true });
|
|
94
|
+
|
|
95
|
+
assertArrayContains(files, path.join(configDir, 'development.json'),
|
|
96
|
+
'Should match development.json as fallback');
|
|
97
|
+
|
|
98
|
+
// Cleanup
|
|
99
|
+
fs.rmSync(tmpDir, { recursive: true, force: true });
|
|
100
|
+
});
|
|
101
|
+
|
|
102
|
+
test('should NOT match arbitrary files ending with .development.json', () => {
|
|
103
|
+
const tmpDir = fs.mkdtempSync(path.join(os.tmpdir(), 'masterrecord-test-'));
|
|
104
|
+
const configDir = path.join(tmpDir, 'config', 'environments');
|
|
105
|
+
fs.mkdirSync(configDir, { recursive: true });
|
|
106
|
+
|
|
107
|
+
// Create files
|
|
108
|
+
fs.writeFileSync(path.join(configDir, 'env.development.json'), '{}');
|
|
109
|
+
fs.writeFileSync(path.join(configDir, 'free-audit-page.development.json'), '{}');
|
|
110
|
+
fs.writeFileSync(path.join(configDir, 'my-config.development.json'), '{}');
|
|
111
|
+
|
|
112
|
+
// Test new specific pattern
|
|
113
|
+
const pattern1 = `${configDir}/**/env.development.json`;
|
|
114
|
+
const files = glob.sync(pattern1, { cwd: tmpDir, nocase: true });
|
|
115
|
+
|
|
116
|
+
// Should ONLY match env.development.json
|
|
117
|
+
assertEqual(files.length, 1, 'Should match exactly 1 file');
|
|
118
|
+
assertArrayContains(files, path.join(configDir, 'env.development.json'),
|
|
119
|
+
'Should match env.development.json');
|
|
120
|
+
assertArrayNotContains(files, path.join(configDir, 'free-audit-page.development.json'),
|
|
121
|
+
'Should NOT match free-audit-page.development.json');
|
|
122
|
+
assertArrayNotContains(files, path.join(configDir, 'my-config.development.json'),
|
|
123
|
+
'Should NOT match my-config.development.json');
|
|
124
|
+
|
|
125
|
+
// Cleanup
|
|
126
|
+
fs.rmSync(tmpDir, { recursive: true, force: true });
|
|
127
|
+
});
|
|
128
|
+
|
|
129
|
+
test('should prioritize env.development.json over development.json', () => {
|
|
130
|
+
const tmpDir = fs.mkdtempSync(path.join(os.tmpdir(), 'masterrecord-test-'));
|
|
131
|
+
const configDir = path.join(tmpDir, 'config');
|
|
132
|
+
fs.mkdirSync(configDir, { recursive: true });
|
|
133
|
+
|
|
134
|
+
// Create both files
|
|
135
|
+
fs.writeFileSync(path.join(configDir, 'env.development.json'), '{"priority": "high"}');
|
|
136
|
+
fs.writeFileSync(path.join(configDir, 'development.json'), '{"priority": "low"}');
|
|
137
|
+
|
|
138
|
+
// Test priority: try env.development.json first
|
|
139
|
+
const pattern1 = `${configDir}/**/env.development.json`;
|
|
140
|
+
const files1 = glob.sync(pattern1, { cwd: tmpDir, nocase: true });
|
|
141
|
+
|
|
142
|
+
if (files1.length > 0) {
|
|
143
|
+
assertEqual(files1[0], path.join(configDir, 'env.development.json'),
|
|
144
|
+
'Should find env.development.json first');
|
|
145
|
+
}
|
|
146
|
+
|
|
147
|
+
// Cleanup
|
|
148
|
+
fs.rmSync(tmpDir, { recursive: true, force: true });
|
|
149
|
+
});
|
|
150
|
+
|
|
151
|
+
test('should work with nested directory structures', () => {
|
|
152
|
+
const tmpDir = fs.mkdtempSync(path.join(os.tmpdir(), 'masterrecord-test-'));
|
|
153
|
+
const nestedDir = path.join(tmpDir, 'app', 'config', 'environments', 'production');
|
|
154
|
+
fs.mkdirSync(nestedDir, { recursive: true });
|
|
155
|
+
|
|
156
|
+
// Create test file in nested directory
|
|
157
|
+
fs.writeFileSync(path.join(nestedDir, 'env.development.json'), '{}');
|
|
158
|
+
|
|
159
|
+
// Test pattern from root
|
|
160
|
+
const pattern = `${tmpDir}/**/env.development.json`;
|
|
161
|
+
const files = glob.sync(pattern, { cwd: tmpDir, nocase: true });
|
|
162
|
+
|
|
163
|
+
assertEqual(files.length, 1, 'Should find file in nested directory');
|
|
164
|
+
assertArrayContains(files, path.join(nestedDir, 'env.development.json'),
|
|
165
|
+
'Should match nested env.development.json');
|
|
166
|
+
|
|
167
|
+
// Cleanup
|
|
168
|
+
fs.rmSync(tmpDir, { recursive: true, force: true });
|
|
169
|
+
});
|
|
170
|
+
|
|
171
|
+
test('should be case insensitive', () => {
|
|
172
|
+
const tmpDir = fs.mkdtempSync(path.join(os.tmpdir(), 'masterrecord-test-'));
|
|
173
|
+
const configDir = path.join(tmpDir, 'config');
|
|
174
|
+
fs.mkdirSync(configDir, { recursive: true });
|
|
175
|
+
|
|
176
|
+
// Create test file with different casing (if filesystem allows)
|
|
177
|
+
try {
|
|
178
|
+
fs.writeFileSync(path.join(configDir, 'ENV.DEVELOPMENT.JSON'), '{}');
|
|
179
|
+
|
|
180
|
+
const pattern = `${configDir}/**/env.development.json`;
|
|
181
|
+
const files = glob.sync(pattern, { cwd: tmpDir, nocase: true });
|
|
182
|
+
|
|
183
|
+
// On case-insensitive filesystems (macOS, Windows), this should match
|
|
184
|
+
if (files.length > 0) {
|
|
185
|
+
console.log(' (Case-insensitive filesystem detected - match confirmed)');
|
|
186
|
+
}
|
|
187
|
+
} catch (e) {
|
|
188
|
+
console.log(' (Case-sensitive filesystem - test skipped)');
|
|
189
|
+
}
|
|
190
|
+
|
|
191
|
+
// Cleanup
|
|
192
|
+
fs.rmSync(tmpDir, { recursive: true, force: true });
|
|
193
|
+
});
|
|
194
|
+
|
|
195
|
+
test('OLD pattern would have matched too many files (regression check)', () => {
|
|
196
|
+
const tmpDir = fs.mkdtempSync(path.join(os.tmpdir(), 'masterrecord-test-'));
|
|
197
|
+
const configDir = path.join(tmpDir, 'config', 'environments');
|
|
198
|
+
fs.mkdirSync(configDir, { recursive: true });
|
|
199
|
+
|
|
200
|
+
// Create files
|
|
201
|
+
fs.writeFileSync(path.join(configDir, 'env.development.json'), '{}');
|
|
202
|
+
fs.writeFileSync(path.join(configDir, 'free-audit-page.development.json'), '{}');
|
|
203
|
+
|
|
204
|
+
// OLD pattern (the bug)
|
|
205
|
+
const oldPattern = `${configDir}/**/*{env.development,development}.json`;
|
|
206
|
+
const oldFiles = glob.sync(oldPattern, { cwd: tmpDir, nocase: true });
|
|
207
|
+
|
|
208
|
+
// OLD pattern matches BOTH files (bad!)
|
|
209
|
+
assertEqual(oldFiles.length, 2, 'OLD pattern matched 2 files (demonstrating the bug)');
|
|
210
|
+
|
|
211
|
+
// NEW pattern (the fix)
|
|
212
|
+
const newPattern = `${configDir}/**/env.development.json`;
|
|
213
|
+
const newFiles = glob.sync(newPattern, { cwd: tmpDir, nocase: true });
|
|
214
|
+
|
|
215
|
+
// NEW pattern matches only 1 file (good!)
|
|
216
|
+
assertEqual(newFiles.length, 1, 'NEW pattern matches only 1 file (the fix)');
|
|
217
|
+
assertArrayContains(newFiles, path.join(configDir, 'env.development.json'),
|
|
218
|
+
'NEW pattern matches correct file');
|
|
219
|
+
|
|
220
|
+
// Cleanup
|
|
221
|
+
fs.rmSync(tmpDir, { recursive: true, force: true });
|
|
222
|
+
});
|
|
223
|
+
|
|
224
|
+
// =============================================================================
|
|
225
|
+
// Summary
|
|
226
|
+
// =============================================================================
|
|
227
|
+
console.log("\n" + "═".repeat(64));
|
|
228
|
+
console.log(`\n✅ Passed: ${passed}`);
|
|
229
|
+
console.log(`❌ Failed: ${failed}`);
|
|
230
|
+
console.log(`\nTotal: ${passed + failed} tests\n`);
|
|
231
|
+
|
|
232
|
+
process.exit(failed > 0 ? 1 : 0);
|
|
@@ -0,0 +1,174 @@
|
|
|
1
|
+
/**
|
|
2
|
+
* Test: Entity Deduplication in dbset()
|
|
3
|
+
* Verifies Fix #1 - that calling dbset() multiple times for the same entity
|
|
4
|
+
* doesn't create duplicate entries in __entities array
|
|
5
|
+
*/
|
|
6
|
+
|
|
7
|
+
console.log("╔════════════════════════════════════════════════════════════════╗");
|
|
8
|
+
console.log("║ Entity Deduplication Test - dbset() Method ║");
|
|
9
|
+
console.log("╚════════════════════════════════════════════════════════════════╝\n");
|
|
10
|
+
|
|
11
|
+
let passed = 0;
|
|
12
|
+
let failed = 0;
|
|
13
|
+
|
|
14
|
+
// Simulate the context class with entity registration functionality
|
|
15
|
+
class SimulatedContext {
|
|
16
|
+
constructor() {
|
|
17
|
+
this.__entities = [];
|
|
18
|
+
this.__builderEntities = [];
|
|
19
|
+
this.__contextSeedData = {};
|
|
20
|
+
}
|
|
21
|
+
|
|
22
|
+
dbset(model, tableName = null) {
|
|
23
|
+
const entityName = tableName || model.name;
|
|
24
|
+
|
|
25
|
+
// Create a simple model object to represent the entity
|
|
26
|
+
const validModel = {
|
|
27
|
+
__name: entityName,
|
|
28
|
+
...model.schema
|
|
29
|
+
};
|
|
30
|
+
|
|
31
|
+
// Check if this entity (by table name) is already registered
|
|
32
|
+
const existingIndex = this.__entities.findIndex(e => e.__name === entityName);
|
|
33
|
+
if (existingIndex !== -1) {
|
|
34
|
+
// Entity already exists - update it instead of adding duplicate
|
|
35
|
+
console.warn(`Warning: dbset() called multiple times for table '${entityName}' - updating existing registration`);
|
|
36
|
+
this.__entities[existingIndex] = validModel;
|
|
37
|
+
this.__builderEntities[existingIndex] = { type: 'builder', model: validModel };
|
|
38
|
+
} else {
|
|
39
|
+
// New entity - add to arrays
|
|
40
|
+
this.__entities.push(validModel);
|
|
41
|
+
this.__builderEntities.push({ type: 'builder', model: validModel });
|
|
42
|
+
}
|
|
43
|
+
|
|
44
|
+
// Return chainable object with seed() method
|
|
45
|
+
return {
|
|
46
|
+
seed: (data) => this.#addSeedData(entityName, data)
|
|
47
|
+
};
|
|
48
|
+
}
|
|
49
|
+
|
|
50
|
+
#addSeedData(tableName, data) {
|
|
51
|
+
if (!this.__contextSeedData[tableName]) {
|
|
52
|
+
this.__contextSeedData[tableName] = [];
|
|
53
|
+
}
|
|
54
|
+
const records = Array.isArray(data) ? data : [data];
|
|
55
|
+
this.__contextSeedData[tableName].push(...records);
|
|
56
|
+
|
|
57
|
+
return {
|
|
58
|
+
seed: (moreData) => this.#addSeedData(tableName, moreData)
|
|
59
|
+
};
|
|
60
|
+
}
|
|
61
|
+
}
|
|
62
|
+
|
|
63
|
+
// Test entities
|
|
64
|
+
class TestEntity {
|
|
65
|
+
static name = 'TestEntity';
|
|
66
|
+
static schema = {
|
|
67
|
+
id: { type: 'int', primary: true },
|
|
68
|
+
name: { type: 'string' }
|
|
69
|
+
};
|
|
70
|
+
}
|
|
71
|
+
|
|
72
|
+
class TestEntity2 {
|
|
73
|
+
static name = 'TestEntity2';
|
|
74
|
+
static schema = {
|
|
75
|
+
id: { type: 'int', primary: true },
|
|
76
|
+
title: { type: 'string' }
|
|
77
|
+
};
|
|
78
|
+
}
|
|
79
|
+
|
|
80
|
+
function test(description, fn) {
|
|
81
|
+
try {
|
|
82
|
+
fn();
|
|
83
|
+
console.log(`✓ ${description}`);
|
|
84
|
+
passed++;
|
|
85
|
+
} catch (error) {
|
|
86
|
+
console.log(`✗ ${description}`);
|
|
87
|
+
console.log(` Error: ${error.message}`);
|
|
88
|
+
failed++;
|
|
89
|
+
}
|
|
90
|
+
}
|
|
91
|
+
|
|
92
|
+
function assertEqual(actual, expected, message) {
|
|
93
|
+
if (actual !== expected) {
|
|
94
|
+
throw new Error(`${message}\n Expected: ${expected}\n Actual: ${actual}`);
|
|
95
|
+
}
|
|
96
|
+
}
|
|
97
|
+
|
|
98
|
+
// =============================================================================
|
|
99
|
+
// Test Suite: Entity Deduplication
|
|
100
|
+
// =============================================================================
|
|
101
|
+
console.log("📋 Test Suite: Entity Deduplication in context.__entities\n");
|
|
102
|
+
|
|
103
|
+
test('should not duplicate entity when dbset() is called twice', () => {
|
|
104
|
+
const ctx = new SimulatedContext();
|
|
105
|
+
ctx.dbset(TestEntity);
|
|
106
|
+
ctx.dbset(TestEntity); // Second call
|
|
107
|
+
|
|
108
|
+
// Should only have 1 entity registered
|
|
109
|
+
assertEqual(ctx.__entities.length, 1, 'Should only have 1 entity in __entities');
|
|
110
|
+
assertEqual(ctx.__entities[0].__name, 'TestEntity', 'Entity name should be TestEntity');
|
|
111
|
+
|
|
112
|
+
// Should only have 1 builder entity
|
|
113
|
+
assertEqual(ctx.__builderEntities.length, 1, 'Should only have 1 builder entity');
|
|
114
|
+
});
|
|
115
|
+
|
|
116
|
+
test('should update existing entity when dbset() is called multiple times', () => {
|
|
117
|
+
const ctx = new SimulatedContext();
|
|
118
|
+
ctx.dbset(TestEntity);
|
|
119
|
+
// Register again (would update)
|
|
120
|
+
ctx.dbset(TestEntity);
|
|
121
|
+
|
|
122
|
+
// Verify entity was updated, not duplicated
|
|
123
|
+
assertEqual(ctx.__entities.length, 1, 'Should only have 1 entity after update');
|
|
124
|
+
assertEqual(ctx.__entities[0].__name, 'TestEntity', 'Updated entity should have correct name');
|
|
125
|
+
});
|
|
126
|
+
|
|
127
|
+
test('should handle the qaContext pattern (dbset then dbset.seed)', () => {
|
|
128
|
+
const ctx = new SimulatedContext();
|
|
129
|
+
ctx.dbset(TestEntity); // Line 58 pattern
|
|
130
|
+
ctx.dbset(TestEntity).seed([{ id: 1, name: 'Test' }]); // Line 207 pattern
|
|
131
|
+
|
|
132
|
+
// Should only have 1 entity despite two dbset() calls
|
|
133
|
+
assertEqual(ctx.__entities.length, 1, 'Should only have 1 entity with qaContext pattern');
|
|
134
|
+
assertEqual(ctx.__entities[0].__name, 'TestEntity', 'Entity name should be TestEntity');
|
|
135
|
+
});
|
|
136
|
+
|
|
137
|
+
test('should allow different entities to be registered separately', () => {
|
|
138
|
+
const ctx = new SimulatedContext();
|
|
139
|
+
ctx.dbset(TestEntity);
|
|
140
|
+
ctx.dbset(TestEntity2);
|
|
141
|
+
|
|
142
|
+
// Should have 2 different entities
|
|
143
|
+
assertEqual(ctx.__entities.length, 2, 'Should have 2 different entities');
|
|
144
|
+
assertEqual(ctx.__entities[0].__name, 'TestEntity', 'First entity should be TestEntity');
|
|
145
|
+
assertEqual(ctx.__entities[1].__name, 'TestEntity2', 'Second entity should be TestEntity2');
|
|
146
|
+
});
|
|
147
|
+
|
|
148
|
+
test('should emit warning when dbset() is called multiple times for same entity', () => {
|
|
149
|
+
let warningEmitted = false;
|
|
150
|
+
const originalWarn = console.warn;
|
|
151
|
+
console.warn = function(msg) {
|
|
152
|
+
if (msg.includes('dbset() called multiple times for table')) {
|
|
153
|
+
warningEmitted = true;
|
|
154
|
+
}
|
|
155
|
+
};
|
|
156
|
+
|
|
157
|
+
const ctx = new SimulatedContext();
|
|
158
|
+
ctx.dbset(TestEntity);
|
|
159
|
+
ctx.dbset(TestEntity); // Should emit warning
|
|
160
|
+
|
|
161
|
+
console.warn = originalWarn;
|
|
162
|
+
|
|
163
|
+
assertEqual(warningEmitted, true, 'Should emit warning when dbset() called multiple times');
|
|
164
|
+
});
|
|
165
|
+
|
|
166
|
+
// =============================================================================
|
|
167
|
+
// Summary
|
|
168
|
+
// =============================================================================
|
|
169
|
+
console.log("\n" + "═".repeat(64));
|
|
170
|
+
console.log(`\n✅ Passed: ${passed}`);
|
|
171
|
+
console.log(`❌ Failed: ${failed}`);
|
|
172
|
+
console.log(`\nTotal: ${passed + failed} tests\n`);
|
|
173
|
+
|
|
174
|
+
process.exit(failed > 0 ? 1 : 0);
|
|
@@ -0,0 +1,319 @@
|
|
|
1
|
+
/**
|
|
2
|
+
* Test: qaContext Pattern Integration
|
|
3
|
+
* Simulates the exact pattern from user's qaContext that caused duplicate bug:
|
|
4
|
+
* - Line 58: this.dbset(TaxonomyTemplate)
|
|
5
|
+
* - Line 207: this.dbset(TaxonomyTemplate).seed(templates)
|
|
6
|
+
*
|
|
7
|
+
* Verifies end-to-end that this pattern doesn't create:
|
|
8
|
+
* - Duplicate entities in __entities
|
|
9
|
+
* - Duplicate seed data in __contextSeedData
|
|
10
|
+
*/
|
|
11
|
+
|
|
12
|
+
console.log("╔════════════════════════════════════════════════════════════════╗");
|
|
13
|
+
console.log("║ qaContext Pattern Integration Test (Real Scenario) ║");
|
|
14
|
+
console.log("╚════════════════════════════════════════════════════════════════╝\n");
|
|
15
|
+
|
|
16
|
+
let passed = 0;
|
|
17
|
+
let failed = 0;
|
|
18
|
+
|
|
19
|
+
// Simulate the ACTUAL context.js implementation with both fixes
|
|
20
|
+
class SimulatedContext {
|
|
21
|
+
constructor() {
|
|
22
|
+
this.__entities = [];
|
|
23
|
+
this.__builderEntities = [];
|
|
24
|
+
this.__contextSeedData = {};
|
|
25
|
+
}
|
|
26
|
+
|
|
27
|
+
dbset(model, tableName = null) {
|
|
28
|
+
const entityName = tableName || model.name;
|
|
29
|
+
|
|
30
|
+
// Create model object
|
|
31
|
+
const validModel = {
|
|
32
|
+
__name: entityName,
|
|
33
|
+
...model.schema
|
|
34
|
+
};
|
|
35
|
+
|
|
36
|
+
// FIX #1: Entity Deduplication
|
|
37
|
+
const existingIndex = this.__entities.findIndex(e => e.__name === entityName);
|
|
38
|
+
if (existingIndex !== -1) {
|
|
39
|
+
console.warn(`Warning: dbset() called multiple times for table '${entityName}' - updating existing registration`);
|
|
40
|
+
this.__entities[existingIndex] = validModel;
|
|
41
|
+
this.__builderEntities[existingIndex] = { type: 'builder', model: validModel };
|
|
42
|
+
} else {
|
|
43
|
+
this.__entities.push(validModel);
|
|
44
|
+
this.__builderEntities.push({ type: 'builder', model: validModel });
|
|
45
|
+
}
|
|
46
|
+
|
|
47
|
+
// Return chainable object with seed() method
|
|
48
|
+
return {
|
|
49
|
+
seed: (data) => this.#addSeedData(entityName, data, model.schema)
|
|
50
|
+
};
|
|
51
|
+
}
|
|
52
|
+
|
|
53
|
+
#addSeedData(tableName, data, schema) {
|
|
54
|
+
if (!this.__contextSeedData[tableName]) {
|
|
55
|
+
this.__contextSeedData[tableName] = [];
|
|
56
|
+
}
|
|
57
|
+
|
|
58
|
+
const records = Array.isArray(data) ? data : [data];
|
|
59
|
+
|
|
60
|
+
// Find primary key
|
|
61
|
+
let primaryKey = 'id';
|
|
62
|
+
if (schema) {
|
|
63
|
+
for (const key in schema) {
|
|
64
|
+
if (schema[key].primary) {
|
|
65
|
+
primaryKey = key;
|
|
66
|
+
break;
|
|
67
|
+
}
|
|
68
|
+
}
|
|
69
|
+
}
|
|
70
|
+
|
|
71
|
+
// FIX #2: Seed Data Deduplication (EF Core HasData semantics)
|
|
72
|
+
const existingData = this.__contextSeedData[tableName];
|
|
73
|
+
if (existingData.length > 0) {
|
|
74
|
+
console.warn(`Warning: seed() called multiple times for table '${tableName}' - using upsert semantics (update if primary key exists, insert otherwise)`);
|
|
75
|
+
}
|
|
76
|
+
|
|
77
|
+
records.forEach(newRecord => {
|
|
78
|
+
const pkValue = newRecord[primaryKey];
|
|
79
|
+
if (pkValue !== undefined) {
|
|
80
|
+
const existingIndex = existingData.findIndex(r => r[primaryKey] === pkValue);
|
|
81
|
+
if (existingIndex !== -1) {
|
|
82
|
+
existingData[existingIndex] = { ...existingData[existingIndex], ...newRecord };
|
|
83
|
+
} else {
|
|
84
|
+
existingData.push(newRecord);
|
|
85
|
+
}
|
|
86
|
+
} else {
|
|
87
|
+
existingData.push(newRecord);
|
|
88
|
+
}
|
|
89
|
+
});
|
|
90
|
+
|
|
91
|
+
return {
|
|
92
|
+
seed: (moreData) => this.#addSeedData(tableName, moreData, schema)
|
|
93
|
+
};
|
|
94
|
+
}
|
|
95
|
+
}
|
|
96
|
+
|
|
97
|
+
// Simulate real entities from qaContext
|
|
98
|
+
class TaxonomyTemplate {
|
|
99
|
+
static name = 'TaxonomyTemplate';
|
|
100
|
+
static schema = {
|
|
101
|
+
id: { type: 'int', primary: true },
|
|
102
|
+
name: { type: 'string' },
|
|
103
|
+
description: { type: 'text' }
|
|
104
|
+
};
|
|
105
|
+
}
|
|
106
|
+
|
|
107
|
+
class TaxonomyTemplateVersion {
|
|
108
|
+
static name = 'TaxonomyTemplateVersion';
|
|
109
|
+
static schema = {
|
|
110
|
+
id: { type: 'int', primary: true },
|
|
111
|
+
templateId: { type: 'int' },
|
|
112
|
+
version: { type: 'int' }
|
|
113
|
+
};
|
|
114
|
+
}
|
|
115
|
+
|
|
116
|
+
function test(description, fn) {
|
|
117
|
+
try {
|
|
118
|
+
fn();
|
|
119
|
+
console.log(`✓ ${description}`);
|
|
120
|
+
passed++;
|
|
121
|
+
} catch (error) {
|
|
122
|
+
console.log(`✗ ${description}`);
|
|
123
|
+
console.log(` Error: ${error.message}`);
|
|
124
|
+
failed++;
|
|
125
|
+
}
|
|
126
|
+
}
|
|
127
|
+
|
|
128
|
+
function assertEqual(actual, expected, message) {
|
|
129
|
+
if (actual !== expected) {
|
|
130
|
+
throw new Error(`${message}\n Expected: ${expected}\n Actual: ${actual}`);
|
|
131
|
+
}
|
|
132
|
+
}
|
|
133
|
+
|
|
134
|
+
function assertOk(value, message) {
|
|
135
|
+
if (!value) {
|
|
136
|
+
throw new Error(message);
|
|
137
|
+
}
|
|
138
|
+
}
|
|
139
|
+
|
|
140
|
+
// =============================================================================
|
|
141
|
+
// Test Suite: qaContext Real-World Pattern
|
|
142
|
+
// =============================================================================
|
|
143
|
+
console.log("📋 Test Suite: Real qaContext Usage Pattern\n");
|
|
144
|
+
|
|
145
|
+
test('should not duplicate entities with qaContext pattern', () => {
|
|
146
|
+
const templates = [
|
|
147
|
+
{ id: 1, name: 'Template 1', description: 'First template' },
|
|
148
|
+
{ id: 2, name: 'Template 2', description: 'Second template' },
|
|
149
|
+
{ id: 3, name: 'Template 3', description: 'Third template' }
|
|
150
|
+
];
|
|
151
|
+
|
|
152
|
+
const ctx = new SimulatedContext();
|
|
153
|
+
ctx.dbset(TaxonomyTemplate); // Line 58 pattern
|
|
154
|
+
ctx.dbset(TaxonomyTemplate).seed(templates); // Line 207 pattern
|
|
155
|
+
|
|
156
|
+
// Should only have 1 entity registered
|
|
157
|
+
assertEqual(ctx.__entities.length, 1, 'Should only have 1 entity in __entities');
|
|
158
|
+
assertEqual(ctx.__entities[0].__name, 'TaxonomyTemplate', 'Entity should be TaxonomyTemplate');
|
|
159
|
+
});
|
|
160
|
+
|
|
161
|
+
test('should not duplicate seed data with qaContext pattern', () => {
|
|
162
|
+
const templates = [
|
|
163
|
+
{ id: 1, name: 'Template 1', description: 'First template' },
|
|
164
|
+
{ id: 2, name: 'Template 2', description: 'Second template' },
|
|
165
|
+
{ id: 3, name: 'Template 3', description: 'Third template' }
|
|
166
|
+
];
|
|
167
|
+
|
|
168
|
+
const ctx = new SimulatedContext();
|
|
169
|
+
ctx.dbset(TaxonomyTemplate);
|
|
170
|
+
ctx.dbset(TaxonomyTemplate).seed(templates);
|
|
171
|
+
|
|
172
|
+
// Should only have 3 seed records (not 6)
|
|
173
|
+
assertEqual(ctx.__contextSeedData['TaxonomyTemplate'].length, 3,
|
|
174
|
+
'Should only have 3 seed records, not duplicated');
|
|
175
|
+
|
|
176
|
+
// Verify all 3 templates exist
|
|
177
|
+
assertEqual(ctx.__contextSeedData['TaxonomyTemplate'][0].id, 1, 'Template 1 should exist');
|
|
178
|
+
assertEqual(ctx.__contextSeedData['TaxonomyTemplate'][1].id, 2, 'Template 2 should exist');
|
|
179
|
+
assertEqual(ctx.__contextSeedData['TaxonomyTemplate'][2].id, 3, 'Template 3 should exist');
|
|
180
|
+
});
|
|
181
|
+
|
|
182
|
+
test('should not duplicate with multiple entities using qaContext pattern', () => {
|
|
183
|
+
const templates = [
|
|
184
|
+
{ id: 1, name: 'Template 1', description: 'First' }
|
|
185
|
+
];
|
|
186
|
+
|
|
187
|
+
const versions = [
|
|
188
|
+
{ id: 1, templateId: 1, version: 1 },
|
|
189
|
+
{ id: 2, templateId: 1, version: 2 }
|
|
190
|
+
];
|
|
191
|
+
|
|
192
|
+
const ctx = new SimulatedContext();
|
|
193
|
+
// Register both entities first (line 58 pattern)
|
|
194
|
+
ctx.dbset(TaxonomyTemplate);
|
|
195
|
+
ctx.dbset(TaxonomyTemplateVersion);
|
|
196
|
+
|
|
197
|
+
// Later seed both entities (line 207 pattern)
|
|
198
|
+
ctx.dbset(TaxonomyTemplate).seed(templates);
|
|
199
|
+
ctx.dbset(TaxonomyTemplateVersion).seed(versions);
|
|
200
|
+
|
|
201
|
+
// Should have 2 distinct entities
|
|
202
|
+
assertEqual(ctx.__entities.length, 2, 'Should have 2 entities');
|
|
203
|
+
|
|
204
|
+
// Should have correct seed data for each
|
|
205
|
+
assertEqual(ctx.__contextSeedData['TaxonomyTemplate'].length, 1,
|
|
206
|
+
'TaxonomyTemplate should have 1 seed record');
|
|
207
|
+
assertEqual(ctx.__contextSeedData['TaxonomyTemplateVersion'].length, 2,
|
|
208
|
+
'TaxonomyTemplateVersion should have 2 seed records');
|
|
209
|
+
});
|
|
210
|
+
|
|
211
|
+
test('should handle real-world qaContext scenario with 9 seeds', () => {
|
|
212
|
+
// Real data from user's qaContext
|
|
213
|
+
const templates = [
|
|
214
|
+
{ id: 1, name: 'General Knowledge', description: 'General knowledge questions' },
|
|
215
|
+
{ id: 2, name: 'Science', description: 'Science questions' },
|
|
216
|
+
{ id: 3, name: 'History', description: 'History questions' },
|
|
217
|
+
{ id: 4, name: 'Mathematics', description: 'Math questions' },
|
|
218
|
+
{ id: 5, name: 'Literature', description: 'Literature questions' },
|
|
219
|
+
{ id: 6, name: 'Geography', description: 'Geography questions' },
|
|
220
|
+
{ id: 7, name: 'Technology', description: 'Technology questions' },
|
|
221
|
+
{ id: 8, name: 'Arts', description: 'Arts questions' },
|
|
222
|
+
{ id: 9, name: 'Sports', description: 'Sports questions' }
|
|
223
|
+
];
|
|
224
|
+
|
|
225
|
+
const ctx = new SimulatedContext();
|
|
226
|
+
ctx.dbset(TaxonomyTemplate); // Line 58
|
|
227
|
+
ctx.dbset(TaxonomyTemplate).seed(templates); // Line 207
|
|
228
|
+
|
|
229
|
+
// Should only have 9 seed records (not 18)
|
|
230
|
+
assertEqual(ctx.__contextSeedData['TaxonomyTemplate'].length, 9,
|
|
231
|
+
'Should only have 9 seed records, not 18 duplicates');
|
|
232
|
+
|
|
233
|
+
// Verify all 9 templates exist
|
|
234
|
+
for (let i = 1; i <= 9; i++) {
|
|
235
|
+
const template = ctx.__contextSeedData['TaxonomyTemplate'].find(t => t.id === i);
|
|
236
|
+
assertOk(template, `Template ${i} should exist`);
|
|
237
|
+
}
|
|
238
|
+
});
|
|
239
|
+
|
|
240
|
+
test('should preserve correct behavior when dbset.seed is called only once', () => {
|
|
241
|
+
const templates = [
|
|
242
|
+
{ id: 1, name: 'Template 1', description: 'First template' }
|
|
243
|
+
];
|
|
244
|
+
|
|
245
|
+
const ctx = new SimulatedContext();
|
|
246
|
+
// Only call dbset.seed once (normal pattern)
|
|
247
|
+
ctx.dbset(TaxonomyTemplate).seed(templates);
|
|
248
|
+
|
|
249
|
+
// Should work normally
|
|
250
|
+
assertEqual(ctx.__entities.length, 1, 'Should have 1 entity');
|
|
251
|
+
assertEqual(ctx.__contextSeedData['TaxonomyTemplate'].length, 1, 'Should have 1 seed record');
|
|
252
|
+
});
|
|
253
|
+
|
|
254
|
+
test('should handle incremental seed additions correctly', () => {
|
|
255
|
+
const ctx = new SimulatedContext();
|
|
256
|
+
// First batch of seeds
|
|
257
|
+
ctx.dbset(TaxonomyTemplate).seed([
|
|
258
|
+
{ id: 1, name: 'Template 1', description: 'First' }
|
|
259
|
+
]);
|
|
260
|
+
|
|
261
|
+
// Second batch with new ID
|
|
262
|
+
ctx.dbset(TaxonomyTemplate).seed([
|
|
263
|
+
{ id: 2, name: 'Template 2', description: 'Second' }
|
|
264
|
+
]);
|
|
265
|
+
|
|
266
|
+
// Third batch updates ID 1
|
|
267
|
+
ctx.dbset(TaxonomyTemplate).seed([
|
|
268
|
+
{ id: 1, name: 'Updated Template 1', description: 'Updated' }
|
|
269
|
+
]);
|
|
270
|
+
|
|
271
|
+
// Should have 2 records (ID 1 upserted, ID 2 inserted)
|
|
272
|
+
assertEqual(ctx.__contextSeedData['TaxonomyTemplate'].length, 2,
|
|
273
|
+
'Should have 2 records after upserts and inserts');
|
|
274
|
+
|
|
275
|
+
// Verify ID 1 was updated
|
|
276
|
+
const template1 = ctx.__contextSeedData['TaxonomyTemplate'].find(t => t.id === 1);
|
|
277
|
+
assertEqual(template1.name, 'Updated Template 1', 'Template 1 should be updated');
|
|
278
|
+
|
|
279
|
+
// Verify ID 2 exists
|
|
280
|
+
const template2 = ctx.__contextSeedData['TaxonomyTemplate'].find(t => t.id === 2);
|
|
281
|
+
assertEqual(template2.name, 'Template 2', 'Template 2 should exist');
|
|
282
|
+
});
|
|
283
|
+
|
|
284
|
+
test('should handle the problematic ragContext Settings pattern', () => {
|
|
285
|
+
class Settings {
|
|
286
|
+
static name = 'Settings';
|
|
287
|
+
static schema = {
|
|
288
|
+
id: { type: 'int', primary: true },
|
|
289
|
+
key: { type: 'string' },
|
|
290
|
+
value: { type: 'string' }
|
|
291
|
+
};
|
|
292
|
+
}
|
|
293
|
+
|
|
294
|
+
const settings = [
|
|
295
|
+
{ id: 1, key: 'app_name', value: 'MyApp' },
|
|
296
|
+
{ id: 2, key: 'version', value: '1.0.0' }
|
|
297
|
+
];
|
|
298
|
+
|
|
299
|
+
const ctx = new SimulatedContext();
|
|
300
|
+
ctx.dbset(Settings); // First registration
|
|
301
|
+
ctx.dbset(Settings).seed(settings); // Second registration with seed
|
|
302
|
+
|
|
303
|
+
// Should only have 1 entity (not 2 as in the bug report)
|
|
304
|
+
assertEqual(ctx.__entities.length, 1, 'Should only have 1 Settings entity');
|
|
305
|
+
|
|
306
|
+
// Should only have 2 seed records (not 4 as in the bug report)
|
|
307
|
+
assertEqual(ctx.__contextSeedData['Settings'].length, 2,
|
|
308
|
+
'Should only have 2 Settings seed records, not duplicated');
|
|
309
|
+
});
|
|
310
|
+
|
|
311
|
+
// =============================================================================
|
|
312
|
+
// Summary
|
|
313
|
+
// =============================================================================
|
|
314
|
+
console.log("\n" + "═".repeat(64));
|
|
315
|
+
console.log(`\n✅ Passed: ${passed}`);
|
|
316
|
+
console.log(`❌ Failed: ${failed}`);
|
|
317
|
+
console.log(`\nTotal: ${passed + failed} tests\n`);
|
|
318
|
+
|
|
319
|
+
process.exit(failed > 0 ? 1 : 0);
|
|
@@ -0,0 +1,313 @@
|
|
|
1
|
+
/**
|
|
2
|
+
* Test: Seed Data Deduplication in #addSeedData()
|
|
3
|
+
* Verifies Fix #2 - that calling seed() multiple times uses EF Core HasData semantics:
|
|
4
|
+
* - If record with same primary key exists, update it
|
|
5
|
+
* - If record doesn't exist, insert it
|
|
6
|
+
*/
|
|
7
|
+
|
|
8
|
+
console.log("╔════════════════════════════════════════════════════════════════╗");
|
|
9
|
+
console.log("║ Seed Data Deduplication Test - EF Core Semantics ║");
|
|
10
|
+
console.log("╚════════════════════════════════════════════════════════════════╝\n");
|
|
11
|
+
|
|
12
|
+
let passed = 0;
|
|
13
|
+
let failed = 0;
|
|
14
|
+
|
|
15
|
+
// Simulate the context class with EF Core-style seed data deduplication
|
|
16
|
+
class SimulatedContext {
|
|
17
|
+
constructor() {
|
|
18
|
+
this.__entities = [];
|
|
19
|
+
this.__contextSeedData = {};
|
|
20
|
+
}
|
|
21
|
+
|
|
22
|
+
dbset(model, tableName = null) {
|
|
23
|
+
const entityName = tableName || model.name;
|
|
24
|
+
|
|
25
|
+
// Register entity if not already registered
|
|
26
|
+
const existingEntity = this.__entities.find(e => e.__name === entityName);
|
|
27
|
+
if (!existingEntity) {
|
|
28
|
+
this.__entities.push({
|
|
29
|
+
__name: entityName,
|
|
30
|
+
...model.schema
|
|
31
|
+
});
|
|
32
|
+
}
|
|
33
|
+
|
|
34
|
+
// Return chainable object with seed() method
|
|
35
|
+
return {
|
|
36
|
+
seed: (data) => this.#addSeedData(entityName, data, model.schema)
|
|
37
|
+
};
|
|
38
|
+
}
|
|
39
|
+
|
|
40
|
+
#addSeedData(tableName, data, schema) {
|
|
41
|
+
if (!this.__contextSeedData[tableName]) {
|
|
42
|
+
this.__contextSeedData[tableName] = [];
|
|
43
|
+
}
|
|
44
|
+
|
|
45
|
+
const records = Array.isArray(data) ? data : [data];
|
|
46
|
+
|
|
47
|
+
// Find primary key field from schema
|
|
48
|
+
let primaryKey = 'id'; // Default
|
|
49
|
+
if (schema) {
|
|
50
|
+
for (const key in schema) {
|
|
51
|
+
if (schema[key].primary) {
|
|
52
|
+
primaryKey = key;
|
|
53
|
+
break;
|
|
54
|
+
}
|
|
55
|
+
}
|
|
56
|
+
}
|
|
57
|
+
|
|
58
|
+
// Check if we're adding duplicate seed data
|
|
59
|
+
const existingData = this.__contextSeedData[tableName];
|
|
60
|
+
if (existingData.length > 0) {
|
|
61
|
+
console.warn(`Warning: seed() called multiple times for table '${tableName}' - using upsert semantics (update if primary key exists, insert otherwise)`);
|
|
62
|
+
}
|
|
63
|
+
|
|
64
|
+
// Upsert each record by primary key (EF Core HasData semantics)
|
|
65
|
+
records.forEach(newRecord => {
|
|
66
|
+
const pkValue = newRecord[primaryKey];
|
|
67
|
+
if (pkValue !== undefined) {
|
|
68
|
+
// Find existing record with same primary key
|
|
69
|
+
const existingIndex = existingData.findIndex(r => r[primaryKey] === pkValue);
|
|
70
|
+
if (existingIndex !== -1) {
|
|
71
|
+
// Update existing record (merge properties)
|
|
72
|
+
existingData[existingIndex] = { ...existingData[existingIndex], ...newRecord };
|
|
73
|
+
} else {
|
|
74
|
+
// Insert new record
|
|
75
|
+
existingData.push(newRecord);
|
|
76
|
+
}
|
|
77
|
+
} else {
|
|
78
|
+
// No primary key value - just append (insert semantics)
|
|
79
|
+
existingData.push(newRecord);
|
|
80
|
+
}
|
|
81
|
+
});
|
|
82
|
+
|
|
83
|
+
return {
|
|
84
|
+
seed: (moreData) => this.#addSeedData(tableName, moreData, schema)
|
|
85
|
+
};
|
|
86
|
+
}
|
|
87
|
+
}
|
|
88
|
+
|
|
89
|
+
// Test entities
|
|
90
|
+
class TestEntity {
|
|
91
|
+
static name = 'TestEntity';
|
|
92
|
+
static schema = {
|
|
93
|
+
id: { type: 'int', primary: true },
|
|
94
|
+
name: { type: 'string' },
|
|
95
|
+
email: { type: 'string' }
|
|
96
|
+
};
|
|
97
|
+
}
|
|
98
|
+
|
|
99
|
+
class CustomEntity {
|
|
100
|
+
static name = 'CustomEntity';
|
|
101
|
+
static schema = {
|
|
102
|
+
uuid: { type: 'string', primary: true },
|
|
103
|
+
name: { type: 'string' }
|
|
104
|
+
};
|
|
105
|
+
}
|
|
106
|
+
|
|
107
|
+
function test(description, fn) {
|
|
108
|
+
try {
|
|
109
|
+
fn();
|
|
110
|
+
console.log(`✓ ${description}`);
|
|
111
|
+
passed++;
|
|
112
|
+
} catch (error) {
|
|
113
|
+
console.log(`✗ ${description}`);
|
|
114
|
+
console.log(` Error: ${error.message}`);
|
|
115
|
+
failed++;
|
|
116
|
+
}
|
|
117
|
+
}
|
|
118
|
+
|
|
119
|
+
function assertEqual(actual, expected, message) {
|
|
120
|
+
if (actual !== expected) {
|
|
121
|
+
throw new Error(`${message}\n Expected: ${expected}\n Actual: ${actual}`);
|
|
122
|
+
}
|
|
123
|
+
}
|
|
124
|
+
|
|
125
|
+
function assertOk(value, message) {
|
|
126
|
+
if (!value) {
|
|
127
|
+
throw new Error(message);
|
|
128
|
+
}
|
|
129
|
+
}
|
|
130
|
+
|
|
131
|
+
// =============================================================================
|
|
132
|
+
// Test Suite: Seed Data Deduplication
|
|
133
|
+
// =============================================================================
|
|
134
|
+
console.log("📋 Test Suite: EF Core HasData Semantics - Upsert by Primary Key\n");
|
|
135
|
+
|
|
136
|
+
test('should upsert seed data when seed() is called twice with same primary key', () => {
|
|
137
|
+
const ctx = new SimulatedContext();
|
|
138
|
+
ctx.dbset(TestEntity)
|
|
139
|
+
.seed([{ id: 1, name: 'Original', email: 'original@test.com' }]);
|
|
140
|
+
|
|
141
|
+
// Second seed call with same ID but updated fields
|
|
142
|
+
ctx.dbset(TestEntity)
|
|
143
|
+
.seed([{ id: 1, name: 'Updated', email: 'updated@test.com' }]);
|
|
144
|
+
|
|
145
|
+
// Should only have 1 record (upserted, not duplicated)
|
|
146
|
+
assertEqual(ctx.__contextSeedData['TestEntity'].length, 1, 'Should only have 1 record after upsert');
|
|
147
|
+
|
|
148
|
+
// Should have updated values from second seed call
|
|
149
|
+
const record = ctx.__contextSeedData['TestEntity'][0];
|
|
150
|
+
assertEqual(record.id, 1, 'Record should have ID 1');
|
|
151
|
+
assertEqual(record.name, 'Updated', 'Record should have updated name');
|
|
152
|
+
assertEqual(record.email, 'updated@test.com', 'Record should have updated email');
|
|
153
|
+
});
|
|
154
|
+
|
|
155
|
+
test('should insert new records when seed() is called with different primary keys', () => {
|
|
156
|
+
const ctx = new SimulatedContext();
|
|
157
|
+
ctx.dbset(TestEntity)
|
|
158
|
+
.seed([{ id: 1, name: 'First', email: 'first@test.com' }]);
|
|
159
|
+
|
|
160
|
+
// Second seed call with different ID
|
|
161
|
+
ctx.dbset(TestEntity)
|
|
162
|
+
.seed([{ id: 2, name: 'Second', email: 'second@test.com' }]);
|
|
163
|
+
|
|
164
|
+
// Should have 2 records (both inserted)
|
|
165
|
+
assertEqual(ctx.__contextSeedData['TestEntity'].length, 2, 'Should have 2 records');
|
|
166
|
+
assertEqual(ctx.__contextSeedData['TestEntity'][0].id, 1, 'First record should have ID 1');
|
|
167
|
+
assertEqual(ctx.__contextSeedData['TestEntity'][1].id, 2, 'Second record should have ID 2');
|
|
168
|
+
});
|
|
169
|
+
|
|
170
|
+
test('should handle mixed upsert and insert in same seed call', () => {
|
|
171
|
+
const ctx = new SimulatedContext();
|
|
172
|
+
ctx.dbset(TestEntity)
|
|
173
|
+
.seed([
|
|
174
|
+
{ id: 1, name: 'First', email: 'first@test.com' },
|
|
175
|
+
{ id: 2, name: 'Second', email: 'second@test.com' }
|
|
176
|
+
]);
|
|
177
|
+
|
|
178
|
+
// Second seed call: update ID 1, insert ID 3
|
|
179
|
+
ctx.dbset(TestEntity)
|
|
180
|
+
.seed([
|
|
181
|
+
{ id: 1, name: 'Updated', email: 'updated@test.com' },
|
|
182
|
+
{ id: 3, name: 'Third', email: 'third@test.com' }
|
|
183
|
+
]);
|
|
184
|
+
|
|
185
|
+
// Should have 3 records (1 upserted, 2 kept, 3 inserted)
|
|
186
|
+
assertEqual(ctx.__contextSeedData['TestEntity'].length, 3, 'Should have 3 records');
|
|
187
|
+
|
|
188
|
+
// Verify ID 1 was updated
|
|
189
|
+
const record1 = ctx.__contextSeedData['TestEntity'].find(r => r.id === 1);
|
|
190
|
+
assertEqual(record1.name, 'Updated', 'Record 1 should be updated');
|
|
191
|
+
|
|
192
|
+
// Verify ID 2 still exists
|
|
193
|
+
const record2 = ctx.__contextSeedData['TestEntity'].find(r => r.id === 2);
|
|
194
|
+
assertEqual(record2.name, 'Second', 'Record 2 should still exist');
|
|
195
|
+
|
|
196
|
+
// Verify ID 3 was inserted
|
|
197
|
+
const record3 = ctx.__contextSeedData['TestEntity'].find(r => r.id === 3);
|
|
198
|
+
assertEqual(record3.name, 'Third', 'Record 3 should be inserted');
|
|
199
|
+
});
|
|
200
|
+
|
|
201
|
+
test('should handle the qaContext pattern (dbset then dbset.seed with same data)', () => {
|
|
202
|
+
const templates = [
|
|
203
|
+
{ id: 1, name: 'Template 1', email: 'template1@test.com' },
|
|
204
|
+
{ id: 2, name: 'Template 2', email: 'template2@test.com' },
|
|
205
|
+
{ id: 3, name: 'Template 3', email: 'template3@test.com' }
|
|
206
|
+
];
|
|
207
|
+
|
|
208
|
+
const ctx = new SimulatedContext();
|
|
209
|
+
ctx.dbset(TestEntity); // Line 58 pattern
|
|
210
|
+
ctx.dbset(TestEntity).seed(templates); // Line 207 pattern
|
|
211
|
+
|
|
212
|
+
// Should only have 3 records (not 6 duplicates)
|
|
213
|
+
assertEqual(ctx.__contextSeedData['TestEntity'].length, 3, 'Should only have 3 records, not duplicated');
|
|
214
|
+
|
|
215
|
+
// Verify all 3 records exist
|
|
216
|
+
assertEqual(ctx.__contextSeedData['TestEntity'][0].id, 1, 'Record 1 should exist');
|
|
217
|
+
assertEqual(ctx.__contextSeedData['TestEntity'][1].id, 2, 'Record 2 should exist');
|
|
218
|
+
assertEqual(ctx.__contextSeedData['TestEntity'][2].id, 3, 'Record 3 should exist');
|
|
219
|
+
});
|
|
220
|
+
|
|
221
|
+
test('should append records without primary key values', () => {
|
|
222
|
+
const ctx = new SimulatedContext();
|
|
223
|
+
ctx.dbset(TestEntity)
|
|
224
|
+
.seed([{ name: 'No ID 1', email: 'noid1@test.com' }]);
|
|
225
|
+
|
|
226
|
+
// Second seed call without ID
|
|
227
|
+
ctx.dbset(TestEntity)
|
|
228
|
+
.seed([{ name: 'No ID 2', email: 'noid2@test.com' }]);
|
|
229
|
+
|
|
230
|
+
// Should append both records (no PK to deduplicate by)
|
|
231
|
+
assertEqual(ctx.__contextSeedData['TestEntity'].length, 2, 'Should have 2 records when no PK provided');
|
|
232
|
+
assertEqual(ctx.__contextSeedData['TestEntity'][0].name, 'No ID 1', 'First record should exist');
|
|
233
|
+
assertEqual(ctx.__contextSeedData['TestEntity'][1].name, 'No ID 2', 'Second record should exist');
|
|
234
|
+
});
|
|
235
|
+
|
|
236
|
+
test('should emit warning when seed() is called multiple times', () => {
|
|
237
|
+
let warningEmitted = false;
|
|
238
|
+
const originalWarn = console.warn;
|
|
239
|
+
console.warn = function(msg) {
|
|
240
|
+
if (msg.includes('seed() called multiple times for table')) {
|
|
241
|
+
warningEmitted = true;
|
|
242
|
+
}
|
|
243
|
+
};
|
|
244
|
+
|
|
245
|
+
const ctx = new SimulatedContext();
|
|
246
|
+
ctx.dbset(TestEntity).seed([{ id: 1, name: 'First' }]);
|
|
247
|
+
ctx.dbset(TestEntity).seed([{ id: 2, name: 'Second' }]); // Should emit warning
|
|
248
|
+
|
|
249
|
+
console.warn = originalWarn;
|
|
250
|
+
|
|
251
|
+
assertEqual(warningEmitted, true, 'Should emit warning when seed() called multiple times');
|
|
252
|
+
});
|
|
253
|
+
|
|
254
|
+
test('should handle custom primary key field', () => {
|
|
255
|
+
const ctx = new SimulatedContext();
|
|
256
|
+
ctx.dbset(CustomEntity)
|
|
257
|
+
.seed([{ uuid: 'abc-123', name: 'Original' }]);
|
|
258
|
+
|
|
259
|
+
// Second seed with same uuid
|
|
260
|
+
ctx.dbset(CustomEntity)
|
|
261
|
+
.seed([{ uuid: 'abc-123', name: 'Updated' }]);
|
|
262
|
+
|
|
263
|
+
// Should upsert by custom primary key
|
|
264
|
+
assertEqual(ctx.__contextSeedData['CustomEntity'].length, 1, 'Should only have 1 record');
|
|
265
|
+
assertEqual(ctx.__contextSeedData['CustomEntity'][0].name, 'Updated', 'Should have updated name');
|
|
266
|
+
});
|
|
267
|
+
|
|
268
|
+
test('should handle real-world qaContext scenario with 9 seeds', () => {
|
|
269
|
+
class TaxonomyTemplate {
|
|
270
|
+
static name = 'TaxonomyTemplate';
|
|
271
|
+
static schema = {
|
|
272
|
+
id: { type: 'int', primary: true },
|
|
273
|
+
name: { type: 'string' },
|
|
274
|
+
description: { type: 'text' }
|
|
275
|
+
};
|
|
276
|
+
}
|
|
277
|
+
|
|
278
|
+
const templates = [
|
|
279
|
+
{ id: 1, name: 'General Knowledge', description: 'General knowledge questions' },
|
|
280
|
+
{ id: 2, name: 'Science', description: 'Science questions' },
|
|
281
|
+
{ id: 3, name: 'History', description: 'History questions' },
|
|
282
|
+
{ id: 4, name: 'Mathematics', description: 'Math questions' },
|
|
283
|
+
{ id: 5, name: 'Literature', description: 'Literature questions' },
|
|
284
|
+
{ id: 6, name: 'Geography', description: 'Geography questions' },
|
|
285
|
+
{ id: 7, name: 'Technology', description: 'Technology questions' },
|
|
286
|
+
{ id: 8, name: 'Arts', description: 'Arts questions' },
|
|
287
|
+
{ id: 9, name: 'Sports', description: 'Sports questions' }
|
|
288
|
+
];
|
|
289
|
+
|
|
290
|
+
const ctx = new SimulatedContext();
|
|
291
|
+
ctx.dbset(TaxonomyTemplate); // Line 58
|
|
292
|
+
ctx.dbset(TaxonomyTemplate).seed(templates); // Line 207
|
|
293
|
+
|
|
294
|
+
// Should only have 9 seed records (not 18)
|
|
295
|
+
assertEqual(ctx.__contextSeedData['TaxonomyTemplate'].length, 9,
|
|
296
|
+
'Should only have 9 seed records, not 18 duplicates');
|
|
297
|
+
|
|
298
|
+
// Verify all 9 templates exist
|
|
299
|
+
for (let i = 1; i <= 9; i++) {
|
|
300
|
+
const template = ctx.__contextSeedData['TaxonomyTemplate'].find(t => t.id === i);
|
|
301
|
+
assertOk(template, `Template ${i} should exist`);
|
|
302
|
+
}
|
|
303
|
+
});
|
|
304
|
+
|
|
305
|
+
// =============================================================================
|
|
306
|
+
// Summary
|
|
307
|
+
// =============================================================================
|
|
308
|
+
console.log("\n" + "═".repeat(64));
|
|
309
|
+
console.log(`\n✅ Passed: ${passed}`);
|
|
310
|
+
console.log(`❌ Failed: ${failed}`);
|
|
311
|
+
console.log(`\nTotal: ${passed + failed} tests\n`);
|
|
312
|
+
|
|
313
|
+
process.exit(failed > 0 ? 1 : 0);
|