model.js
50.7 KB
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
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
'use strict';
var _typeof2 = require('babel-runtime/helpers/typeof');
var _typeof3 = _interopRequireDefault(_typeof2);
var _extends2 = require('babel-runtime/helpers/extends');
var _extends3 = _interopRequireDefault(_extends2);
var _lodash = require('lodash');
var _lodash2 = _interopRequireDefault(_lodash);
var _createError = require('create-error');
var _createError2 = _interopRequireDefault(_createError);
var _sync = require('./sync');
var _sync2 = _interopRequireDefault(_sync);
var _helpers = require('./helpers');
var _helpers2 = _interopRequireDefault(_helpers);
var _eager = require('./eager');
var _eager2 = _interopRequireDefault(_eager);
var _errors = require('./errors');
var _errors2 = _interopRequireDefault(_errors);
var _model = require('./base/model');
var _model2 = _interopRequireDefault(_model);
var _promise = require('./base/promise');
var _promise2 = _interopRequireDefault(_promise);
function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }
/**
* @class Model
* @extends ModelBase
* @inheritdoc
* @classdesc
*
* Models are simple objects representing individual database rows, specifying
* the tableName and any relations to other models. They can be extended with
* any domain-specific methods, which can handle components such as validations,
* computed properties, and access control.
*
* @constructor
* @description
*
* When creating an instance of a model, you can pass in the initial values of
* the attributes, which will be {@link Model#set set} on the
* model. If you define an {@link initialize} function, it will be invoked
* when the model is created.
*
* new Book({
* title: "One Thousand and One Nights",
* author: "Scheherazade"
* });
*
* In rare cases, if you're looking to get fancy, you may want to override
* {@link Model#constructor constructor}, which allows you to replace the
* actual constructor function for your model.
*
* let Book = bookshelf.Model.extend({
* tableName: 'documents',
* constructor: function() {
* bookshelf.Model.apply(this, arguments);
* this.on('saving', function(model, attrs, options) {
* options.query.where('type', '=', 'book');
* });
* }
* });
*
* @param {Object} attributes Initial values for this model's attributes.
* @param {Object=} options Hash of options.
* @param {string=} options.tableName Initial value for {@link Model#tableName tableName}.
* @param {boolean=} [options.hasTimestamps=false]
*
* Initial value for {@link Model#hasTimestamps hasTimestamps}.
*
* @param {boolean} [options.parse=false]
*
* Convert attributes by {@link Model#parse parse} before being {@link
* Model#set set} on the model.
*
*/
var BookshelfModel = _model2.default.extend({
/**
* The `hasOne` relation specifies that this table has exactly one of another
* type of object, specified by a foreign key in the other table.
*
* let Record = bookshelf.Model.extend({
* tableName: 'health_records'
* });
*
* let Patient = bookshelf.Model.extend({
* tableName: 'patients',
* record: function() {
* return this.hasOne(Record);
* }
* });
*
* // select * from `health_records` where `patient_id` = 1;
* new Patient({id: 1}).related('record').fetch().then(function(model) {
* // ...
* });
*
* // alternatively, if you don't need the relation loaded on the patient's relations hash:
* new Patient({id: 1}).record().fetch().then(function(model) {
* // ...
* });
*
* @method Model#hasOne
*
* @param {Model} Target
*
* Constructor of {@link Model} targeted by join.
*
* @param {string=} foreignKey
*
* ForeignKey in the `Target` model. By default, the `foreignKey` is assumed to
* be the singular form of this model's {@link Model#tableName tableName},
* followed by `_id` / `_{{{@link Model#idAttribute idAttribute}}}`.
*
* @param {string=} foreignKeyTarget
*
* Column in the `Target` model's table which `foreignKey` references, if other
* than `Target` model's `id` / `{@link Model#idAttribute idAttribute}`.
*
* @returns {Model}
*/
hasOne: function hasOne(Target, foreignKey, foreignKeyTarget) {
return this._relation('hasOne', Target, { foreignKey: foreignKey, foreignKeyTarget: foreignKeyTarget }).init(this);
},
/**
* The `hasMany` relation specifies that this model has one or more rows in
* another table which match on this model's primary key.
*
* let Author = bookshelf.Model.extend({
* tableName: 'authors',
* books: function() {
* return this.hasMany(Book);
* }
* });
*
* // select * from `authors` where id = 1
* // select * from `books` where author_id = 1
* Author.where({id: 1}).fetch({withRelated: ['books']}).then(function(author) {
* console.log(JSON.stringify(author.related('books')));
* });
*
* @method Model#hasMany
*
* @param {Model} Target
*
* Constructor of {@link Model} targeted by join.
*
* @param {string=} foreignKey
*
* ForeignKey in the `Target` model. By default, the foreignKey is assumed to
* be the singular form of this model's tableName, followed by `_id` /
* `_{{{@link Model#idAttribute idAttribute}}}`.
*
* @param {string=} foreignKeyTarget
*
* Column in the `Target` model's table which `foreignKey` references, if other
* than `Target` model's `id` / `{@link Model#idAttribute idAttribute}`.
*
* @returns {Collection}
*/
hasMany: function hasMany(Target, foreignKey, foreignKeyTarget) {
return this._relation('hasMany', Target, { foreignKey: foreignKey, foreignKeyTarget: foreignKeyTarget }).init(this);
},
/**
* The `belongsTo` relationship is used when a model is a member of
* another `Target` model.
*
* It can be used in a {@linkplain one-to-one} associations as the inverse
* of a {@link Model#hasOne hasOne}. It can also used in {@linkplain
* one-to-many} associations as the inverse of a {@link Model#hasMany hasMany}
* (and is the one side of that association). In both cases, the {@link
* Model#belongsTo belongsTo} relationship is used for a model that is a
* member of another Target model, referenced by the foreignKey in the current
* model.
*
* let Book = bookshelf.Model.extend({
* tableName: 'books',
* author: function() {
* return this.belongsTo(Author);
* }
* });
*
* // select * from `books` where id = 1
* // select * from `authors` where id = book.author_id
* Book.where({id: 1}).fetch({withRelated: ['author']}).then(function(book) {
* console.log(JSON.stringify(book.related('author')));
* });
*
* @method Model#belongsTo
*
* @param {Model} Target
*
* Constructor of {@link Model} targeted by join.
*
* @param {string=} foreignKey
*
* ForeignKey in this model. By default, the foreignKey is assumed to
* be the singular form of the `Target` model's tableName, followed by `_id` /
* `_{{{@link Model#idAttribute idAttribute}}}`.
*
* @param {string=} foreignKeyTarget
*
* Column in the `Target` model's table which `foreignKey` references, if other
* than `Target` model's `id` / `{@link Model#idAttribute idAttribute}`.
*
* @returns {Model}
*/
belongsTo: function belongsTo(Target, foreignKey, foreignKeyTarget) {
return this._relation('belongsTo', Target, { foreignKey: foreignKey, foreignKeyTarget: foreignKeyTarget }).init(this);
},
/**
* Defines a many-to-many relation, where the current model is joined to one
* or more of a `Target` model through another table. The default name for
* the joining table is the two table names, joined by an underscore, ordered
* alphabetically. For example, a `users` table and an `accounts` table would have
* a joining table of accounts_users.
*
* let Account = bookshelf.Model.extend({
* tableName: 'accounts'
* });
*
* let User = bookshelf.Model.extend({
* tableName: 'users',
* allAccounts: function () {
* return this.belongsToMany(Account);
* },
* adminAccounts: function() {
* return this.belongsToMany(Account).query({where: {access: 'admin'}});
* },
* viewAccounts: function() {
* return this.belongsToMany(Account).query({where: {access: 'readonly'}});
* }
* });
*
* The default key names in the joining table are the singular versions of the
* model table names, followed by `_id` /
* _{{{@link Model#idAttribute idAttribute}}}. So in the above case, the
* columns in the joining table
* would be `user_id`, `account_id`, and `access`, which is used as an
* example of how dynamic relations can be formed using different contexts.
* To customize the keys used in, or the {@link Model#tableName tableName}
* used for the join table, you may specify them like so:
*
* this.belongsToMany(Account, 'users_accounts', 'userid', 'accountid');
*
* If you wish to create a {@link Model#belongsToMany belongsToMany}
* association where the joining table has a primary key, and more information
* about the model, you may create a {@link Model#belongsToMany belongsToMany}
* {@link Relation#through through} relation:
*
* let Doctor = bookshelf.Model.extend({
* patients: function() {
* return this.belongsToMany(Patient).through(Appointment);
* }
* });
*
* let Appointment = bookshelf.Model.extend({
* patient: function() {
* return this.belongsTo(Patient);
* },
* doctor: function() {
* return this.belongsTo(Doctor);
* }
* });
*
* let Patient = bookshelf.Model.extend({
* doctors: function() {
* return this.belongsToMany(Doctor).through(Appointment);
* }
* });
*
* Collections returned by a `belongsToMany` relation are decorated with
* several pivot helper methods. See {@link Collection#attach attach},
* {@link Collection#detach detach}, {@link Collection#updatePivot
* updatePivot} and {@link Collection#withPivot withPivot} for more
* information.
*
* @belongsTo Model
* @method Model#belongsToMany
* @param {Model} Target
*
* Constructor of {@link Model} targeted by join.
*
* @param {string=} table
*
* Name of the joining table. Defaults to the two table names, joined by an
* underscore, ordered alphabetically.
*
* @param {string=} foreignKey
*
* Foreign key in this model. By default, the `foreignKey` is assumed to
* be the singular form of this model's tableName, followed by `_id` /
* `_{{{@link Model#idAttribute idAttribute}}}`.
*
* @param {string=} otherKey
*
* Foreign key in the `Target` model. By default, the `otherKey` is assumed to
* be the singular form of the `Target` model's tableName, followed by `_id` /
* `_{{{@link Model#idAttribute idAttribute}}}`.
*
* @param {string=} foreignKeyTarget
*
* Column in this model's table which `foreignKey` references, if other
* than `id` / `{@link Model#idAttribute idAttribute}`.
*
* @param {string=} otherKeyTarget
*
* Column in the `Target` model's table which `otherKey` references, if other
* than `Target` model's `id` / `{@link Model#idAttribute idAttribute}`.
*
* @returns {Collection}
*/
belongsToMany: function belongsToMany(Target, joinTableName, foreignKey, otherKey, foreignKeyTarget, otherKeyTarget) {
return this._relation('belongsToMany', Target, {
joinTableName: joinTableName, foreignKey: foreignKey, otherKey: otherKey, foreignKeyTarget: foreignKeyTarget, otherKeyTarget: otherKeyTarget
}).init(this);
},
/**
* The {@link Model#morphOne morphOne} is used to signify a {@link oneToOne
* one-to-one} {@link polymorphicRelation polymorphic relation} with
* another `Target` model, where the `name` of the model is used to determine
* which database table keys are used. The naming convention requires the
* `name` prefix an `_id` and `_type` field in the database. So for the case
* below the table names would be `imageable_type` and `imageable_id`. The
* `morphValue` may be optionally set to store/retrieve a different value in
* the `_type` column than the {@link Model#tableName}.
*
* let Site = bookshelf.Model.extend({
* tableName: 'sites',
* photo: function() {
* return this.morphOne(Photo, 'imageable');
* }
* });
*
* And with custom `columnNames`:
*
* let Site = bookshelf.Model.extend({
* tableName: 'sites',
* photo: function() {
* return this.morphOne(Photo, 'imageable', ["ImageableType", "ImageableId"]);
* }
* });
*
* Note that both `columnNames` and `morphValue` are optional arguments. How
* your argument is treated when only one is specified, depends on the type.
* If your argument is an array, it will be assumed to contain custom
* `columnNames`. If it's not, it will be assumed to indicate a `morphValue`.
*
* @method Model#morphOne
*
* @param {Model} Target Constructor of {@link Model} targeted by join.
* @param {string=} name Prefix for `_id` and `_type` columns.
* @param {(string[])=} columnNames
*
* Array containing two column names, the first is the `_type`, the second
* is the `_id`.
*
* @param {string=} [morphValue=Target#{@link Model#tableName tableName}]
*
* The string value associated with this relationship. Stored in the `_type`
* column of the polymorphic table. Defaults to `Target#{@link
* Model#tableName tableName}`.
*
* @returns {Model} The related model.
*/
morphOne: function morphOne(Target, name, columnNames, morphValue) {
return this._morphOneOrMany(Target, name, columnNames, morphValue, 'morphOne');
},
/**
* {@link Model#morphMany morphMany} is essentially the same as a {@link
* Model#morphOne morphOne}, but creating a {@link Collection collection}
* rather than a {@link Model model} (similar to a {@link Model#hasOne
* hasOne} vs. {@link Model#hasMany hasMany} relation).
*
* {@link Model#morphMany morphMany} is used to signify a {@link oneToMany
* one-to-many} or {@link manyToMany many-to-many} {@link polymorphicRelation
* polymorphic relation} with another `Target` model, where the `name` of the
* model is used to determine which database table keys are used. The naming
* convention requires the `name` prefix an `_id` and `_type` field in the
* database. So for the case below the table names would be `imageable_type`
* and `imageable_id`. The `morphValue` may be optionally set to
* store/retrieve a different value in the `_type` column than the `Target`'s
* {@link Model#tableName tableName}.
*
* let Post = bookshelf.Model.extend({
* tableName: 'posts',
* photos: function() {
* return this.morphMany(Photo, 'imageable');
* }
* });
*
* And with custom columnNames:
*
* let Post = bookshelf.Model.extend({
* tableName: 'posts',
* photos: function() {
* return this.morphMany(Photo, 'imageable', ["ImageableType", "ImageableId"]);
* }
* });
*
* @method Model#morphMany
*
* @param {Model} Target Constructor of {@link Model} targeted by join.
* @param {string=} name Prefix for `_id` and `_type` columns.
* @param {(string[])=} columnNames
*
* Array containing two column names, the first is the `_type`, the second is the `_id`.
*
* @param {string=} [morphValue=Target#{@link Model#tableName tablename}]
*
* The string value associated with this relationship. Stored in the `_type`
* column of the polymorphic table. Defaults to `Target`#{@link Model#tableName
* tablename}.
*
* @returns {Collection} A collection of related models.
*/
morphMany: function morphMany(Target, name, columnNames, morphValue) {
return this._morphOneOrMany(Target, name, columnNames, morphValue, 'morphMany');
},
/**
* The {@link Model#morphTo morphTo} relation is used to specify the inverse
* of the {@link Model#morphOne morphOne} or {@link Model#morphMany
* morphMany} relations, where the `targets` must be passed to signify which
* {@link Model models} are the potential opposite end of the {@link
* polymorphicRelation polymorphic relation}.
*
* let Photo = bookshelf.Model.extend({
* tableName: 'photos',
* imageable: function() {
* return this.morphTo('imageable', Site, Post);
* }
* });
*
* And with custom columnNames:
*
* let Photo = bookshelf.Model.extend({
* tableName: 'photos',
* imageable: function() {
* return this.morphTo('imageable', ["ImageableType", "ImageableId"], Site, Post);
* }
* });
*
* @method Model#morphTo
*
* @param {string} name Prefix for `_id` and `_type` columns.
* @param {(string[])=} columnNames
*
* Array containing two column names, the first is the `_type`, the second is the `_id`.
*
* @param {...Model} Target Constructor of {@link Model} targeted by join.
*
* @returns {Model}
*/
morphTo: function morphTo(morphName) {
if (!_lodash2.default.isString(morphName)) throw new Error('The `morphTo` name must be specified.');
var columnNames = void 0,
candidates = void 0;
if (_lodash2.default.isArray(arguments[1])) {
columnNames = arguments[1];
candidates = _lodash2.default.drop(arguments, 2);
} else {
columnNames = null;
candidates = _lodash2.default.drop(arguments);
}
return this._relation('morphTo', null, { morphName: morphName, columnNames: columnNames, candidates: candidates }).init(this);
},
/**
* Helps to create dynamic relations between {@link Model models} and {@link
* Collection collections}, where a {@link Model#hasOne hasOne}, {@link
* Model#hasMany hasMany}, {@link Model#belongsTo belongsTo}, or {@link
* Model#belongsToMany belongsToMany} relation may run through a `JoinModel`.
*
* A good example of where this would be useful is if a book {@link
* Model#hasMany hasMany} paragraphs through chapters. Consider the following examples:
*
*
* let Book = bookshelf.Model.extend({
* tableName: 'books',
*
* // Find all paragraphs associated with this book, by
* // passing through the "Chapter" model.
* paragraphs: function() {
* return this.hasMany(Paragraph).through(Chapter);
* },
*
* chapters: function() {
* return this.hasMany(Chapter);
* }
* });
*
* let Chapter = bookshelf.Model.extend({
* tableName: 'chapters',
*
* paragraphs: function() {
* return this.hasMany(Paragraph);
* }
* });
*
* let Paragraph = bookshelf.Model.extend({
* tableName: 'paragraphs',
*
* chapter: function() {
* return this.belongsTo(Chapter);
* },
*
* // A reverse relation, where we can get the book from the chapter.
* book: function() {
* return this.belongsTo(Book).through(Chapter);
* }
* });
*
* The "through" table creates a pivot model, which it assigns to {@link
* Model#pivot model.pivot} after it is created. On {@link Model#toJSON
* toJSON}, the pivot model is flattened to values prefixed with
* `_pivot_`.
*
* @method Model#through
* @param {Model} Interim Pivot model.
* @param {string=} throughForeignKey
*
* Foreign key in this model. By default, the `foreignKey` is assumed to
* be the singular form of the `Target` model's tableName, followed by `_id` /
* `_{{{@link Model#idAttribute idAttribute}}}`.
*
* @param {string=} otherKey
*
* Foreign key in the `Interim` model. By default, the `otherKey` is assumed to
* be the singular form of this model's tableName, followed by `_id` /
* `_{{{@link Model#idAttribute idAttribute}}}`.
*
* @param {string=} throughForeignKeyTarget
*
* Column in the `Target` model which `throughForeignKey` references, if other
* than `Target` model's `id` / `{@link Model#idAttribute idAttribute}`.
*
* @param {string=} otherKeyTarget
*
* Column in this model which `otherKey` references, if other
* than `id` / `{@link Model#idAttribute idAttribute}`.
*
* @returns {Collection}
*/
through: function through(Interim, throughForeignKey, otherKey, throughForeignKeyTarget, otherKeyTarget) {
return this.relatedData.through(this, Interim, {
throughForeignKey: throughForeignKey, otherKey: otherKey, throughForeignKeyTarget: throughForeignKeyTarget, otherKeyTarget: otherKeyTarget
});
},
/**
* @method Model#refresh
* @since 0.8.2
* @description
*
* Update the attributes of a model, fetching it by its primary key. If no
* attribute matches its {@link Model#idAttribute idAttribute}, then fetch by
* all available fields.
*
* @param {Object} options
* A hash of options. See {@link Model#fetch} for details.
* @returns {Promise<Model>}
* A promise resolving to this model.
*/
refresh: function refresh(options) {
// If this is new, we use all its attributes. Otherwise we just grab the
// primary key.
var attributes = this.isNew() ? this.attributes : _lodash2.default.pick(this.attributes, this.idAttribute);
return this._doFetch(attributes, options);
},
/**
* Fetches a {@link Model model} from the database, using any {@link
* Model#attributes attributes} currently set on the model to form a `select`
* query.
*
* A {@link Model#event:fetching "fetching"} event will be fired just before the
* record is fetched; a good place to hook into for validation. {@link
* Model#event:fetched "fetched"} event will be fired when a record is
* successfully retrieved.
*
* If you need to constrain the query
* performed by fetch, you can call {@link Model#query query} before calling
* {@link Model#fetch fetch}.
*
* // select * from `books` where `ISBN-13` = '9780440180296'
* new Book({'ISBN-13': '9780440180296'})
* .fetch()
* .then(function(model) {
* // outputs 'Slaughterhouse Five'
* console.log(model.get('title'));
* });
*
* _If you'd like to only fetch specific columns, you may specify a `columns`
* property in the `options` for the {@link Model#fetch fetch} call, or use
* {@link Model#query query}, tapping into the {@link Knex} {@link
* Knex#column column} method to specify which columns will be fetched._
*
* A single property, or an array of properties can be specified as a value for
* the `withRelated` property. You can also execute callbacks on relations
* queries (eg. for sorting a relation). The results of these relation queries
* will be loaded into a {@link Model#relations relations} property on the
* model, may be retrieved with the {@link Model#related related} method, and
* will be serialized as properties on a {@link Model#toJSON toJSON} call
* unless `{shallow: true}` is passed.
*
* let Book = bookshelf.Model.extend({
* tableName: 'books',
* editions: function() {
* return this.hasMany(Edition);
* },
* chapters: function() {
* return this.hasMany(Chapter);
* },
* genre: function() {
* return this.belongsTo(Genre);
* }
* })
*
* new Book({'ISBN-13': '9780440180296'}).fetch({
* withRelated: [
* 'genre', 'editions',
* { chapters: function(query) { query.orderBy('chapter_number'); }}
* ]
* }).then(function(book) {
* console.log(book.related('genre').toJSON());
* console.log(book.related('editions').toJSON());
* console.log(book.toJSON());
* });
*
* @method Model#fetch
*
* @param {Object=} options - Hash of options.
* @param {boolean=} [options.require=false]
* Reject the returned response with a {@link Model.NotFoundError
* NotFoundError} if results are empty.
* @param {string|string[]} [options.columns='*']
* Specify columns to be retrieved.
* @param {Transaction} [options.transacting]
* Optionally run the query in a transaction.
* @param {string|Object|mixed[]} [options.withRelated]
* Relations to be retrieved with `Model` instance. Either one or more
* relation names or objects mapping relation names to query callbacks.
*
* @fires Model#fetching
* @fires Model#fetched
*
* @throws {Model.NotFoundError}
*
* @returns {Promise<Model|null>}
* A promise resolving to the fetched {@link Model model} or `null` if
* none exists.
*
*/
fetch: function fetch(options) {
// Fetch uses all set attributes.
return this._doFetch(this.attributes, options);
},
_doFetch: _promise2.default.method(function (attributes, options) {
options = options ? _lodash2.default.clone(options) : {};
// Run the `first` call on the `sync` object to fetch a single model.
return this.sync(options).first(attributes).bind(this)
// Jump the rest of the chain if the response doesn't exist...
.tap(function (response) {
if (!response || response.length === 0) {
throw new this.constructor.NotFoundError('EmptyResponse');
}
})
// Now, load all of the data into the model as necessary.
.tap(this._handleResponse)
// If the "withRelated" is specified, we also need to eager load all of the
// data on the model, as a side-effect, before we ultimately jump into the
// next step of the model. Since the `columns` are only relevant to the
// current level, ensure those are omitted from the options.
.tap(function (response) {
if (options.withRelated) {
return this._handleEager(response, _lodash2.default.omit(options, 'columns'));
}
}).tap(function (response) {
/**
* Fired after a `fetch` operation. A promise may be returned from the
* event handler for async behaviour.
*
* @event Model#fetched
* @param {Model} model
* The model firing the event.
* @param {Object} response
* Knex query response.
* @param {Object} options
* Options object passed to {@link Model#fetch fetch}.
* @returns {Promise}
* If the handler returns a promise, `fetch` will wait for it to
* be resolved.
*/
return this.triggerThen('fetched', this, response, options);
}).return(this).catch(this.constructor.NotFoundError, function (err) {
if (options.require) {
throw err;
}
return null;
});
}),
// Private for now.
all: function all() {
var collection = this.constructor.collection();
collection._knex = this.query().clone();
this.resetQuery();
if (this.relatedData) collection.relatedData = this.relatedData;
return collection;
},
/**
* @method Model#count
* @since 0.8.2
* @description
*
* Gets the number of matching records in the database, respecting any
* previous calls to {@link Model#query}.
*
* @example
*
* Duck.where('color', 'blue').count('name')
* .then(function(count) { //...
*
* @param {string} [column='*']
* Specify a column to count - rows with null values in this column will be excluded.
* @param {Object=} options
* Hash of options.
* @returns {Promise<Number>}
* A promise resolving to the number of matching rows.
*/
count: function count(column, options) {
return this.all().count(column, options);
},
/**
* Fetches a collection of {@link Model models} from the database, using any
* query parameters currently set on the model to form a select query. Returns
* a promise, which will resolve with the fetched collection. If you wish to
* trigger an error if no models are found, pass {require: true} as one of
* the options to the `fetchAll` call.
*
* If you need to constrain the query performed by fetch, you can call the
* {@link Model#query query} method before calling fetch.
*
* @method Model#fetchAll
*
* @param {Object=} options - Hash of options.
* @param {boolean=} [options.require=false]
*
* Rejects the returned promise with an `Collection.EmptyError` if no records are returned.
*
* @param {Transaction=} options.transacting
*
* Optionally run the query in a transaction.
*
* @fires Model#"fetching:collection"
* @fires Model#"fetched:collection"
*
* @throws {Collection.EmptyError}
*
* Rejects the promise in the event of an empty response if the `require: true` option.
*
* @returns {Promise<Collection>} A promise resolving to the fetched {@link Collection collection}.
*
*/
fetchAll: function fetchAll(options) {
var _this = this;
var collection = this.all();
return collection.once('fetching', function (__, columns, opts) {
/**
* Fired before a {@link Model#fetchAll fetchAll} operation. A promise
* may be returned from the event handler for async behaviour.
*
* @event Model#"fetching:collection"
* @param {Model} collection The collection that has been fetched.
* @param {string[]} columns The columns being retrieved by the query.
* @param {Object} options Options object passed to {@link Model#fetchAll fetchAll}.
* @returns {Promise}
*/
return _this.triggerThen('fetching:collection', collection, columns, opts);
}).once('fetched', function (__, resp, opts) {
/**
* Fired after a {@link Model#fetchAll fetchAll} operation. A promise
* may be returned from the event handler for async behaviour.
*
* @event Model#"fetched:collection"
* @param {Model} collection The collection that has been fetched.
* @param {Object} resp The Knex query response.
* @param {Object} options Options object passed to {@link Model#fetchAll fetchAll}.
* @returns {Promise}
*/
return _this.triggerThen('fetched:collection', collection, resp, opts);
}).fetch(options);
},
/**
* @method Model#load
* @description
* The load method takes an array of relations to eager load attributes onto a
* {@link Model}, in a similar way that the `withRelated` property works on
* {@link Model#fetch fetch}. Dot separated attributes may be used to specify deep
* eager loading.
*
* @example
* new Posts().fetch().then(function(collection) {
* collection.at(0)
* .load(['author', 'content', 'comments.tags'])
* .then(function(model) {
* JSON.stringify(model);
* });
* });
*
* {
* title: 'post title',
* author: {...},
* content: {...},
* comments: [
* {tags: [...]}, {tags: [...]}
* ]
* }
*
* @param {string|string[]} relations The relation, or relations, to be loaded.
* @param {Object=} options Hash of options.
* @param {Transaction=} options.transacting
* Optionally run the query in a transaction.
* @returns {Promise<Model>} A promise resolving to this {@link Model model}
*/
load: _promise2.default.method(function (relations, options) {
var columns = this.format((0, _extends3.default)({}, this.attributes));
var withRelated = _lodash2.default.isArray(relations) ? relations : [relations];
return this._handleEager([columns], (0, _extends3.default)({}, options, { shallow: true, withRelated: withRelated })).return(this);
}),
/**
* @method Model#save
* @description
*
* `save` is used to perform either an insert or update query using the
* model's set {@link Model#attributes attributes}.
*
* If the model {@link Model#isNew isNew}, any {@link Model#defaults defaults}
* will be set and an `insert` query will be performed. Otherwise it will
* `update` the record with a corresponding ID. This behaviour can be overriden
* with the `method` option.
*
* new Post({name: 'New Article'}).save().then(function(model) {
* // ...
* });
*
* If you only wish to update with the params passed to the save, you may pass
* a {patch: true} flag to the database:
*
* // update authors set "bio" = 'Short user bio' where "id" = 1
* new Author({id: 1, first_name: 'User'})
* .save({bio: 'Short user bio'}, {patch: true})
* .then(function(model) {
* // ...
* });
*
* Several events fired on the model when saving: a {@link Model#creating
* "creating"}, or {@link Model#updating "updating"} event if the model is
* being inserted or updated, and a "saving" event in either case. To
* prevent saving the model (with validation, etc.), throwing an error inside
* one of these event listeners will stop saving the model and reject the
* promise. A {@link Model#created "created"}, or {@link Model#"updated"}
* event is fired after the model is saved, as well as a {@link Model#saved
* "saved"} event either way. If you wish to modify the query when the {@link
* Model#saving "saving"} event is fired, the knex query object should is
* available in `options.query`.
*
* // Save with no arguments
* Model.forge({id: 5, firstName: "John", lastName: "Smith"}).save().then(function() { //...
*
* // Or add attributes during save
* Model.forge({id: 5}).save({firstName: "John", lastName: "Smith"}).then(function() { //...
*
* // Or, if you prefer, for a single attribute
* Model.forge({id: 5}).save('name', 'John Smith').then(function() { //...
*
* @param {string=} key Attribute name.
* @param {string=} val Attribute value.
* @param {Object=} attrs A hash of attributes.
* @param {Object=} options
* @param {Transaction=} options.transacting
* Optionally run the query in a transaction.
* @param {string=} options.method
* Explicitly select a save method, either `"update"` or `"insert"`.
* @param {string} [options.defaults=false]
* Assign {@link Model#defaults defaults} in an `update` operation.
* @param {bool} [options.patch=false]
* Only save attributes supplied in arguments to `save`.
* @param {bool} [options.require=true]
* Throw a {@link Model.NoRowsUpdatedError} if no records are affected by save.
*
* @fires Model#saving
* @fires Model#creating
* @fires Model#updating
* @fires Model#created
* @fires Model#updated
* @fires Model#saved
*
* @throws {Model.NoRowsUpdatedError}
*
* @returns {Promise<Model>} A promise resolving to the saved and updated model.
*/
save: _promise2.default.method(function (key, val, options) {
var attrs = void 0;
// Handle both `"key", value` and `{key: value}` -style arguments.
if (key == null || (typeof key === 'undefined' ? 'undefined' : (0, _typeof3.default)(key)) === "object") {
attrs = key || {};
options = _lodash2.default.clone(val) || {};
} else {
(attrs = {})[key] = val;
options = options ? _lodash2.default.clone(options) : {};
}
return _promise2.default.bind(this).then(function () {
return this.saveMethod(options);
}).then(function (method) {
// Determine whether which kind of save we will do, update or insert.
options.method = method;
// If the object is being created, we merge any defaults here rather than
// during object creation.
if (method === 'insert' || options.defaults) {
var defaults = _lodash2.default.result(this, 'defaults');
if (defaults) {
attrs = _lodash2.default.defaultsDeep({}, attrs, this.attributes, defaults);
}
}
// Set the attributes on the model. Note that we do this before adding
// timestamps, as `timestamp` calls `set` internally.
this.set(attrs, { silent: true });
// Now set timestamps if appropriate. Extend `attrs` so that the
// timestamps will be provided for a patch operation.
if (this.hasTimestamps) {
_lodash2.default.extend(attrs, this.timestamp(_lodash2.default.extend(options, { silent: true })));
}
// If there are any save constraints, set them on the model.
if (this.relatedData && this.relatedData.type !== 'morphTo') {
_helpers2.default.saveConstraints(this, this.relatedData);
}
// Gives access to the `query` object in the `options`, in case we need it
// in any event handlers.
var sync = this.sync(options);
options.query = sync.query;
/**
* Saving event.
*
* Fired before an `insert` or `update` query. A promise may be
* returned from the event handler for async behaviour. Throwing an
* exception from the handler will cancel the save.
*
* @event Model#saving
* @param {Model} model The model firing the event.
* @param {Object} attrs Attributes that will be inserted or updated.
* @param {Object} options Options object passed to {@link Model#save save}.
* @returns {Promise}
*/
/**
* Creating event.
*
* Fired before `insert` query. A promise may be
* returned from the event handler for async behaviour. Throwing an
* exception from the handler will cancel the save operation.
*
* @event Model#creating
* @param {Model} model The model firing the event.
* @param {Object} attrs Attributes that will be inserted.
* @param {Object} options Options object passed to {@link Model#save save}.
* @returns {Promise}
*/
/**
* Updating event.
*
* Fired before `update` query. A promise may be
* returned from the event handler for async behaviour. Throwing an
* exception from the handler will cancel the save operation.
*
* @event Model#updating
* @param {Model} model The model firing the event.
* @param {Object} attrs Attributes that will be updated.
* @param {Object} options Options object passed to {@link Model#save save}.
* @returns {Promise}
*/
return this.triggerThen(method === 'insert' ? 'creating saving' : 'updating saving', this, attrs, options).bind(this).then(function () {
return sync[options.method](method === 'update' && options.patch ? attrs : this.attributes);
}).then(function (resp) {
// After a successful database save, the id is updated if the model was created
if (method === 'insert' && this.id == null) {
var updatedCols = {};
updatedCols[this.idAttribute] = this.id = resp[0];
var updatedAttrs = this.parse(updatedCols);
_lodash2.default.assign(this.attributes, updatedAttrs);
} else if (method === 'update' && resp === 0) {
if (options.require !== false) {
throw new this.constructor.NoRowsUpdatedError('No Rows Updated');
}
}
// In case we need to reference the `previousAttributes` for the this
// in the following event handlers.
options.previousAttributes = this._previousAttributes;
this._reset();
/**
* Saved event.
*
* Fired after an `insert` or `update` query.
*
* @event Model#saved
* @param {Model} model The model firing the event.
* @param {Object} resp The database response.
* @param {Object} options Options object passed to {@link Model#save save}.
* @returns {Promise}
*/
/**
* Created event.
*
* Fired after an `insert` query.
*
* @event Model#created
* @param {Model} model The model firing the event.
* @param {Object} attrs Model firing the event.
* @param {Object} options Options object passed to {@link Model#save save}.
* @returns {Promise}
*/
/**
* Updated event.
*
* Fired after an `update` query.
*
* @event Model#updated
* @param {Model} model The model firing the event.
* @param {Object} attrs Model firing the event.
* @param {Object} options Options object passed to {@link Model#save save}.
* @returns {Promise}
*/
return this.triggerThen(method === 'insert' ? 'created saved' : 'updated saved', this, resp, options);
});
}).return(this);
}),
/**
* `destroy` performs a `delete` on the model, using the model's {@link
* Model#idAttribute idAttribute} to constrain the query.
*
* A {@link Model#destroying "destroying"} event is triggered on the model before being
* destroyed. To prevent destroying the model (with validation, etc.), throwing an error
* inside one of these event listeners will stop destroying the model and
* reject the promise.
*
* A {@link Model#destroyed "destroyed"} event is fired after the model's
* removal is completed.
*
* @method Model#destroy
*
* @param {Object=} options Hash of options.
* @param {Transaction=} options.transacting Optionally run the query in a transaction.
* @param {bool} [options.require=true]
* Throw a {@link Model.NoRowsDeletedError} if no records are affected by destroy.
*
* @example
*
* new User({id: 1})
* .destroy()
* .then(function(model) {
* // ...
* });
*
* @fires Model#destroying
* @fires Model#destroyed
*
* @throws {Model.NoRowsDeletedError}
*
* @returns {Promise<Model>} A promise resolving to the destroyed and thus "empty" model.
*/
destroy: _promise2.default.method(function (options) {
options = options ? _lodash2.default.clone(options) : {};
var sync = this.sync(options);
options.query = sync.query;
return _promise2.default.bind(this).then(function () {
/**
* Destroying event.
*
* Fired before a `delete` query. A promise may be returned from the event
* handler for async behaviour. Throwing an exception from the handler
* will reject the promise and cancel the deletion.
*
* @event Model#destroying
* @param {Model} model The model firing the event.
* @param {Object} options Options object passed to {@link Model#save save}.
* @returns {Promise}
*/
return this.triggerThen('destroying', this, options);
}).then(function () {
return sync.del();
}).then(function (resp) {
if (options.require && resp === 0) {
throw new this.constructor.NoRowsDeletedError('No Rows Deleted');
}
this.clear();
/**
* Destroyed event.
*
* Fired after a `delete` query. A promise may be returned from the event
* handler for async behaviour.
*
* @event Model#destroyed
* @param {Model} model The model firing the event.
* @param {Object} attrs Model firing the event.
* @param {Object} options Options object passed to {@link Model#destroy destroy}.
* @returns {Promise}
*/
return this.triggerThen('destroyed', this, resp, options);
}).then(this._reset);
}),
/**
* Used to reset the internal state of the current query builder instance.
* This method is called internally each time a database action is completed
* by {@link Sync}
*
* @method Model#resetQuery
* @returns {Model} Self, this method is chainable.
*/
resetQuery: function resetQuery() {
this._knex = null;
return this;
},
/**
* The `query` method is used to tap into the underlying Knex query builder
* instance for the current model. If called with no arguments, it will
* return the query builder directly. Otherwise, it will call the specified
* method on the query builder, applying any additional arguments from the
* `model.query` call. If the method argument is a function, it will be
* called with the Knex query builder as the context and the first argument,
* returning the current model.
*
* @example
*
* model
* .query('where', 'other_id', '=', '5')
* .fetch()
* .then(function(model) {
* // ...
* });
*
* model
* .query({where: {other_id: '5'}, orWhere: {key: 'value'}})
* .fetch()
* .then(function(model) {
* // ...
* });
*
* model.query(function(qb) {
* qb.where('other_person', 'LIKE', '%Demo').orWhere('other_id', '>', 10);
* }).fetch()
* .then(function(model) {
* // ...
* });
*
* let qb = model.query();
* qb.where({id: 1}).select().then(function(resp) {
* // ...
* });
*
* @method Model#query
* @param {function|Object|...string=} arguments The query method.
* @returns {Model|QueryBuilder}
* Will return this model or, if called with no arguments, the underlying query builder.
*
* @see {@link http://knexjs.org/#Builder Knex `QueryBuilder`}
*/
query: function query() {
return _helpers2.default.query(this, _lodash2.default.toArray(arguments));
},
/**
* The where method is used as convenience for the most common {@link
* Model#query query} method, adding a where clause to the builder. Any
* additional knex methods may be accessed using {@link Model#query query}.
*
* Accepts either key, value syntax, or a hash of attributes.
*
* @example
*
* model.where('favorite_color', '<>', 'green').fetch().then(function() { //...
* // or
* model.where('favorite_color', 'red').fetch().then(function() { //...
* // or
* model.where({favorite_color: 'red', shoe_size: 12}).fetch().then(function() { //...
*
* @method Model#where
* @param {Object|...string} method
*
* Either `key, [operator], value` syntax, or a hash of attributes to
* match. Note that these must be formatted as they are in the database,
* not how they are stored after {@link Model#parse}.
*
* @returns {Model} Self, this method is chainable.
*
* @see Model#query
*/
where: function where() {
for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {
args[_key] = arguments[_key];
}
return this.query.apply(this, ['where'].concat(args));
},
/**
* @method Model#orderBy
* @since 0.9.3
* @description
*
* Specifies the column to sort on and sort order.
*
* The order parameter is optional, and defaults to 'ASC'. You may
* also specify 'DESC' order by prepending a hyphen to the sort column
* name. `orderBy("date", 'DESC')` is the same as `orderBy("-date")`.
*
* Unless specified using dot notation (i.e., "table.column"), the default
* table will be the table name of the model `orderBy` was called on.
*
* @example
*
* Car.forge().orderBy('color', 'ASC').fetchAll()
* .then(function (rows) { // ...
*
* @param sort {string}
* Column to sort on
* @param order {string}
* Ascending ('ASC') or descending ('DESC') order
*/
orderBy: function orderBy() {
for (var _len2 = arguments.length, args = Array(_len2), _key2 = 0; _key2 < _len2; _key2++) {
args[_key2] = arguments[_key2];
}
return _helpers2.default.orderBy.apply(_helpers2.default, [this].concat(args));
},
/* Ensure that QueryBuilder is copied on clone. */
clone: function clone() {
// This needs to use the direct apply method because the spread operator
// incorrectly converts to `clone.apply(ModelBase.prototype, arguments)`
// instead of `apply(this, arguments)`
var cloned = BookshelfModel.__super__.clone.apply(this, arguments);
if (this._knex != null) {
cloned._knex = cloned._builder(this._knex.clone());
}
return cloned;
},
/**
* Creates and returns a new Bookshelf.Sync instance.
*
* @method Model#sync
* @private
* @returns Sync
*/
sync: function sync(options) {
return new _sync2.default(this, options);
},
/**
* Helper for setting up the `morphOne` or `morphMany` relations.
*
* @method Model#_morphOneOrMany
* @private
*/
_morphOneOrMany: function _morphOneOrMany(Target, morphName, columnNames, morphValue, type) {
if (!_lodash2.default.isArray(columnNames)) {
// Shift by one place
morphValue = columnNames;
columnNames = null;
}
if (!morphName || !Target) throw new Error('The polymorphic `name` and `Target` are required.');
return this._relation(type, Target, { morphName: morphName, morphValue: morphValue, columnNames: columnNames }).init(this);
},
/**
* @name Model#_handleResponse
* @private
* @description
*
* Handles the response data for the model, returning from the model's fetch call.
*
* @param {Object} Response from Knex query.
*
* @todo: need to check on Backbone's status there, ticket #2636
* @todo: {silent: true, parse: true}, for parity with collection#set
*/
_handleResponse: function _handleResponse(response) {
var relatedData = this.relatedData;
this.set(this.parse(response[0]), { silent: true })._reset();
if (relatedData && relatedData.isJoined()) {
relatedData.parsePivot([this]);
}
},
/**
* @name Model#_handleEager
* @private
* @description
*
* Handles the related data loading on the model.
*
* @param {Object} Response from Knex query.
*/
_handleEager: function _handleEager(response, options) {
return new _eager2.default([this], response, this).fetch(options);
}
}, {
extended: function extended(child) {
/**
* @class Model.NotFoundError
* @description
*
* Thrown when no records are found by {@link Model#fetch fetch} or
* {@link Model#refresh} when called with the
* `{require: true}` option.
*/
child.NotFoundError = (0, _createError2.default)(this.NotFoundError);
/**
* @class Model.NoRowsUpdatedError
* @description
*
* Thrown when no records are saved by {@link Model#save save}
* unless called with the `{require: false}` option.
*/
child.NoRowsUpdatedError = (0, _createError2.default)(this.NoRowsUpdatedError);
/**
* @class Model.NoRowsDeletedError
* @description
*
* Thrown when no record is deleted by {@link Model#destroy destroy}
* if called with the `{require: true}` option.
*/
child.NoRowsDeletedError = (0, _createError2.default)(this.NoRowsDeletedError);
}
});
BookshelfModel.NotFoundError = _errors2.default.NotFoundError;
BookshelfModel.NoRowsUpdatedError = _errors2.default.NoRowsUpdatedError;
BookshelfModel.NoRowsDeletedError = _errors2.default.NoRowsDeletedError;
module.exports = BookshelfModel;