-
Notifications
You must be signed in to change notification settings - Fork 15
/
Copy pathindex.js
1201 lines (1131 loc) · 52.6 KB
/
index.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
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
'use strict'
const cds = require('@sap/cds')
const JoinTree = require('./join-tree')
const { pseudos } = require('./pseudos')
const { isCalculatedOnRead } = require('../utils')
const cdsTypes = cds.linked({
definitions: {
Timestamp: { type: 'cds.Timestamp' },
DateTime: { type: 'cds.DateTime' },
Date: { type: 'cds.Date' },
Time: { type: 'cds.Time' },
String: { type: 'cds.String' },
Decimal: { type: 'cds.Decimal' },
Integer: { type: 'cds.Integer' },
Boolean: { type: 'cds.Boolean' },
},
}).definitions
for (const each in cdsTypes) cdsTypes[`cds.${each}`] = cdsTypes[each]
/**
* @param {import('@sap/cds/apis/cqn').Query|string} originalQuery
* @param {import('@sap/cds/apis/csn').CSN} [model]
* @returns {import('./cqn').Query} = q with .target and .elements
*/
function infer(originalQuery, model) {
if (!model) throw new Error('Please specify a model')
const inferred = originalQuery
// REVISIT: The more edge use cases we support, thes less optimized are we for the 90+% use cases
// e.g. there's a lot of overhead for infer( SELECT.from(Books) )
if (originalQuery.SET) throw new Error('”UNION” based queries are not supported')
const _ =
inferred.SELECT ||
inferred.INSERT ||
inferred.UPSERT ||
inferred.UPDATE ||
inferred.DELETE ||
inferred.CREATE ||
inferred.DROP
// cache for already processed calculated elements
const alreadySeenCalcElements = new Set()
let $combinedElements
// path expressions in from.ref.at(-1).where
// are collected here and merged once the joinTree is initialized
const mergeOnceJoinTreeIsInitialized = []
let sources = inferTarget(_.from || _.into || _.entity, {})
let joinTree = new JoinTree(sources)
const aliases = Object.keys(sources)
if (mergeOnceJoinTreeIsInitialized.length) {
mergeOnceJoinTreeIsInitialized.forEach(arg => joinTree.mergeColumn(arg, originalQuery.outerQueries))
}
initializeQueryTargets(inferred, originalQuery, sources)
if (originalQuery.SELECT || originalQuery.DELETE || originalQuery.UPDATE) {
$combinedElements = inferCombinedElements()
/**
* TODO: this function is currently only called on DELETE's
* because it correctly set's up the $refLink's in the
* where clause: This functionality should be pulled out
* of ´inferQueryElement()` as this is a subtle side effect
*/
const elements = inferQueryElements()
Object.defineProperties(inferred, {
$combinedElements: { value: $combinedElements, writable: true, configurable: true },
elements: { value: elements, writable: true, configurable: true },
joinTree: { value: joinTree, writable: true, configurable: true }, // REVISIT: eliminate
})
// also enrich original query -> writable because it may be inferred again
Object.defineProperty(originalQuery, 'elements', { value: elements, writable: true, configurable: true })
}
return inferred
/**
* Infers all query sources from a given SQL-like query's `from` clause.
* It drills down into join arguments of the `from` clause.
*
* This function helps identify each source, target, and association within the `from` clause.
* It processes the `from` clause in the query and maps each source to a respective target and alias.
* In case of any errors like missing definitions or associations, this function will throw an error.
*
* @function inferTarget
* @param {object|string} from - The `from` clause of the query to infer the target from.
* It could be an object or a string.
* @param {object} querySources - An object to map the query sources.
* Each key is a query source alias, and its value is the corresponding CSN Definition.
* @returns {object} The updated `querySources` object with inferred sources from the `from` clause.
*/
function inferTarget(from, querySources) {
const { ref } = from
if (ref) {
const { id, args } = ref[0]
const first = id || ref[0]
let target = getDefinition(first) || cds.error`"${first}" not found in the definitions of your model`
if (!target) throw new Error(`"${first}" not found in the definitions of your model`)
if (ref.length > 1) {
target = from.ref.slice(1).reduce((d, r) => {
const next = getDefinition(d.elements[r.id || r]?.target) || d.elements[r.id || r]
if (!next) throw new Error(`No association “${r.id || r}” in ${d.kind} “${d.name}”`)
return next
}, target)
}
if (target.kind !== 'entity' && !target.isAssociation)
throw new Error('Query source must be a an entity or an association')
inferArg(from, null, null, { inFrom: true })
const alias =
from.uniqueSubqueryAlias ||
from.as ||
(ref.length === 1
? first.substring(first.lastIndexOf('.') + 1)
: (ref.at(-1).id || ref.at(-1)));
if (alias in querySources) throw new Error(`Duplicate alias "${alias}"`)
querySources[alias] = { definition: target, args }
const last = from.$refLinks.at(-1)
last.alias = alias
} else if (from.args) {
from.args.forEach(a => inferTarget(a, querySources))
} else if (from.SELECT) {
const subqueryInFrom = infer(from, model) // we need the .elements in the sources
// if no explicit alias is provided, we make up one
const subqueryAlias =
from.as || subqueryInFrom.joinTree.addNextAvailableTableAlias('__select__', subqueryInFrom.outerQueries)
querySources[subqueryAlias] = { definition: from }
} else if (typeof from === 'string') {
// TODO: Create unique alias, what about duplicates?
const definition = getDefinition(from) || cds.error`"${from}" not found in the definitions of your model`
querySources[from.substring(from.lastIndexOf('.') + 1)] = { definition }
} else if (from.SET) {
infer(from, model)
}
return querySources
}
/**
* Calculates the `$combinedElements` based on the provided queries `sources`.
* The `$combinedElements` of a query consist of all accessible elements across all
* the table aliases found in the from clause.
*
* The `$combinedElements` are attached to the query as a non-enumerable property.
* Each entry in the `$combinedElements` dictionary maps from the element name
* to an array of objects containing the index and table alias where the element can be found.
*
* @returns {object} The `$combinedElements` dictionary, which maps element names to an array of objects
* containing the index and table alias where the element can be found.
*/
function inferCombinedElements() {
const combinedElements = {}
for (const index in sources) {
const tableAlias = getDefinitionFromSources(sources, index)
for (const key in tableAlias.elements) {
if (key in combinedElements) combinedElements[key].push({ index, tableAlias })
else combinedElements[key] = [{ index, tableAlias }]
}
}
return combinedElements
}
/**
* Assigns the given `element` as non-enumerable property 'element' onto `col`.
*
* @param {object} col
* @param {csn.Element} element
*/
function setElementOnColumns(col, element) {
Object.defineProperty(col, 'element', {
value: element,
writable: true,
})
}
/**
* Walks over all columns of a query's `SELECT` and infers each `ref`, `xpr`, or `val` as a query element
* based on the query's `$combinedElements` and `sources`.
*
* The inferred `elements` are attached to the query as a non-enumerable property.
*
* Also walks over other `ref`s in the query, validates them, and attaches `$refLinks`.
* This includes handling `where`, infix filters within column `refs`, or other `csn` paths.
*
* @param {object} $combinedElements The `$combinedElements` dictionary of the query, which maps element names
* to an array of objects containing the index and table alias where the element can be found.
* @returns {object} The inferred `elements` dictionary of the query, which maps element names to their corresponding definitions.
*/
function inferQueryElements() {
let queryElements = {}
const { columns, where, groupBy, having, orderBy } = _
if (!columns) {
inferElementsFromWildCard(queryElements)
} else {
let wildcardSelect = false
const dollarSelfRefs = []
columns.forEach(col => {
if (col === '*') {
wildcardSelect = true
} else if (col.val !== undefined || col.xpr || col.SELECT || col.func || col.param) {
const as = col.as || col.func || col.val
if (as === undefined) cds.error`Expecting expression to have an alias name`
if (queryElements[as]) cds.error`Duplicate definition of element “${as}”`
if (col.xpr || col.SELECT) {
queryElements[as] = getElementForXprOrSubquery(col, queryElements, dollarSelfRefs)
}
if (col.func) {
if (col.args) {
// {func}.args are optional
applyToFunctionArgs(col.args, inferArg, [false, null, {dollarSelfRefs}])
}
queryElements[as] = getElementForCast(col)
}
if (!queryElements[as]) {
// either binding parameter (col.param) or value
queryElements[as] = col.cast ? getElementForCast(col) : getCdsTypeForVal(col.val)
}
setElementOnColumns(col, queryElements[as])
} else if (col.ref) {
const firstStepIsTableAlias =
(col.ref.length > 1 && col.ref[0] in sources) ||
// nested projection on table alias
(col.ref.length === 1 && col.ref[0] in sources && col.inline)
const firstStepIsSelf =
!firstStepIsTableAlias && col.ref.length > 1 && ['$self', '$projection'].includes(col.ref[0])
// we must handle $self references after the query elements have been calculated
if (firstStepIsSelf) dollarSelfRefs.push(col)
else handleRef(col)
} else if (col.expand) {
inferArg(col, queryElements, null)
} else {
cds.error`Not supported: ${JSON.stringify(col)}`
}
})
if (dollarSelfRefs.length) inferDollarSelfRefs(dollarSelfRefs)
if (wildcardSelect) inferElementsFromWildCard(queryElements)
}
if (orderBy) {
// link $refLinks -> special name resolution rules for orderBy
orderBy.forEach(token => {
let $baseLink
let rejectJoinRelevantPath
// first check if token ref is resolvable in query elements
if (columns) {
const firstStep = token.ref?.[0].id || token.ref?.[0]
const tokenPointsToQueryElements = columns.some(c => {
const columnName = c.as || c.flatName || c.ref?.at(-1).id || c.ref?.at(-1) || c.func
return columnName === firstStep
})
const needsElementsOfQueryAsBase =
tokenPointsToQueryElements &&
queryElements[token.ref?.[0]] &&
/* expand on structure can be addressed */ !queryElements[token.ref?.[0]].$assocExpand
// if the ref points into the query itself and follows an exposed association
// to a non-fk column, we must reject the ref, as we can't join with the queries own results
rejectJoinRelevantPath = needsElementsOfQueryAsBase
if (needsElementsOfQueryAsBase) $baseLink = { definition: { elements: queryElements }, target: inferred }
} else {
// fallback to elements of query source
$baseLink = null
}
inferArg(token, queryElements, $baseLink, { inQueryModifier: true })
if (token.isJoinRelevant && rejectJoinRelevantPath) {
// reverse the array, find the last association and calculate the index of the association in non-reversed order
const assocIndex =
token.$refLinks.length - 1 - token.$refLinks.reverse().findIndex(link => link.definition.isAssociation)
throw new Error(
`Can follow managed association “${token.ref[assocIndex].id || token.ref[assocIndex]}” only to the keys of its target, not to “${token.ref[assocIndex + 1].id || token.ref[assocIndex + 1]}”`,
)
}
})
}
// walk over all paths in other query properties
if (where) walkTokenStream(where, true)
if (groupBy) walkTokenStream(groupBy)
if (having) walkTokenStream(having)
if (_.with)
// consider UPDATE.with
Object.values(_.with).forEach(val => inferArg(val, queryElements, null, { inXpr: true }))
return queryElements
/**
* Recursively drill down into a tokenStream (`where` or `having`) and pass
* on the information whether the next token is resolved within an `exists` predicates.
* If such a token has an infix filter, it is not join relevant, because the filter
* condition is applied to the generated `exists <subquery>` condition.
*
* @param {array} tokenStream
*/
function walkTokenStream(tokenStream, inXpr = false) {
let skipJoins
const processToken = t => {
if (t === 'exists') {
// no joins for infix filters along `exists <path>`
skipJoins = true
} else if (t.xpr) {
// don't miss an exists within an expression
t.xpr.forEach(processToken)
} else {
inferArg(t, queryElements, null, { inExists: skipJoins, inXpr, inQueryModifier: true })
skipJoins = false
}
}
tokenStream.forEach(processToken)
}
/**
* Processes references starting with `$self`, which are intended to target other query elements.
* These `$self` paths must be handled after processing the "regular" columns since they are dependent on other query elements.
*
* This function checks for `$self` references that may target other `$self` columns, and delays their processing.
* `$self` references not targeting other `$self` references are handled by the generic `handleRef` function immediately.
*
* @param {array} dollarSelfColumns - An array of column objects containing `$self` references.
*/
function inferDollarSelfRefs(dollarSelfColumns) {
do {
const unprocessedColumns = []
for (const currentDollarSelfColumn of dollarSelfColumns) {
const { ref, inXpr } = currentDollarSelfColumn
const stepToFind = ref[1]
const referencesOtherDollarSelfColumn = dollarSelfColumns.find(
otherDollarSelfCol =>
!(stepToFind in queryElements) &&
otherDollarSelfCol !== currentDollarSelfColumn &&
(otherDollarSelfCol.as
? stepToFind === otherDollarSelfCol.as
: stepToFind === otherDollarSelfCol.ref?.[otherDollarSelfCol.ref.length - 1]),
)
if (referencesOtherDollarSelfColumn) {
unprocessedColumns.push(currentDollarSelfColumn)
} else {
handleRef(currentDollarSelfColumn, inXpr)
}
}
dollarSelfColumns = unprocessedColumns
} while (dollarSelfColumns.length > 0)
}
function handleRef(col, inXpr) {
inferArg(col, queryElements, null, { inXpr })
const { definition } = col.$refLinks[col.$refLinks.length - 1]
if (col.cast)
// final type overwritten -> element not visible anymore
setElementOnColumns(col, getElementForCast(col))
else if ((col.ref.length === 1) & (col.ref[0] === '$user'))
// shortcut to $user.id
setElementOnColumns(col, queryElements[col.as || '$user'])
else setElementOnColumns(col, definition)
}
}
/**
* This function is responsible for inferring a query element based on a provided column.
* It initializes and attaches a non-enumerable `$refLinks` property to the column,
* which stores an array of objects that represent the corresponding artifact of the ref step.
* Each object in the `$refLinks` array corresponds to the same index position in the `column.ref` array.
* Based on the leaf artifact (last object in the `$refLinks` array), the query element is inferred.
*
* @param {object} arg - The column object that contains the properties to infer a query element.
* @param {boolean} [queryElements=true] - Determines whether the inferred element should be inserted into the queries elements.
* For instance, it's set to false when walking over the where clause.
* @param {object} [$baseLink=null] - A base reference link, usually it's an object with a definition and a target.
* Used for infix filters, exists <assoc> and nested projections.
* @param {object} [context={}] - Contextual information for element inference.
* @param {boolean} [context.inExists=false] - Flag to control the creation of joins for non-association path traversals.
* for `exists <assoc>` paths we do not need to create joins for path expressions as they are part of the semi-joined subquery.
* @param {boolean} [context.inXpr=false] - Flag to signal whether the element is part of an expression.
* Used to ignore non-persisted elements.
* @param {boolean} [context.inNestedProjection=false] - Flag to signal whether the element is part of a nested projection.
*
* Note:
* - `inExists` is used to specify cases where no joins should be created for non-association path traversals.
* It is primarily used for infix filters in `exists assoc[parent.foo='bar']`, where it becomes part of a semi-join.
* - Columns with a `param` property are parameter references resolved into values only at execution time.
* - Columns with an `args` property are function calls in expressions.
* - Columns with a `list` property represent a list of values (e.g., for the IN operator).
* - Columns with a `SELECT` property represent subqueries.
*
* @throws {Error} If an unmanaged association is found in an infix filter path, an error is thrown.
* @throws {Error} If a non-foreign key traversal is found in an infix filter, an error is thrown.
* @throws {Error} If a first step is not found in the combined elements, an error is thrown.
* @throws {Error} If a filter is provided while navigating along non-associations, an error is thrown.
* @throws {Error} If the same element name is inferred more than once, an error is thrown.
*
* @returns {void}
*/
function inferArg(arg, queryElements = null, $baseLink = null, context = {}) {
const { inExists, inXpr, inCalcElement, baseColumn, inInfixFilter, inQueryModifier, inFrom, dollarSelfRefs, atFromLeaf } = context
if (arg.param || arg.SELECT) return // parameter references are only resolved into values on execution e.g. :val, :1 or ?
if (arg.args) applyToFunctionArgs(arg.args, inferArg, [null, $baseLink, context])
if (arg.list) arg.list.forEach(arg => inferArg(arg, null, $baseLink, context))
if (arg.xpr) arg.xpr.forEach(token => inferArg(token, queryElements, $baseLink, { ...context, inXpr: true })) // e.g. function in expression
if (!arg.ref) {
if (arg.expand && queryElements) queryElements[arg.as] = resolveExpand(arg)
return
}
// initialize $refLinks
Object.defineProperty(arg, '$refLinks', {
value: [],
writable: true,
})
// if any path step points to an artifact with `@cds.persistence.skip`
// we must ignore the element from the queries elements
let isPersisted = true
let firstStepIsTableAlias, firstStepIsSelf, expandOnTableAlias
if (!inFrom) {
firstStepIsTableAlias = arg.ref.length > 1 && arg.ref[0] in sources
firstStepIsSelf = !firstStepIsTableAlias && arg.ref.length > 1 && ['$self', '$projection'].includes(arg.ref[0])
expandOnTableAlias = arg.ref.length === 1 && arg.ref[0] in sources && (arg.expand || arg.inline)
}
if(dollarSelfRefs && firstStepIsSelf) {
Object.defineProperty(arg, 'inXpr', { value: true, writable: true })
dollarSelfRefs.push(arg)
return
}
const nameSegments = []
// if a (segment) of a (structured) foreign key is renamed, we must not include
// the aliased ref segments into the name of the final foreign key which is e.g. used in
// on conditions of joins
const skipAliasedFkSegmentsOfNameStack = []
let pseudoPath = false
arg.ref.forEach((step, i) => {
const id = step.id || step
if (i === 0) {
if (id in pseudos.elements) {
// pseudo path
arg.$refLinks.push({ definition: pseudos.elements[id], target: pseudos })
pseudoPath = true // only first path step must be well defined
nameSegments.push(id)
} else if ($baseLink) {
const { definition, target } = $baseLink
const elements = getDefinition(definition.target)?.elements || definition.elements
if (elements && id in elements) {
const element = elements[id]
if (inInfixFilter) {
const nextStep = arg.ref[1]?.id || arg.ref[1]
if (isNonForeignKeyNavigation(element, nextStep)) {
if (inExists || inFrom) {
Object.defineProperty($baseLink, 'pathExpressionInsideFilter', { value: true })
} else {
Object.defineProperty($baseLink, 'specialExistsSubquery', { value: true })
}
}
}
const resolvableIn = getDefinition(definition.target) || target
const $refLink = { definition: elements[id], target: resolvableIn }
arg.$refLinks.push($refLink)
} else {
stepNotFoundInPredecessor(id, definition.name)
}
nameSegments.push(id)
} else if (inFrom) {
const definition = getDefinition(id) || cds.error`"${id}" not found in the definitions of your model`
arg.$refLinks.push({ definition, target: definition })
} else if (firstStepIsTableAlias) {
arg.$refLinks.push({
definition: getDefinitionFromSources(sources, id),
target: getDefinitionFromSources(sources, id),
})
} else if (firstStepIsSelf) {
arg.$refLinks.push({ definition: { elements: queryElements }, target: { elements: queryElements } })
} else if (!inferred.noBreakout && arg.ref.length > 1 && inferred.outerQueries?.find(outer => id in outer.sources)) {
// outer query accessed via alias
const outerAlias = inferred.outerQueries.find(outer => id in outer.sources)
arg.$refLinks.push({
definition: getDefinitionFromSources(outerAlias.sources, id),
target: getDefinitionFromSources(outerAlias.sources, id),
})
} else if (id in $combinedElements) {
if ($combinedElements[id].length > 1) stepIsAmbiguous(id) // exit
const definition = $combinedElements[id][0].tableAlias.elements[id]
const $refLink = { definition, target: $combinedElements[id][0].tableAlias }
arg.$refLinks.push($refLink)
nameSegments.push(id)
} else if (expandOnTableAlias) {
// expand on table alias
arg.$refLinks.push({
definition: getDefinitionFromSources(sources, id),
target: getDefinitionFromSources(sources, id),
})
} else {
stepNotFoundInCombinedElements(id) // REVISIT: fails with {__proto__:elements)
}
} else {
const { definition } = arg.$refLinks[i - 1]
const elements = getDefinition(definition.target)?.elements || definition.elements //> go for assoc._target first, instead of assoc as struct
const element = elements?.[id]
if (firstStepIsSelf && element?.isAssociation) {
throw new Error(
`Paths starting with “$self” must not contain steps of type “cds.Association”: ref: [ ${arg.ref
.map(idOnly)
.join(', ')} ]`,
)
}
const target = getDefinition(definition.target) || arg.$refLinks[i - 1].target
if (element) {
if ($baseLink && inInfixFilter) {
const nextStep = arg.ref[i + 1]?.id || arg.ref[i + 1]
if (isNonForeignKeyNavigation(element, nextStep)) {
if (inExists || inFrom) {
Object.defineProperty($baseLink, 'pathExpressionInsideFilter', { value: true })
} else {
rejectNonFkNavigation(element, element.on ? $baseLink.definition.name : nextStep)
}
}
}
const $refLink = { definition: elements[id], target }
arg.$refLinks.push($refLink)
} else if (firstStepIsSelf) {
stepNotFoundInColumnList(id)
} else if (arg.ref[0] === '$user' && pseudoPath) {
// `$user.some.unknown.element` -> no error
arg.$refLinks.push({ definition: {}, target })
} else if (id === '$dummy') {
// `some.known.element.$dummy` -> no error; used by cds.ql to simulate joins
arg.$refLinks.push({ definition: { name: '$dummy', parent: arg.$refLinks[i - 1].target } })
Object.defineProperty(arg, 'isJoinRelevant', { value: true })
} else {
const notFoundIn = pseudoPath ? arg.ref[i - 1] : getFullPathForLinkedArg(arg)
stepNotFoundInPredecessor(id, notFoundIn)
}
const foreignKeyAlias = Array.isArray(definition.keys)
? definition.keys.find(k => {
if (k.ref.every((step, j) => arg.ref[i + j] === step)) {
skipAliasedFkSegmentsOfNameStack.push(...k.ref.slice(1))
return true
}
return false
})?.as
: null
if (foreignKeyAlias) nameSegments.push(foreignKeyAlias)
else if (skipAliasedFkSegmentsOfNameStack[0] === id) skipAliasedFkSegmentsOfNameStack.shift()
else {
nameSegments.push(firstStepIsSelf && i === 1 ? element.__proto__.name : id)
}
}
if (step.where) {
const danglingFilter = !(arg.ref[i + 1] || arg.expand || arg.inline || inExists)
const definition = arg.$refLinks[i].definition
if ((!definition.target && definition.kind !== 'entity') || (!inFrom && danglingFilter))
throw new Error('A filter can only be provided when navigating along associations')
if (!inFrom && !arg.expand) Object.defineProperty(arg, 'isJoinRelevant', { value: true })
let skipJoinsForFilter = false
step.where.forEach(token => {
if (token === 'exists') {
// books[exists genre[code='A']].title --> column is join relevant but inner exists filter is not
skipJoinsForFilter = true
} else if (token.ref || token.xpr || token.list) {
inferArg(token, false, arg.$refLinks[i], {
inExists: skipJoinsForFilter || inExists,
inXpr: !!token.xpr,
inInfixFilter: true,
inFrom,
atFromLeaf: inFrom && !arg.ref[i + 1],
})
} else if (token.func) {
if (token.args) {
applyToFunctionArgs(token.args, inferArg, [
false,
arg.$refLinks[i], {
inExists: skipJoinsForFilter || inExists,
inXpr: true,
inInfixFilter: true,
inFrom,
atFromLeaf: inFrom && !arg.ref[i + 1],
},
])
}
}
})
}
arg.$refLinks[i].alias = !arg.ref[i + 1] && arg.as ? arg.as : id.split('.').pop()
if (getDefinition(arg.$refLinks[i].definition.target)?.['@cds.persistence.skip'] === true) isPersisted = false
if (!arg.ref[i + 1]) {
const flatName = nameSegments.join('_')
Object.defineProperty(arg, 'flatName', { value: flatName, writable: true })
// if column is casted, we overwrite it's origin with the new type
if (arg.cast) {
const base = getElementForCast(arg)
if (insertIntoQueryElements()) queryElements[arg.as || flatName] = getCopyWithAnnos(arg, base)
} else if (arg.expand) {
const elements = resolveExpand(arg)
let elementName
// expand on table alias
if (arg.$refLinks.length === 1 && arg.$refLinks[0].definition.kind === 'entity')
elementName = arg.$refLinks[0].alias
else elementName = arg.as || flatName
if (queryElements) queryElements[elementName] = elements
} else if (arg.inline && queryElements) {
const elements = resolveInline(arg)
Object.assign(queryElements, elements)
} else {
// shortcut for `ref: ['$user']` -> `ref: ['$user', 'id']`
const leafArt =
i === 0 && id === '$user' ? arg.$refLinks[i].definition.elements.id : arg.$refLinks[i].definition
// infer element based on leaf artifact of path
if (insertIntoQueryElements()) {
let elementName
if (arg.as) {
elementName = arg.as
} else {
// if the navigation the user has written differs from the final flat ref - e.g. for renamed foreign keys -
// the inferred name of the element equals the flat version of the user-written ref.
const refNavigation = arg.ref
.slice(firstStepIsSelf || firstStepIsTableAlias ? 1 : 0)
.map(idOnly)
.join('_')
if (refNavigation !== flatName) elementName = refNavigation
else elementName = flatName
}
if (queryElements[elementName] !== undefined)
throw new Error(`Duplicate definition of element “${elementName}”`)
const element = getCopyWithAnnos(arg, leafArt)
queryElements[elementName] = element
}
}
}
})
// we need inner joins for the path expressions inside filter expressions after exists predicate
if ($baseLink?.pathExpressionInsideFilter) {
Object.defineProperty(arg, 'join', { value: 'inner' })
if (inFrom && atFromLeaf && !inExists) {
// REVISIT: would it be enough to check the last assocs cardinality?
if(arg.$refLinks.some(link => link.definition.isAssociation && link.definition.is2many)) {
throw cds.error`Filtering via path expressions on to-many associations is not allowed at the leaf of a FROM clause. Use EXISTS predicates instead.`
}
// join tree not yet initialized
Object.defineProperty(arg, 'isJoinRelevant', { value: true })
mergeOnceJoinTreeIsInitialized.push(arg)
}
}
// ignore whole expand if target of assoc along path has ”@cds.persistence.skip”
if (arg.expand) {
const { $refLinks } = arg
const skip = $refLinks.some(link => getDefinition(link.definition.target)?.['@cds.persistence.skip'] === true)
if (skip) {
$refLinks[$refLinks.length - 1].skipExpand = true
return
}
}
const leafArt = arg.$refLinks[arg.$refLinks.length - 1].definition
const virtual = (leafArt.virtual || !isPersisted) && !inXpr
// check if we need to merge the column `ref` into the join tree of the query
if (!inFrom && !inExists && !virtual && !inCalcElement) {
// for a ref inside an `inline` we need to consider the column `ref` which has the `inline` prop
const colWithBase = baseColumn
? { ref: [...baseColumn.ref, ...arg.ref], $refLinks: [...baseColumn.$refLinks, ...arg.$refLinks] }
: arg
if (isColumnJoinRelevant(colWithBase)) {
if(originalQuery.correlateWith && joinTree.isInitial) {
// the very first assoc sets the alias of the correlated query
const firstAssoc = arg.$refLinks.find(link => link.definition.isAssociation)
const key = Object.keys(originalQuery.sources)[0];
const adjustedSource = {
[firstAssoc.alias]: originalQuery.sources[key]
}
sources = adjustedSource
// initializeQueryTargets(inferred, originalQuery, adjustedSource)
joinTree = new JoinTree(adjustedSource, originalQuery)
inferred.SELECT.from.as = firstAssoc.alias
$combinedElements = inferCombinedElements()
}
Object.defineProperty(arg, 'isJoinRelevant', { value: true })
joinTree.mergeColumn(colWithBase, originalQuery.outerQueries)
}
}
if (isCalculatedOnRead(leafArt)) {
linkCalculatedElement(arg, $baseLink, baseColumn, context)
}
function insertIntoQueryElements() {
return queryElements && !inXpr && !inInfixFilter && !inQueryModifier
}
/**
* Resolves and processes the inline attribute of a column in a database query.
*
* @param {object} col - The column object with properties: `inline` and `$refLinks`.
* @param {string} [namePrefix=col.as || col.flatName] - Prefix for naming new columns. Defaults to `col.as` or `col.flatName`.
* @returns {object} - An object with resolved and processed inline column definitions.
*
* Procedure:
* 1. Iterate through `inline` array. For each `inlineCol`:
* a. If `inlineCol` equals '*', wildcard elements are processed and added to the `elements` object.
* b. If `inlineCol` has inline or expand attributes, corresponding functions are called recursively and the resulting elements are added to the `elements` object.
* c. If `inlineCol` has val or func attributes, new elements are created and added to the `elements` object.
* d. Otherwise, the corresponding `$refLinks` definition is added to the `elements` object.
* 2. Returns the `elements` object.
*/
function resolveInline(col, namePrefix = col.as || col.flatName) {
const { inline, $refLinks } = col
const $leafLink = $refLinks[$refLinks.length - 1]
if (!$leafLink.definition.target && !$leafLink.definition.elements) {
throw new Error(
`Unexpected “inline” on “${col.ref.map(idOnly)}”; can only be used after a reference to a structure, association or table alias`,
)
}
let elements = {}
inline.forEach(inlineCol => {
inferArg(inlineCol, null, $leafLink, { inXpr: true, baseColumn: col })
if (inlineCol === '*') {
const wildCardElements = {}
// either the `.elements´ of the struct or the `.elements` of the assoc target
const leafLinkElements = getDefinition($leafLink.definition.target)?.elements || $leafLink.definition.elements
Object.entries(leafLinkElements).forEach(([k, v]) => {
const name = namePrefix ? `${namePrefix}_${k}` : k
// if overwritten/excluded omit from wildcard elements
// in elements the names are already flat so consider the prefix
// in excluding, the elements are addressed without the prefix
if (!(name in elements || col.excluding?.includes(k))) wildCardElements[name] = v
})
elements = { ...elements, ...wildCardElements }
} else {
const nameParts = namePrefix ? [namePrefix] : []
if (inlineCol.as) nameParts.push(inlineCol.as)
else nameParts.push(...inlineCol.ref.map(idOnly))
const name = nameParts.join('_')
if (inlineCol.inline) {
const inlineElements = resolveInline(inlineCol, name)
elements = { ...elements, ...inlineElements }
} else if (inlineCol.expand) {
const expandElements = resolveExpand(inlineCol)
elements = { ...elements, [name]: expandElements }
} else if (inlineCol.val) {
elements[name] = { ...getCdsTypeForVal(inlineCol.val) }
} else if (inlineCol.func) {
elements[name] = {}
} else {
elements[name] = inlineCol.$refLinks[inlineCol.$refLinks.length - 1].definition
}
}
})
return elements
}
/**
* Resolves a query column which has an `expand` property.
*
* @param {object} col - The column object with properties: `expand` and `$refLinks`.
* @returns {object} - A `cds.struct` object with expanded column definitions.
*
* Procedure:
* - if `$leafLink` is an association, constructs an `expandSubquery` and infers a new query structure.
* Returns a new `cds.struct` if the association has a target cardinality === 1 or a `cds.array` for to many relations.
* - else constructs an `elements` object based on the refs `expand` found in the expand and returns a new `cds.struct` with these `elements`.
*/
function resolveExpand(col) {
const { expand, $refLinks } = col
const $leafLink = $refLinks?.[$refLinks.length - 1] || inferred.SELECT.from.$refLinks.at(-1) // fallback to anonymous expand
if (!$leafLink.definition.target && !$leafLink.definition.elements) {
throw new Error(
`Unexpected “expand” on “${col.ref.map(idOnly)}”; can only be used after a reference to a structure, association or table alias`,
)
}
const target = getDefinition($leafLink.definition.target)
if (target) {
const expandSubquery = {
SELECT: {
from: target.name,
columns: expand.filter(c => !c.inline),
},
}
if (col.excluding) expandSubquery.SELECT.excluding = col.excluding
if (col.as) expandSubquery.SELECT.as = col.as
const inferredExpandSubquery = infer(expandSubquery, model)
const res = $leafLink.definition.is2one
? new cds.struct({ elements: inferredExpandSubquery.elements })
: new cds.array({ items: new cds.struct({ elements: inferredExpandSubquery.elements }) })
return Object.defineProperty(res, '$assocExpand', { value: true })
} else if ($leafLink.definition.elements) {
let elements = {}
expand.forEach(e => {
if (e === '*') {
elements = { ...elements, ...$leafLink.definition.elements }
} else {
inferArg(e, false, $leafLink, { inXpr: true })
if (e.expand) elements[e.as || e.flatName] = resolveExpand(e)
if (e.inline) elements = { ...elements, ...resolveInline(e) }
else elements[e.as || e.flatName] = e.$refLinks ? e.$refLinks[e.$refLinks.length - 1].definition : e
}
})
return new cds.struct({ elements })
}
}
function stepNotFoundInPredecessor(step, def) {
throw new Error(`"${step}" not found in "${def}"`)
}
function stepIsAmbiguous(step) {
throw new Error(
`ambiguous reference to "${step}", write ${Object.values($combinedElements[step])
.map(ta => `"${ta.index}.${step}"`)
.join(', ')} instead`,
)
}
function stepNotFoundInCombinedElements(step) {
throw new Error(
`"${step}" not found in the elements of ${Object.values(sources)
.map(s => s.definition)
.map(def => `"${def.name || /* subquery */ def.as}"`)
.join(', ')}`,
)
}
function stepNotFoundInColumnList(step) {
const err = [`"${step}" not found in the columns list of query`]
// if the `elt` from a `$self.elt` path is found in the `$combinedElements` -> hint to remove `$self`
if (step in $combinedElements)
err.push(` did you mean ${$combinedElements[step].map(ta => `"${ta.index || ta.as}.${step}"`).join(',')}?`)
throw new Error(err.join(','))
}
}
function linkCalculatedElement(column, baseLink, baseColumn, context = {}) {
const calcElement = column.$refLinks?.[column.$refLinks.length - 1].definition || column
if (alreadySeenCalcElements.has(calcElement)) return
else alreadySeenCalcElements.add(calcElement)
const { ref, xpr } = calcElement.value
if (ref || xpr) {
baseLink = { definition: calcElement.parent, target: calcElement.parent }
inferArg(calcElement.value, null, baseLink, { inCalcElement: true, ...context })
const basePath =
column.$refLinks?.length > 1
? { $refLinks: column.$refLinks.slice(0, -1), ref: column.ref.slice(0, -1) }
: { $refLinks: [], ref: [] }
if (baseColumn) {
basePath.$refLinks.push(...baseColumn.$refLinks)
basePath.ref.push(...baseColumn.ref)
}
mergePathsIntoJoinTree(calcElement.value, basePath)
}
if (calcElement.value.args) {
const processArgument = (arg, calcElement, column) => {
inferArg(arg, null, { definition: calcElement.parent, target: calcElement.parent }, { inCalcElement: true })
const basePath =
column.$refLinks?.length > 1
? { $refLinks: column.$refLinks.slice(0, -1), ref: column.ref.slice(0, -1) }
: { $refLinks: [], ref: [] }
mergePathsIntoJoinTree(arg, basePath)
}
if (calcElement.value.args) {
applyToFunctionArgs(calcElement.value.args, processArgument, [calcElement, column])
}
}
/**
* Calculates all paths from a given ref and merges them into the join tree.
* Recursively walks into refs of calculated elements.
*
* @param {object} arg with a ref and sibling $refLinks
* @param {object} basePath with a ref and sibling $refLinks, used for recursion
*/
function mergePathsIntoJoinTree(arg, basePath = null) {
basePath = basePath || { $refLinks: [], ref: [] }
if (arg.ref) {
arg.$refLinks.forEach((link, i) => {
const { definition } = link
if (!definition.value) {
basePath.$refLinks.push(link)
basePath.ref.push(arg.ref[i])
}
})
const leafOfCalculatedElementRef = arg.$refLinks[arg.$refLinks.length - 1].definition
if (leafOfCalculatedElementRef.value) mergePathsIntoJoinTree(leafOfCalculatedElementRef.value, basePath)
mergePathIfNecessary(basePath, arg)
} else if (arg.xpr || arg.args) {
const prop = arg.xpr ? 'xpr' : 'args'
arg[prop].forEach(step => {
let subPath = { $refLinks: [...basePath.$refLinks], ref: [...basePath.ref] }
if (step.ref) {
step.$refLinks.forEach((link, i) => {
const { definition } = link
if (definition.value) {
mergePathsIntoJoinTree(definition.value, subPath)
} else {
subPath.$refLinks.push(link)
subPath.ref.push(step.ref[i])
}
})
mergePathIfNecessary(subPath, step)
} else if (step.args || step.xpr) {
const nestedProp = step.xpr ? 'xpr' : 'args'
step[nestedProp].forEach(a => {
// reset sub path for each nested argument
// e.g. case when <path> then <otherPath> else <anotherPath> end
if (!a.ref) subPath = { $refLinks: [...basePath.$refLinks], ref: [...basePath.ref] }
mergePathsIntoJoinTree(a, subPath)
})
}
})
}
function mergePathIfNecessary(p, step) {
const calcElementIsJoinRelevant = isColumnJoinRelevant(p)
if (calcElementIsJoinRelevant) {
if (!calcElement.value.isJoinRelevant)
Object.defineProperty(step, 'isJoinRelevant', { value: true, writable: true })
joinTree.mergeColumn(p, originalQuery.outerQueries)
} else {
// we need to explicitly set the value to false in this case,
// e.g. `SELECT from booksCalc.Books { ID, author.{name }, author {name } }`
// --> for the inline column, the name is join relevant, while for the expand, it is not
Object.defineProperty(step, 'isJoinRelevant', { value: false, writable: true })
}
}
}
}
/**
* Checks whether or not the `ref` of the given column is join relevant.
* A `ref` is considered join relevant if it includes an association traversal and:
* - the association is unmanaged
* - a non-foreign key access is performed
* - an infix filter is applied at the association
*
* @param {object} column the column with the `ref` to check for join relevance
* @returns {boolean} true if the column ref needs to be merged into a join tree
*/
function isColumnJoinRelevant(column) {
let fkAccess = false
let assoc = null
for (let i = 0; i < column.ref.length; i++) {
const ref = column.ref[i]
const link = column.$refLinks[i]
if (link.definition.on && link.definition.isAssociation) {
if (!column.ref[i + 1]) {
if (column.expand && assoc) return true
// if unmanaged assoc is exposed, ignore it
return false
}
return true
}
if (assoc) {
// foreign key access without filters never join relevant
if (assoc.keys?.some(key => key.ref.every((step, j) => column.ref[i + j] === step))) return false
// <assoc>.<anotherAssoc>.<…> is join relevant as <anotherAssoc> is not fk of <assoc>
return true
}
if (link.definition.target && link.definition.keys) {
if (column.ref[i + 1] || assoc) fkAccess = false
else fkAccess = true
assoc = link.definition
if (ref.where) {
// always join relevant except for expand assoc
if (column.expand && !column.ref[i + 1]) return false
return true
}
}
}
if (!assoc) return false
if (fkAccess) return false
return true
}
/**
* Iterates over all `$combinedElements` of the `query` and puts them into the `query`s `elements`,
* if there is not already an element with the same name present.
*/
function inferElementsFromWildCard(queryElements) {
const exclude = _.excluding ? x => _.excluding.includes(x) : () => false
if (Object.keys(queryElements).length === 0 && aliases.length === 1) {
const { elements } = getDefinitionFromSources(sources, Object.keys(sources)[0])
// only one query source and no overwritten columns
for (const k of Object.keys(elements)) {
if (!exclude(k)) {
const element = elements[k]
if (element.type !== 'cds.LargeBinary') {
queryElements[k] = element
}
// only relevant if we actually select the calculated element
if (originalQuery.SELECT && isCalculatedOnRead(element)) {
linkCalculatedElement(element)
}
}