forked from Automattic/mongoose
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathdiscriminators.test.js
423 lines (354 loc) · 14.6 KB
/
discriminators.test.js
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
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
'use strict';
const assert = require('assert');
const mongoose = require('../../');
const Schema = mongoose.Schema;
describe('discriminator docs', function() {
let Event;
let ClickedLinkEvent;
let SignedUpEvent;
let db;
before(function(done) {
db = mongoose.createConnection('mongodb://localhost:27017/mongoose_test');
const eventSchema = new mongoose.Schema({ time: Date });
Event = db.model('_event', eventSchema);
ClickedLinkEvent = Event.discriminator('ClickedLink',
new mongoose.Schema({ url: String }));
SignedUpEvent = Event.discriminator('SignedUp',
new mongoose.Schema({ username: String }));
done();
});
after(function(done) {
db.close(done);
});
beforeEach(function(done) {
Event.deleteMany({}, done);
});
/**
* Discriminators are a schema inheritance mechanism. They enable
* you to have multiple models with overlapping schemas on top of the
* same underlying MongoDB collection.
*
* Suppose you wanted to track different types of events in a single
* collection. Every event will have a timestamp, but events that
* represent clicked links should have a URL. You can achieve this
* using the `model.discriminator()` function. This function takes
* 3 parameters, a model name, a discriminator schema and an optional
* key (defaults to the model name). It returns a model whose schema
* is the union of the base schema and the discriminator schema.
*/
it('The `model.discriminator()` function', function(done) {
const options = { discriminatorKey: 'kind' };
const eventSchema = new mongoose.Schema({ time: Date }, options);
const Event = mongoose.model('Event', eventSchema);
// ClickedLinkEvent is a special type of Event that has
// a URL.
const ClickedLinkEvent = Event.discriminator('ClickedLink',
new mongoose.Schema({ url: String }, options));
// When you create a generic event, it can't have a URL field...
const genericEvent = new Event({ time: Date.now(), url: 'google.com' });
assert.ok(!genericEvent.url);
// But a ClickedLinkEvent can
const clickedEvent =
new ClickedLinkEvent({ time: Date.now(), url: 'google.com' });
assert.ok(clickedEvent.url);
// acquit:ignore:start
done();
// acquit:ignore:end
});
/**
* Suppose you created another discriminator to track events where
* a new user registered. These `SignedUpEvent` instances will be
* stored in the same collection as generic events and `ClickedLinkEvent`
* instances.
*/
it('Discriminators save to the Event model\'s collection', function(done) {
const event1 = new Event({ time: Date.now() });
const event2 = new ClickedLinkEvent({ time: Date.now(), url: 'google.com' });
const event3 = new SignedUpEvent({ time: Date.now(), user: 'testuser' });
/*
const save = function(doc, callback) {
doc.save(function(error, doc) {
callback(error, doc);
});
}; */
Promise.all([event1.save(), event2.save(), event3.save()]).
then(() => Event.countDocuments()).
then(count => {
assert.equal(count, 3);
// acquit:ignore:start
done();
// acquit:ignore:end
});
});
/**
* The way mongoose tells the difference between the different
* discriminator models is by the 'discriminator key', which is
* `__t` by default. Mongoose adds a String path called `__t`
* to your schemas that it uses to track which discriminator
* this document is an instance of.
*/
it('Discriminator keys', function(done) {
const event1 = new Event({ time: Date.now() });
const event2 = new ClickedLinkEvent({ time: Date.now(), url: 'google.com' });
const event3 = new SignedUpEvent({ time: Date.now(), user: 'testuser' });
assert.ok(!event1.__t);
assert.equal(event2.__t, 'ClickedLink');
assert.equal(event3.__t, 'SignedUp');
// acquit:ignore:start
done();
// acquit:ignore:end
});
/**
* Discriminator models are special; they attach the discriminator key
* to queries. In other words, `find()`, `count()`, `aggregate()`, etc.
* are smart enough to account for discriminators.
*/
it('Discriminators add the discriminator key to queries', function(done) {
const event1 = new Event({ time: Date.now() });
const event2 = new ClickedLinkEvent({ time: Date.now(), url: 'google.com' });
const event3 = new SignedUpEvent({ time: Date.now(), user: 'testuser' });
Promise.all([event1.save(), event2.save(), event3.save()]).
then(() => ClickedLinkEvent.find({})).
then(docs => {
assert.equal(docs.length, 1);
assert.equal(docs[0]._id.toString(), event2._id.toString());
assert.equal(docs[0].url, 'google.com');
// acquit:ignore:start
done();
// acquit:ignore:end
});
});
/**
* Discriminators also take their base schema's pre and post middleware.
* However, you can also attach middleware to the discriminator schema
* without affecting the base schema.
*/
it('Discriminators copy pre and post hooks', function(done) {
const options = { discriminatorKey: 'kind' };
const eventSchema = new mongoose.Schema({ time: Date }, options);
let eventSchemaCalls = 0;
eventSchema.pre('validate', function(next) {
++eventSchemaCalls;
next();
});
const Event = mongoose.model('GenericEvent', eventSchema);
const clickedLinkSchema = new mongoose.Schema({ url: String }, options);
let clickedSchemaCalls = 0;
clickedLinkSchema.pre('validate', function(next) {
++clickedSchemaCalls;
next();
});
const ClickedLinkEvent = Event.discriminator('ClickedLinkEvent',
clickedLinkSchema);
const event1 = new ClickedLinkEvent();
event1.validate(function() {
assert.equal(eventSchemaCalls, 1);
assert.equal(clickedSchemaCalls, 1);
const generic = new Event();
generic.validate(function() {
assert.equal(eventSchemaCalls, 2);
assert.equal(clickedSchemaCalls, 1);
// acquit:ignore:start
done();
// acquit:ignore:end
});
});
});
/**
* A discriminator's fields are the union of the base schema's fields and
* the discriminator schema's fields, and the discriminator schema's fields
* take precedence. There is one exception: the `_id` field.
* If a custom _id field is set on the base schema, that will always
* override the discriminator's _id field, as shown below.
*/
it('Handling custom _id fields', function(done) {
const options = { discriminatorKey: 'kind' };
// Base schema has a custom String `_id` and a Date `time`...
const eventSchema = new mongoose.Schema({ _id: String, time: Date },
options);
const Event = mongoose.model('BaseEvent', eventSchema);
const clickedLinkSchema = new mongoose.Schema({
url: String,
time: String
}, options);
// The discriminator schema has a String `time` and an
// implicitly added ObjectId `_id`.
assert.ok(clickedLinkSchema.path('_id'));
assert.equal(clickedLinkSchema.path('_id').instance, 'ObjectID');
const ClickedLinkEvent = Event.discriminator('ChildEventBad',
clickedLinkSchema);
const event1 = new ClickedLinkEvent({ _id: 'custom id', time: '4pm' });
// clickedLinkSchema overwrites the `time` path, but **not**
// the `_id` path.
assert.strictEqual(typeof event1._id, 'string');
assert.strictEqual(typeof event1.time, 'string');
// acquit:ignore:start
done();
// acquit:ignore:end
});
/**
* When you use `Model.create()`, mongoose will pull the correct type from
* the discriminator key for you.
*/
it('Using discriminators with `Model.create()`', function(done) {
const Schema = mongoose.Schema;
const shapeSchema = new Schema({
name: String
}, { discriminatorKey: 'kind' });
const Shape = db.model('Shape', shapeSchema);
const Circle = Shape.discriminator('Circle',
new Schema({ radius: Number }));
const Square = Shape.discriminator('Square',
new Schema({ side: Number }));
const shapes = [
{ name: 'Test' },
{ kind: 'Circle', radius: 5 },
{ kind: 'Square', side: 10 }
];
Shape.create(shapes, function(error, shapes) {
assert.ifError(error);
assert.ok(shapes[0] instanceof Shape);
assert.ok(shapes[1] instanceof Circle);
assert.equal(shapes[1].radius, 5);
assert.ok(shapes[2] instanceof Square);
assert.equal(shapes[2].side, 10);
// acquit:ignore:start
done();
// acquit:ignore:end
});
});
/**
* You can also define discriminators on embedded document arrays.
* Embedded discriminators are different because the different discriminator
* types are stored in the same document array (within a document) rather
* than the same collection. In other words, embedded discriminators let
* you store subdocuments matching different schemas in the same array.
*
* As a general best practice, make sure you declare any hooks on your
* schemas **before** you use them. You should **not** call `pre()` or
* `post()` after calling `discriminator()`
*/
it('Embedded discriminators in arrays', function(done) {
const eventSchema = new Schema({ message: String },
{ discriminatorKey: 'kind', _id: false });
const batchSchema = new Schema({ events: [eventSchema] });
// `batchSchema.path('events')` gets the mongoose `DocumentArray`
const docArray = batchSchema.path('events');
// The `events` array can contain 2 different types of events, a
// 'clicked' event that requires an element id that was clicked...
const clickedSchema = new Schema({
element: {
type: String,
required: true
}
}, { _id: false });
// Make sure to attach any hooks to `eventSchema` and `clickedSchema`
// **before** calling `discriminator()`.
const Clicked = docArray.discriminator('Clicked', clickedSchema);
// ... and a 'purchased' event that requires the product that was purchased.
const Purchased = docArray.discriminator('Purchased', new Schema({
product: {
type: String,
required: true
}
}, { _id: false }));
const Batch = db.model('EventBatch', batchSchema);
// Create a new batch of events with different kinds
const batch = {
events: [
{ kind: 'Clicked', element: '#hero', message: 'hello' },
{ kind: 'Purchased', product: 'action-figure-1', message: 'world' }
]
};
Batch.create(batch).
then(function(doc) {
assert.equal(doc.events.length, 2);
assert.equal(doc.events[0].element, '#hero');
assert.equal(doc.events[0].message, 'hello');
assert.ok(doc.events[0] instanceof Clicked);
assert.equal(doc.events[1].product, 'action-figure-1');
assert.equal(doc.events[1].message, 'world');
assert.ok(doc.events[1] instanceof Purchased);
doc.events.push({ kind: 'Purchased', product: 'action-figure-2' });
return doc.save();
}).
then(function(doc) {
assert.equal(doc.events.length, 3);
assert.equal(doc.events[2].product, 'action-figure-2');
assert.ok(doc.events[2] instanceof Purchased);
done();
}).
catch(done);
});
/**
* You can also define embedded discriminators on embedded discriminators.
* In the below example, `sub_events` is an embedded discriminator, and
* for `sub_event` keys with value 'SubEvent', `sub_events.events` is an
* embedded discriminator.
*/
it('Recursive embedded discriminators in arrays', function(done) {
const singleEventSchema = new Schema({ message: String },
{ discriminatorKey: 'kind', _id: false });
const eventListSchema = new Schema({ events: [singleEventSchema] });
const subEventSchema = new Schema({
sub_events: [singleEventSchema]
}, { _id: false });
const SubEvent = subEventSchema.path('sub_events').
discriminator('SubEvent', subEventSchema);
eventListSchema.path('events').discriminator('SubEvent', subEventSchema);
const Eventlist = db.model('EventList', eventListSchema);
// Create a new batch of events with different kinds
const list = {
events: [
{ kind: 'SubEvent', sub_events: [{ kind: 'SubEvent', sub_events: [], message: 'test1' }], message: 'hello' },
{ kind: 'SubEvent', sub_events: [{ kind: 'SubEvent', sub_events: [{ kind: 'SubEvent', sub_events: [], message: 'test3' }], message: 'test2' }], message: 'world' }
]
};
Eventlist.create(list).
then(function(doc) {
assert.equal(doc.events.length, 2);
assert.equal(doc.events[0].sub_events[0].message, 'test1');
assert.equal(doc.events[0].message, 'hello');
assert.ok(doc.events[0].sub_events[0] instanceof SubEvent);
assert.equal(doc.events[1].sub_events[0].sub_events[0].message, 'test3');
assert.equal(doc.events[1].message, 'world');
assert.ok(doc.events[1].sub_events[0].sub_events[0] instanceof SubEvent);
doc.events.push({ kind: 'SubEvent', sub_events: [{ kind: 'SubEvent', sub_events: [], message: 'test4' }], message: 'pushed' });
return doc.save();
}).
then(function(doc) {
assert.equal(doc.events.length, 3);
assert.equal(doc.events[2].message, 'pushed');
assert.ok(doc.events[2].sub_events[0] instanceof SubEvent);
done();
}).
catch(done);
});
/**
* You can also define discriminators on single nested subdocuments, similar
* to how you can define discriminators on arrays of subdocuments.
*
* As a general best practice, make sure you declare any hooks on your
* schemas **before** you use them. You should **not** call `pre()` or
* `post()` after calling `discriminator()`
*/
it('Single nested discriminators', function() {
const shapeSchema = Schema({ name: String }, { discriminatorKey: 'kind' });
const schema = Schema({ shape: shapeSchema });
schema.path('shape').discriminator('Circle', Schema({ radius: String }));
schema.path('shape').discriminator('Square', Schema({ side: Number }));
const MyModel = mongoose.model('ShapeTest', schema);
// If `kind` is set to 'Circle', then `shape` will have a `radius` property
let doc = new MyModel({ shape: { kind: 'Circle', radius: 5 } });
doc.shape.radius; // 5
// acquit:ignore:start
assert.equal(doc.shape.radius, 5);
// acquit:ignore:end
// If `kind` is set to 'Square', then `shape` will have a `side` property
doc = new MyModel({ shape: { kind: 'Square', side: 10 } });
doc.shape.side; // 10
// acquit:ignore:start
assert.equal(doc.shape.side, 10);
// acquit:ignore:end
});
});