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
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
|
#include "yql_join.h"
#include "yql_expr_type_annotation.h"
#include "yql_opt_utils.h"
#include <util/string/cast.h>
#include <util/string/join.h>
#include <util/string/type.h>
namespace NYql {
using namespace NNodes;
namespace {
const TTypeAnnotationNode* AddOptionalType(const TTypeAnnotationNode* type, TExprContext& ctx) {
if (type->IsOptionalOrNull()) {
return type;
}
return ctx.MakeType<TOptionalExprType>(type);
}
struct TJoinState {
bool Used = false;
};
IGraphTransformer::TStatus ParseJoinKeys(TExprNode& side, TVector<std::pair<TStringBuf, TStringBuf>>& keys,
TVector<const TTypeAnnotationNode*>& keyTypes, const TJoinLabels& labels,
TExprContext& ctx, bool isCross) {
if (!EnsureTuple(side, ctx)) {
return IGraphTransformer::TStatus::Error;
}
for (auto& child : side.Children()) {
if (!EnsureAtom(*child, ctx)) {
return IGraphTransformer::TStatus::Error;
}
}
if (isCross) {
if (side.ChildrenSize() != 0) {
ctx.AddError(TIssue(ctx.GetPosition(side.Pos()),
TStringBuilder() << "Expected empty list"));
return IGraphTransformer::TStatus::Error;
}
} else {
if (side.ChildrenSize() < 2 || (side.ChildrenSize() % 2) != 0) {
ctx.AddError(TIssue(ctx.GetPosition(side.Pos()),
TStringBuilder() << "Expected non-empty list of atoms with even length"));
return IGraphTransformer::TStatus::Error;
}
}
keys.clear();
for (ui32 i = 0; i < side.ChildrenSize(); i += 2) {
auto table = side.Child(i)->Content();
auto column = side.Child(i + 1)->Content();
auto key = std::make_pair(table, column);
keys.push_back(key);
}
for (auto& key : keys) {
auto keyType = labels.FindColumn(key.first, key.second);
if (!keyType) {
ctx.AddError(TIssue(ctx.GetPosition(side.Pos()),
TStringBuilder() << "Unknown column: " << key.second << " in correlation name: " << key.first));
return IGraphTransformer::TStatus::Error;
}
if (!(*keyType)->IsHashable() || !(*keyType)->IsEquatable()) {
ctx.AddError(TIssue(ctx.GetPosition(side.Pos()),
TStringBuilder() << "Unsupported type of column: " << key.second << " in correlation name: " << key.first
<< ", type: " << *(*keyType)));
return IGraphTransformer::TStatus::Error;
}
keyTypes.push_back(*keyType);
}
return IGraphTransformer::TStatus::Ok;
}
struct TGLobalJoinState {
ui32 NestedJoins = 0;
};
bool AddEquiJoinLinkOptionHint(const std::string_view& side, std::unordered_set<std::string_view>& hints, const TExprNode& hintNode, TExprContext& ctx) {
if (!EnsureAtom(hintNode, ctx)) {
return false;
}
const auto pos = ctx.GetPosition(hintNode.Pos());
if (hintNode.IsAtom({"unique", "small"})) {
if (hints.contains(hintNode.IsAtom("small") ? "unique" : "small")) {
ctx.AddError(TIssue(pos, TStringBuilder() << "Hints 'unique' and 'small' are not compatible"));
return false;
}
} else if (!hintNode.IsAtom("any")) {
ctx.AddError(TIssue(pos, TStringBuilder() << "Unknown hint: '" << hintNode.Content() << "' for " << side << " side"));
return false;
}
hints.insert(hintNode.Content());
return true;
}
IGraphTransformer::TStatus ParseJoins(const TJoinLabels& labels,
TExprNode& joins, TVector<TJoinState>& joinsStates, THashSet<TStringBuf>& scope,
TGLobalJoinState& globalState, bool strictKeys, TExprContext& ctx, const TUniqueConstraintNode** unique = nullptr, const TDistinctConstraintNode** distinct = nullptr);
IGraphTransformer::TStatus ParseJoinScope(const TJoinLabels& labels,
TExprNode& side, TVector<TJoinState>& joinsStates, THashSet<TStringBuf>& scope,
TGLobalJoinState& globalState, bool strictKeys, const TUniqueConstraintNode*& unique, const TDistinctConstraintNode*& distinct, TExprContext& ctx) {
if (side.IsAtom()) {
const auto label = side.Content();
const auto input = labels.FindInput(label);
if (!input) {
ctx.AddError(TIssue(ctx.GetPosition(side.Pos()),
TStringBuilder() << "Unknown correlation name: " << label));
return IGraphTransformer::TStatus::Error;
}
for (const auto& x : (*input)->Tables) {
scope.insert(x);
}
const auto rename = [&](const TPartOfConstraintBase::TPathType& path) -> std::vector<TPartOfConstraintBase::TPathType> {
if (path.empty())
return {};
auto newPath = path;
newPath.front() = ctx.AppendString((*input)->FullName(newPath.front()));
return {std::move(newPath)};
};
if (const auto u = (*input)->Unique) {
unique = u->RenameFields(ctx, rename);
}
if (const auto d = (*input)->Distinct) {
distinct = d->RenameFields(ctx, rename);
}
return IGraphTransformer::TStatus::Ok;
}
if (globalState.NestedJoins + 2 == labels.Inputs.size()) {
ctx.AddError(TIssue(ctx.GetPosition(side.Pos()),
TStringBuilder() << "Too many nested joins, expected exactly: " << (labels.Inputs.size() - 2)));
return IGraphTransformer::TStatus::Error;
}
++globalState.NestedJoins;
return ParseJoins(labels, side, joinsStates, scope, globalState, strictKeys, ctx, &unique, &distinct);
}
IGraphTransformer::TStatus ParseJoins(const TJoinLabels& labels,
TExprNode& joins, TVector<TJoinState>& joinsStates, THashSet<TStringBuf>& scope,
TGLobalJoinState& globalState, bool strictKeys, TExprContext& ctx, const TUniqueConstraintNode** unique, const TDistinctConstraintNode** distinct) {
if (!EnsureTupleSize(joins, 6, ctx)) {
return IGraphTransformer::TStatus::Error;
}
const auto& joinType = joins.Head();
if (!EnsureAtom(joinType, ctx)) {
return IGraphTransformer::TStatus::Error;
}
if (!joinType.IsAtom({"Inner", "Left", "Right", "Full", "LeftOnly", "RightOnly", "Exclusion", "LeftSemi" , "RightSemi", "Cross"})) {
ctx.AddError(TIssue(ctx.GetPosition(joinType.Pos()), TStringBuilder() << "Unsupported join type: " << joinType.Content()));
return IGraphTransformer::TStatus::Error;
}
THashSet<TStringBuf> myLeftScope;
const TUniqueConstraintNode* lUnique = nullptr;
const TDistinctConstraintNode* lDistinct = nullptr;
if (const auto status = ParseJoinScope(labels, *joins.Child(1), joinsStates, myLeftScope, globalState, strictKeys, lUnique, lDistinct, ctx); status.Level != IGraphTransformer::TStatus::Ok) {
return status;
}
THashSet<TStringBuf> myRightScope;
const TUniqueConstraintNode* rUnique = nullptr;
const TDistinctConstraintNode* rDistinct = nullptr;
if (const auto status = ParseJoinScope(labels, *joins.Child(2), joinsStates, myRightScope, globalState, strictKeys, rUnique, rDistinct, ctx); status.Level != IGraphTransformer::TStatus::Ok) {
return status;
}
TVector<std::pair<TStringBuf, TStringBuf>> leftKeys;
TVector<const TTypeAnnotationNode*> leftKeyTypes;
const bool cross = joinType.IsAtom("Cross");
if (const auto status = ParseJoinKeys(*joins.Child(3), leftKeys, leftKeyTypes, labels, ctx, cross); status.Level != IGraphTransformer::TStatus::Ok) {
return status;
}
std::vector<std::string_view> lCheck;
lCheck.reserve(leftKeys.size());
for (const auto& x : leftKeys) {
for (const auto& name : (*labels.FindInput(x.first))->AllNames(x.second))
lCheck.emplace_back(ctx.AppendString(name));
if (!myLeftScope.contains(x.first)) {
ctx.AddError(TIssue(ctx.GetPosition(joins.Pos()),
TStringBuilder() << "Correlation name " << x.first << " is out of scope"));
return IGraphTransformer::TStatus::Error;
}
joinsStates[*labels.FindInputIndex(x.first)].Used = true;
}
TVector<std::pair<TStringBuf, TStringBuf>> rightKeys;
TVector<const TTypeAnnotationNode*> rightKeyTypes;
if (const auto status = ParseJoinKeys(*joins.Child(4), rightKeys, rightKeyTypes, labels, ctx, cross); status.Level != IGraphTransformer::TStatus::Ok) {
return status;
}
std::vector<std::string_view> rCheck;
rCheck.reserve(rightKeys.size());
for (const auto& x : rightKeys) {
for (const auto& name : (*labels.FindInput(x.first))->AllNames(x.second))
rCheck.emplace_back(ctx.AppendString(name));
if (!myRightScope.contains(x.first)) {
ctx.AddError(TIssue(ctx.GetPosition(joins.Pos()),
TStringBuilder() << "Correlation name " << x.first << " is out of scope"));
return IGraphTransformer::TStatus::Error;
}
joinsStates[*labels.FindInputIndex(x.first)].Used = true;
}
if (leftKeys.size() != rightKeys.size()) {
ctx.AddError(TIssue(ctx.GetPosition(joins.Pos()),
TStringBuilder() << "Mismatch of key column count in equality between " << leftKeys.front().first
<< " and " << rightKeys.front().first));
return IGraphTransformer::TStatus::Error;
}
for (auto i = 0U; i < leftKeyTypes.size(); ++i) {
if (strictKeys && leftKeyTypes[i] != rightKeyTypes[i]) {
ctx.AddError(TIssue(ctx.GetPosition(joins.Pos()),
TStringBuilder() << "Strict key type match requested, but keys have different types: ("
<< leftKeys[i].first << "." << leftKeys[i].second
<< " has type: " << *leftKeyTypes[i] << ", " << rightKeys[i].first << "." << rightKeys[i].second
<< " has type: " << *rightKeyTypes[i] << ")"));
return IGraphTransformer::TStatus::Error;
}
if (ECompareOptions::Uncomparable == CanCompare<true>(leftKeyTypes[i], rightKeyTypes[i])) {
ctx.AddError(TIssue(ctx.GetPosition(joins.Pos()),
TStringBuilder() << "Cannot compare key columns (" << leftKeys[i].first << "." << leftKeys[i].second
<< " has type: " << *leftKeyTypes[i] << ", " << rightKeys[i].first << "." << rightKeys[i].second
<< " has type: " << *rightKeyTypes[i] << ")"));
return IGraphTransformer::TStatus::Error;
}
}
if (cross) {
for (const auto& x : myLeftScope) {
joinsStates[*labels.FindInputIndex(x)].Used = true;
}
for (const auto& x : myRightScope) {
joinsStates[*labels.FindInputIndex(x)].Used = true;
}
}
scope.clear();
const bool singleSide = joinType.Content().ends_with("Only") || joinType.Content().ends_with("Semi");
const bool rightSide = joinType.Content().starts_with("Right");
const bool leftSide = joinType.Content().starts_with("Left");
if (!singleSide || !rightSide) {
scope.insert(myLeftScope.cbegin(), myLeftScope.cend());
}
if (!singleSide || !leftSide) {
scope.insert(myRightScope.cbegin(), myRightScope.cend());
}
const auto linkOptions = joins.Child(5);
if (!EnsureTuple(*linkOptions, ctx)) {
return IGraphTransformer::TStatus::Error;
}
std::optional<std::unordered_set<std::string_view>> leftHints, rightHints;
bool hasJoinStrategyHint = false;
for (auto child : linkOptions->Children()) {
if (!EnsureTupleMinSize(*child, 1, ctx)) {
return IGraphTransformer::TStatus::Error;
}
if (!EnsureAtom(child->Head(), ctx)) {
return IGraphTransformer::TStatus::Error;
}
const auto& option = child->Head();
if (option.IsAtom({"left", "right"})) {
if (!EnsureTupleSize(*child, 2, ctx)) {
return IGraphTransformer::TStatus::Error;
}
auto& hints = option.IsAtom("left") ? leftHints : rightHints;
if (hints) {
ctx.AddError(TIssue(ctx.GetPosition(option.Pos()), TStringBuilder() <<
"Duplication of hints for " << option.Content() << " side"));
return IGraphTransformer::TStatus::Error;
}
hints.emplace();
if (child->Child(1)->IsAtom()) {
if (!AddEquiJoinLinkOptionHint(option.Content(), *hints, *child->Child(1), ctx)) {
return IGraphTransformer::TStatus::Error;
}
} else {
if (!EnsureTuple(*child->Child(1), ctx)) {
return IGraphTransformer::TStatus::Error;
}
for (auto hint : child->Child(1)->Children()) {
if (!AddEquiJoinLinkOptionHint(option.Content(), *hints, *hint, ctx)) {
return IGraphTransformer::TStatus::Error;
}
}
}
}
else if (option.IsAtom("forceSortedMerge") || option.IsAtom("forceStreamLookup")) {
if (option.IsAtom("forceStreamLookup")) {
if (child->ChildrenSize() % 2 == 0) {
ctx.AddError(TIssue(ctx.GetPosition(option.Pos()), TStringBuilder() <<
"streamlookup() expects KEY VALUE... pairs"));
return IGraphTransformer::TStatus::Error;
}
} else {
if (!EnsureTupleSize(*child, 1, ctx)) {
return IGraphTransformer::TStatus::Error;
}
}
if (hasJoinStrategyHint) {
ctx.AddError(TIssue(ctx.GetPosition(option.Pos()), TStringBuilder() <<
"Duplicate " << option.Content() << " link option"));
return IGraphTransformer::TStatus::Error;
}
hasJoinStrategyHint = true;
}
else if (option.IsAtom("join_algo")) {
//do nothing
}
else if (option.IsAtom("shuffle_lhs_by") || option.IsAtom("shuffle_rhs_by")) {
//do nothing
}
else if (option.IsAtom("compact")) {
if (!EnsureTupleSize(*child, 1, ctx)) {
return IGraphTransformer::TStatus::Error;
}
}
else {
ctx.AddError(TIssue(ctx.GetPosition(option.Pos()), TStringBuilder() <<
"Unknown option name: " << option.Content()));
return IGraphTransformer::TStatus::Error;
}
}
const bool lAny = leftHints && (leftHints->contains("unique") || leftHints->contains("any"));
const bool rAny = rightHints && (rightHints->contains("unique") || rightHints->contains("any"));
const bool lOneRow = lAny || lUnique && lUnique->ContainsCompleteSet(lCheck);
const bool rOneRow = rAny || rUnique && rUnique->ContainsCompleteSet(rCheck);
if (unique) {
if (singleSide) {
if (leftSide)
*unique = lUnique;
else if (rightSide)
*unique = rUnique;
} else if (!joinType.IsAtom("Cross")) {
const bool exclusion = joinType.IsAtom("Exclusion") ;
const bool useLeft = lUnique && (rOneRow || exclusion);
const bool useRight = rUnique && (lOneRow || exclusion);
if (useLeft && !useRight)
*unique = lUnique;
else if (useRight && !useLeft)
*unique = rUnique;
else if (useLeft && useRight)
*unique = TUniqueConstraintNode::Merge(lUnique, rUnique, ctx);
}
}
if (distinct) {
if (singleSide) {
if (leftSide)
*distinct = lDistinct;
else if (rightSide)
*distinct = rDistinct;
} else if (!joinType.IsAtom("Cross")) {
const bool inner = joinType.IsAtom("Inner");
const bool useLeft = lDistinct && rOneRow && (inner || leftSide);
const bool useRight = rDistinct && lOneRow && (inner || rightSide);
if (useLeft && !useRight)
*distinct = lDistinct;
else if (useRight && !useLeft)
*distinct = rDistinct;
else if (useLeft && useRight)
*distinct = TDistinctConstraintNode::Merge(lDistinct, rDistinct, ctx);
}
}
return IGraphTransformer::TStatus::Ok;
}
struct TFlattenState {
TString Table;
TTypeAnnotationNode::TListType AllTypes;
};
void CollectEquiJoinKeyColumnsFromLeaf(const TExprNode& columns, THashMap<TStringBuf, THashSet<TStringBuf>>& tableKeysMap) {
YQL_ENSURE(columns.ChildrenSize() % 2 == 0);
for (ui32 i = 0; i < columns.ChildrenSize(); i += 2) {
auto table = columns.Child(i)->Content();
auto column = columns.Child(i + 1)->Content();
tableKeysMap[table].insert(column);
}
}
void CollectEquiJoinKeyColumns(const TExprNode& joinTree, THashMap<TStringBuf, THashSet<TStringBuf>>& tableKeysMap) {
auto& left = *joinTree.Child(1);
if (!left.IsAtom()) {
CollectEquiJoinKeyColumns(left, tableKeysMap);
}
auto& right = *joinTree.Child(2);
if (!right.IsAtom()) {
CollectEquiJoinKeyColumns(right, tableKeysMap);
}
CollectEquiJoinKeyColumnsFromLeaf(*joinTree.Child(3), tableKeysMap);
CollectEquiJoinKeyColumnsFromLeaf(*joinTree.Child(4), tableKeysMap);
}
void CollectAdditiveInputLabelsSide(const TCoEquiJoinTuple& joinTree, bool hasAny, THashMap<TStringBuf, bool>& isAdditiveByLabel,
bool isLeft, const TEquiJoinLinkSettings& settings);
void CollectAdditiveInputLabels(const TCoEquiJoinTuple& joinTree, bool hasAny, THashMap<TStringBuf, bool>& isAdditiveByLabel) {
auto settings = GetEquiJoinLinkSettings(joinTree.Options().Ref());
CollectAdditiveInputLabelsSide(joinTree, hasAny, isAdditiveByLabel, true, settings);
CollectAdditiveInputLabelsSide(joinTree, hasAny, isAdditiveByLabel, false, settings);
}
void CollectAdditiveInputLabelsSide(const TCoEquiJoinTuple& joinTree, bool hasAny, THashMap<TStringBuf, bool>& isAdditiveByLabel, bool isLeft, const TEquiJoinLinkSettings& settings) {
hasAny = hasAny || (isLeft ? settings.LeftHints : settings.RightHints).contains("any");
const auto scope = isLeft ? joinTree.LeftScope() : joinTree.RightScope();
TStringBuf joinKind = joinTree.Type().Value();
if (scope.Maybe<TCoEquiJoinTuple>()) {
CollectAdditiveInputLabels(scope.Cast<TCoEquiJoinTuple>(), hasAny, isAdditiveByLabel);
} else {
YQL_ENSURE(scope.Maybe<TCoAtom>());
bool additive = !hasAny && (joinKind == (isLeft ? "Left" : "Right") || joinKind == "Inner" || joinKind == "Cross");
TStringBuf label = scope.Cast<TCoAtom>().Value();
if (!additive || !isAdditiveByLabel.contains(label)) {
isAdditiveByLabel[label] = additive;
}
}
}
bool CollectEquiJoinOnlyParents(const TExprNode& current, const TExprNode* prev, ui32 depth,
TVector<TEquiJoinParent>& results, const TExprNode* extractMembersInScope,
const TParentsMap& parents)
{
if (depth == 0) {
if (!prev || !TCoEquiJoin::Match(¤t)) {
return false;
}
TCoEquiJoin equiJoin(¤t);
for (ui32 i = 0; i + 2 < equiJoin.ArgCount(); ++i) {
auto joinInput = equiJoin.Arg(i).Cast<TCoEquiJoinInput>();
auto list = joinInput.List();
if (list.Raw() == prev) {
results.emplace_back(equiJoin.Raw(), i, extractMembersInScope);
return true;
}
}
YQL_ENSURE(false, "Unable to locate FlatMap in EquiJoin");
}
auto it = parents.find(¤t);
if (it == parents.end() || it->second.empty()) {
return false;
}
const TExprNode* extractMembers = extractMembersInScope;
bool currentIsExtractMembers = TCoExtractMembers::Match(¤t);
if (currentIsExtractMembers) {
if (extractMembers) {
// repeatable extract members should not actually happen
return false;
}
extractMembers = current.Child(1);
}
auto nextPrev = (TCoFlatMapBase::Match(¤t) || currentIsExtractMembers) ? ¤t : prev;
for (auto parent : it->second) {
if (!CollectEquiJoinOnlyParents(*parent, nextPrev, currentIsExtractMembers ? depth : (depth - 1), results,
extractMembers, parents))
{
return false;
}
}
return true;
}
}
TMaybe<TIssue> TJoinLabel::Parse(TExprContext& ctx, TExprNode& node, const TStructExprType* structType, const TUniqueConstraintNode* unique, const TDistinctConstraintNode* distinct) {
Tables.clear();
InputType = structType;
Unique = unique;
Distinct = distinct;
if (auto atom = TMaybeNode<TCoAtom>(&node)) {
if (auto err = ValidateLabel(ctx, atom.Cast())) {
return err;
}
AddLabel = true;
Tables.push_back(atom.Cast().Value());
return {};
}
else if (auto tuple = TMaybeNode<TCoAtomList>(&node)) {
if (tuple.Cast().Size() == 0) {
return TIssue(ctx.GetPosition(node.Pos()), "Empty list of correlation names are not allowed");
}
for (const auto& child : tuple.Cast()) {
if (auto err = ValidateLabel(ctx, child)) {
return err;
}
Tables.push_back(child.Value());
}
Sort(Tables);
auto prevLabel = Tables[0];
for (ui32 i = 1; i < Tables.size(); ++i) {
if (Tables[i] == prevLabel) {
return TIssue(ctx.GetPosition(node.Pos()), TStringBuilder() << "Duplication of correlation names: " << prevLabel);
}
prevLabel = Tables[i];
}
// all labels are unique, ensure that all columns are under one of label
for (auto column : InputType->GetItems()) {
auto name = column->GetName();
auto pos = name.find('.');
if (pos == TString::npos) {
return TIssue(ctx.GetPosition(node.Pos()), TStringBuilder() << "Expected columns name as table.name, but got: " << name);
}
auto table = name.substr(0, pos);
if (!BinarySearch(Tables.begin(), Tables.end(), table)) {
return TIssue(ctx.GetPosition(node.Pos()), TStringBuilder() << "Unknown table name: " << table);
}
auto columnName = name.substr(pos + 1);
if (columnName.empty()) {
return TIssue(ctx.GetPosition(node.Pos()), "Empty correlation name is not allowed");
}
}
return {};
}
else {
return TIssue(ctx.GetPosition(node.Pos()), TStringBuilder() << "Expected either atom or list, but got" << node.Type());
}
}
TMaybe<TIssue> TJoinLabel::ValidateLabel(TExprContext& ctx, const TCoAtom& label) {
if (label.Value().empty()) {
return TIssue(ctx.GetPosition(label.Pos()), "Empty correlation name is not allowed");
}
if (label.Value().Contains('.')) {
return TIssue(ctx.GetPosition(label.Pos()), "Dot symbol is not allowed in the correlation name");
}
return {};
}
TString TJoinLabel::FullName(const TStringBuf& column) const {
if (AddLabel) {
return FullColumnName(Tables.front(), column);
} else {
return TString(column);
}
}
TVector<TString> TJoinLabel::AllNames(const TStringBuf& column) const {
TVector<TString> result(Tables.size());
std::transform(Tables.cbegin(), Tables.cend(), result.begin(), std::bind(&FullColumnName, std::placeholders::_1, std::cref(column)));
return result;
}
TStringBuf TJoinLabel::ColumnName(const TStringBuf& column) const {
auto pos = column.find('.');
if (pos == TString::npos) {
return column;
}
return column.substr(pos + 1);
}
TStringBuf TJoinLabel::TableName(const TStringBuf& column) const {
auto pos = column.find('.');
if (pos == TString::npos) {
YQL_ENSURE(AddLabel);
return Tables[0];
}
return column.substr(0, pos);
}
bool TJoinLabel::HasTable(const TStringBuf& table) const {
return BinarySearch(Tables.begin(), Tables.end(), table);
}
TMaybe<const TTypeAnnotationNode*> TJoinLabel::FindColumn(const TStringBuf& table, const TStringBuf& column) const {
auto pos = InputType->FindItem(MemberName(table, column));
if (!pos) {
return TMaybe<const TTypeAnnotationNode*>();
}
return InputType->GetItems()[*pos]->GetItemType();
}
TString TJoinLabel::MemberName(const TStringBuf& table, const TStringBuf& column) const {
return AddLabel ? TString(column) : FullColumnName(table, column);
}
TVector<TString> TJoinLabel::EnumerateAllColumns() const {
TVector<TString> result;
if (AddLabel) {
// add label to all columns
for (auto& x : InputType->GetItems()) {
result.push_back(FullColumnName(Tables[0], x->GetName()));
}
} else {
for (auto& x : InputType->GetItems()) {
result.push_back(TString(x->GetName()));
}
}
return result;
}
TVector<TString> TJoinLabel::EnumerateAllMembers() const {
TVector<TString> result;
for (auto& x : InputType->GetItems()) {
result.push_back(TString(x->GetName()));
}
return result;
}
TMaybe<TIssue> TJoinLabels::Add(TExprContext& ctx, TExprNode& node, const TStructExprType* structType, const TUniqueConstraintNode* unique, const TDistinctConstraintNode* distinct) {
ui32 index = Inputs.size();
Inputs.emplace_back();
TJoinLabel& label = Inputs.back();
if (auto err = label.Parse(ctx, node, structType, unique, distinct)) {
return err;
}
for (auto& table : label.Tables) {
if (!InputByTable.insert({ table, index }).second) {
return TIssue(
ctx.GetPosition(node.Pos()),
TStringBuilder() << "Duplication of table name " << table);
}
}
return {};
}
TMaybe<const TJoinLabel*> TJoinLabels::FindInput(const TStringBuf& table) const {
auto inputIndex = InputByTable.FindPtr(table);
if (!inputIndex) {
return {};
}
return &Inputs[*inputIndex];
}
TMaybe<ui32> TJoinLabels::FindInputIndex(const TStringBuf& table) const {
auto inputIndex = InputByTable.FindPtr(table);
if (!inputIndex) {
return{};
}
return *inputIndex;
}
TMaybe<const TTypeAnnotationNode*> TJoinLabels::FindColumn(const TStringBuf& table, const TStringBuf& column) const {
auto tableIndex = InputByTable.FindPtr(table);
if (!tableIndex) {
return TMaybe<const TTypeAnnotationNode*>();
}
return Inputs[*tableIndex].FindColumn(table, column);
}
TMaybe<const TTypeAnnotationNode*> TJoinLabels::FindColumn(const TStringBuf& fullName) const {
TStringBuf part1;
TStringBuf part2;
SplitTableName(fullName, part1, part2);
return FindColumn(part1, part2);
}
TVector<TString> TJoinLabels::EnumerateColumns(const TStringBuf& table) const {
TVector<TString> result;
auto tableIndex = InputByTable.FindPtr(table);
Y_ENSURE(tableIndex, "Unknown table:" << table);
auto& label = Inputs[*tableIndex];
if (label.AddLabel) {
// add label to all columns
for (auto& x : label.InputType->GetItems()) {
result.push_back(FullColumnName(table, x->GetName()));
}
}
else {
// filter out some columns
for (auto& x : label.InputType->GetItems()) {
TStringBuf part1;
TStringBuf part2;
SplitTableName(x->GetName(), part1, part2);
if (part1 == table) {
result.push_back(TString(x->GetName()));
}
}
}
return result;
}
IGraphTransformer::TStatus ValidateEquiJoinOptions(TPositionHandle positionHandle, TExprNode& optionsNode,
TJoinOptions& options, TExprContext& ctx)
{
auto position = ctx.GetPosition(positionHandle);
if (!EnsureTuple(optionsNode, ctx)) {
return IGraphTransformer::TStatus::Error;
}
options = TJoinOptions{};
THashSet<TStringBuf> renameTargetSet;
bool hasRename = false;
for (auto child : optionsNode.Children()) {
if (!EnsureTupleMinSize(*child, 1, ctx)) {
return IGraphTransformer::TStatus::Error;
}
if (!EnsureAtom(*child->Child(0), ctx)) {
return IGraphTransformer::TStatus::Error;
}
auto optionName = child->Child(0)->Content();
if (optionName == "rename") {
hasRename = true;
if (!EnsureTupleSize(*child, 3, ctx)) {
return IGraphTransformer::TStatus::Error;
}
if (!EnsureAtom(*child->Child(1), ctx)) {
return IGraphTransformer::TStatus::Error;
}
if (!EnsureAtom(*child->Child(2), ctx)) {
return IGraphTransformer::TStatus::Error;
}
auto& v = options.RenameMap[child->Child(1)->Content()];
if (!child->Child(2)->Content().empty()) {
if (!renameTargetSet.insert(child->Child(2)->Content()).second) {
ctx.AddError(TIssue(position, TStringBuilder() <<
"Duplicated target column: " << child->Child(2)->Content()));
return IGraphTransformer::TStatus::Error;
}
v.push_back(child->Child(2)->Content());
}
} else if (optionName == "flatten") {
options.Flatten = true;
} else if (optionName == "strict_keys") {
options.StrictKeys = true;
} else if (optionName == "preferred_sort") {
THashSet<TStringBuf> sortBySet;
TVector<TStringBuf> sortBy;
if (!EnsureTupleSize(*child, 2, ctx)) {
return IGraphTransformer::TStatus::Error;
}
if (!EnsureTupleMinSize(*child->Child(1), 1, ctx)) {
return IGraphTransformer::TStatus::Error;
}
for (auto column : child->Child(1)->Children()) {
if (!EnsureAtom(*column, ctx)) {
return IGraphTransformer::TStatus::Error;
}
if (!sortBySet.insert(column->Content()).second) {
ctx.AddError(TIssue(ctx.GetPosition(column->Pos()), TStringBuilder() <<
"Duplicated preferred_sort column: " << column->Content()));
return IGraphTransformer::TStatus::Error;
}
sortBy.push_back(column->Content());
}
if (!options.PreferredSortSets.insert(sortBy).second) {
ctx.AddError(TIssue(ctx.GetPosition(child->Child(1)->Pos()), TStringBuilder() <<
"Duplicated preferred_sort set: " << JoinSeq(", ", sortBy)));
}
} else if (optionName == "cbo_passed") {
// do nothing
} else if (optionName == "join_algo") {
// do nothing
} else if (optionName == "shuffle_lhs_by" || optionName == "shuffle_rhs_by") {
// do nothing
} else if (optionName == "compact") {
options.Compact = true;
} else {
ctx.AddError(TIssue(position, TStringBuilder() <<
"Unknown option name: " << optionName));
return IGraphTransformer::TStatus::Error;
}
if (hasRename && options.Flatten) {
ctx.AddError(TIssue(position, TStringBuilder() <<
"Options flatten and rename are incompatible with each other"));
return IGraphTransformer::TStatus::Error;
}
}
return IGraphTransformer::TStatus::Ok;
}
IGraphTransformer::TStatus EquiJoinAnnotation(
TPositionHandle positionHandle,
const TStructExprType*& resultType,
const TJoinLabels& labels,
TExprNode& joins,
const TJoinOptions& options,
TExprContext& ctx
) {
auto position = ctx.GetPosition(positionHandle);
if (labels.InputByTable.size() < 2) {
ctx.AddError(TIssue(position, TStringBuilder() << "Expected at least 2 table"));
return IGraphTransformer::TStatus::Error;
}
TVector<TJoinState> joinsStates(labels.Inputs.size());
TGLobalJoinState globalState;
THashSet<TStringBuf> scope;
auto parseStatus = ParseJoins(labels, joins, joinsStates, scope, globalState, options.StrictKeys, ctx);
if (parseStatus.Level != IGraphTransformer::TStatus::Ok) {
return parseStatus;
}
if (globalState.NestedJoins + 2 != labels.Inputs.size()) {
ctx.AddError(TIssue(position,
TStringBuilder() << "Too few nested joins, expected exactly: " << (labels.Inputs.size() - 2)));
return IGraphTransformer::TStatus::Error;
}
for (ui32 i = 0; i < joinsStates.size(); ++i) {
if (!joinsStates[i].Used) {
ctx.AddError(TIssue(position, TStringBuilder() <<
"Input with correlation name(s) " << JoinSeq(", ", labels.Inputs[i].Tables) << " was not used"));
return IGraphTransformer::TStatus::Error;
}
}
auto columnTypes = GetJoinColumnTypes(joins, labels, ctx);
TVector<const TItemExprType*> resultFields;
TMap<TString, TFlattenState> flattenFields; // column -> table
THashSet<TString> processedRenames;
for (auto it: labels.Inputs) {
for (auto item: it.InputType->GetItems()) {
TString fullName = it.FullName(item->GetName());
auto type = columnTypes.FindPtr(fullName);
if (type) {
TVector<TStringBuf> fullNames;
fullNames.push_back(fullName);
if (!processedRenames.contains(fullName)) {
auto renameIt = options.RenameMap.find(fullName);
if (renameIt != options.RenameMap.end()) {
fullNames = renameIt->second;
processedRenames.insert(fullName);
}
}
for (auto& fullName: fullNames) {
if (options.Flatten) {
auto tableName = it.TableName(fullName);
auto columnName = it.ColumnName(fullName);
auto iter = flattenFields.find(columnName);
if (iter != flattenFields.end()) {
if (AreSameJoinKeys(joins, tableName, columnName, iter->second.Table, columnName)) {
iter->second.AllTypes.push_back(*type);
continue;
}
ctx.AddError(TIssue(position, TStringBuilder() <<
"Conflict of flattening output on columns " << fullName << " and " << iter->second.Table
<< "." << columnName));
return IGraphTransformer::TStatus::Error;
}
TFlattenState state;
state.AllTypes.push_back(*type);
state.Table = TString(tableName);
flattenFields.emplace(TString(columnName), state);
} else {
resultFields.push_back(ctx.MakeType<TItemExprType>(fullName, *type));
}
}
}
}
}
if (options.Flatten) {
for (auto& x : flattenFields) {
if (const auto commonType = CommonType(positionHandle, x.second.AllTypes, ctx)) {
const bool unwrap = ETypeAnnotationKind::Optional == commonType->GetKind() &&
std::any_of(x.second.AllTypes.cbegin(), x.second.AllTypes.cend(), [](const TTypeAnnotationNode* type) { return ETypeAnnotationKind::Optional != type->GetKind(); });
resultFields.emplace_back(ctx.MakeType<TItemExprType>(x.first, unwrap ? commonType->Cast<TOptionalExprType>()->GetItemType() : commonType));
} else
return IGraphTransformer::TStatus::Error;
}
}
resultType = ctx.MakeType<TStructExprType>(resultFields);
if (!resultType->Validate(position, ctx)) {
return IGraphTransformer::TStatus::Error;
}
return IGraphTransformer::TStatus::Ok;
}
IGraphTransformer::TStatus EquiJoinConstraints(
TPositionHandle positionHandle,
const TUniqueConstraintNode*& unique,
const TDistinctConstraintNode*& distinct,
const TJoinLabels& labels,
TExprNode& joins,
TExprContext& ctx
) {
const auto position = ctx.GetPosition(positionHandle);
YQL_ENSURE(labels.InputByTable.size() >= 2U);
TVector<TJoinState> joinsStates(labels.Inputs.size());
TGLobalJoinState globalState;
THashSet<TStringBuf> scope;
if (const auto parseStatus = ParseJoins(labels, joins, joinsStates, scope, globalState, false, ctx, &unique, &distinct); parseStatus.Level != IGraphTransformer::TStatus::Ok) {
return parseStatus;
}
return IGraphTransformer::TStatus::Ok;
}
THashMap<TStringBuf, THashSet<TStringBuf>> CollectEquiJoinKeyColumnsByLabel(const TExprNode& joinTree) {
THashMap<TStringBuf, THashSet<TStringBuf>> result;
CollectEquiJoinKeyColumns(joinTree, result);
return result;
};
bool IsLeftJoinSideOptional(const TStringBuf& joinType) {
if (joinType == "Right" || joinType == "Full" || joinType == "Exclusion") {
return true;
}
return false;
}
bool IsRightJoinSideOptional(const TStringBuf& joinType) {
if (joinType == "Left" || joinType == "Full" || joinType == "Exclusion") {
return true;
}
return false;
}
THashMap<TStringBuf, bool> CollectAdditiveInputLabels(const TCoEquiJoinTuple& joinTree) {
THashMap<TStringBuf, bool> result;
CollectAdditiveInputLabels(joinTree, false, result);
return result;
}
TExprNode::TPtr FilterOutNullJoinColumns(TPositionHandle pos, const TExprNode::TPtr& input,
const TJoinLabel& label, const TSet<TString>& optionalKeyColumns, TExprContext& ctx) {
if (optionalKeyColumns.empty()) {
return input;
}
TExprNode::TListType optColumns;
for (auto fullColumnName : optionalKeyColumns) {
TStringBuf table;
TStringBuf column;
SplitTableName(fullColumnName, table, column);
auto memberName = label.MemberName(table, column);
optColumns.push_back(ctx.NewAtom(pos, memberName));
}
return ctx.Builder(pos)
.Callable("SkipNullMembers")
.Add(0, input)
.List(1)
.Add(std::move(optColumns))
.Seal()
.Seal()
.Build();
}
TMap<TStringBuf, TVector<TStringBuf>> LoadJoinRenameMap(const TExprNode& settings) {
TMap<TStringBuf, TVector<TStringBuf>> res;
for (const auto& child : settings.Children()) {
if (child->Head().IsAtom("rename")) {
auto& v = res[child->Child(1)->Content()];
if (!child->Child(2)->Content().empty()) {
v.push_back(child->Child(2)->Content());
}
}
}
return res;
}
TCoLambda BuildJoinRenameLambda(TPositionHandle pos, const TMap<TStringBuf, TVector<TStringBuf>>& renameMap,
const TStructExprType& joinResultType, TExprContext& ctx)
{
THashMap<TStringBuf, TStringBuf> reverseRenameMap;
for (const auto& [oldName , targets] : renameMap) {
for (TStringBuf newName : targets) {
reverseRenameMap[newName] = oldName;
}
}
TCoArgument rowArg = Build<TCoArgument>(ctx, pos)
.Name("row")
.Done();
TVector<TExprBase> renameTuples;
for (auto& item : joinResultType.GetItems()) {
TStringBuf newName = item->GetName();
auto renamedFrom = reverseRenameMap.FindPtr(newName);
TStringBuf oldName = renamedFrom ? *renamedFrom : newName;
auto tuple = Build<TCoNameValueTuple>(ctx, pos)
.Name().Build(newName)
.Value<TCoMember>()
.Struct(rowArg)
.Name().Build(oldName)
.Build()
.Done();
renameTuples.push_back(tuple);
}
return Build<TCoLambda>(ctx, pos)
.Args({rowArg})
.Body<TCoAsStruct>()
.Add(renameTuples)
.Build()
.Done();
}
TSet<TVector<TStringBuf>> LoadJoinSortSets(const TExprNode& settings) {
TSet<TVector<TStringBuf>> res;
for (const auto& child : settings.Children()) {
if (child->Child(0)->Content() == "preferred_sort") {
TVector<TStringBuf> sortBy;
for (auto column : child->Child(1)->Children()) {
sortBy.push_back(column->Content());
}
res.insert(sortBy);
}
}
return res;
}
THashMap<TString, const TTypeAnnotationNode*> GetJoinColumnTypes(const TExprNode& joins,
const TJoinLabels& labels, TExprContext& ctx) {
return GetJoinColumnTypes(joins, labels, joins.Child(0)->Content(), ctx);
}
THashMap<TString, const TTypeAnnotationNode*> GetJoinColumnTypes(const TExprNode& joins,
const TJoinLabels& labels, const TStringBuf& joinType, TExprContext& ctx) {
THashMap<TString, const TTypeAnnotationNode*> finalType;
THashMap<TString, const TTypeAnnotationNode*> leftType;
THashMap<TString, const TTypeAnnotationNode*> rightType;
bool isLeftOptional = IsLeftJoinSideOptional(joinType);
bool isRightOptional = IsRightJoinSideOptional(joinType);
if (joins.Child(1)->IsAtom()) {
auto name = joins.Child(1)->Content();
auto input = *labels.FindInput(name);
for (auto& x : input->InputType->GetItems()) {
leftType[input->FullName(x->GetName())] = x->GetItemType();
}
}
else {
leftType = GetJoinColumnTypes(*joins.Child(1), labels, ctx);
}
if (joins.Child(2)->IsAtom()) {
auto name = joins.Child(2)->Content();
auto input = *labels.FindInput(name);
for (auto& x : input->InputType->GetItems()) {
rightType[input->FullName(x->GetName())] = x->GetItemType();
}
}
else {
rightType = GetJoinColumnTypes(*joins.Child(2), labels, ctx);
}
if (isLeftOptional) {
for (auto& x : leftType) {
x.second = AddOptionalType(x.second, ctx);
}
}
if (isRightOptional) {
for (auto& x : rightType) {
x.second = AddOptionalType(x.second, ctx);
}
}
if (joinType != "RightOnly" && joinType != "RightSemi") {
for (auto& x : leftType) {
finalType.insert({ x.first, x.second });
}
}
if (joinType != "LeftOnly" && joinType != "LeftSemi") {
for (auto& x : rightType) {
finalType.insert({ x.first, x.second });
}
}
return finalType;
}
bool AreSameJoinKeys(const TExprNode& joins, const TStringBuf& table1, const TStringBuf& column1, const TStringBuf& table2, const TStringBuf& column2) {
if (!joins.Child(1)->IsAtom()) {
if (AreSameJoinKeys(*joins.Child(1), table1, column1, table2, column2)) {
return true;
}
}
if (!joins.Child(2)->IsAtom()) {
if (AreSameJoinKeys(*joins.Child(2), table1, column1, table2, column2)) {
return true;
}
}
for (ui32 i = 0; i < joins.Child(3)->ChildrenSize(); i += 2) {
if (joins.Child(3)->Child(i)->Content() == table1) {
if (joins.Child(4)->Child(i)->Content() == table2 &&
joins.Child(3)->Child(i + 1)->Content() == column1 &&
joins.Child(4)->Child(i + 1)->Content() == column2) {
return true;
}
}
else if (joins.Child(3)->Child(i)->Content() == table2) {
if (joins.Child(4)->Child(i)->Content() == table1 &&
joins.Child(3)->Child(i + 1)->Content() == column2 &&
joins.Child(4)->Child(i + 1)->Content() == column1) {
return true;
}
}
}
return false;
}
std::pair<bool, bool> IsRequiredSide(const TExprNode::TPtr& joinTree, const TJoinLabels& labels, ui32 inputIndex) {
auto joinType = joinTree->Child(0)->Content();
auto left = joinTree->ChildPtr(1);
auto right = joinTree->ChildPtr(2);
if (joinType == "Inner" || joinType == "Left" || joinType == "LeftOnly" || joinType == "LeftSemi" || joinType == "RightSemi" || joinType == "Cross") {
if (!left->IsAtom()) {
auto x = IsRequiredSide(left, labels, inputIndex);
if (x.first) {
return x;
}
}
else {
auto table = left->Content();
if (*labels.FindInputIndex(table) == inputIndex) {
return { true, joinType == "Inner" || joinType == "LeftSemi" };
}
}
}
if (joinType == "Inner" || joinType == "Right" || joinType == "RightOnly" || joinType == "RightSemi" || joinType == "LeftSemi" || joinType == "Cross") {
if (!right->IsAtom()) {
auto x = IsRequiredSide(right, labels, inputIndex);
if (x.first) {
return x;
}
}
else {
auto table = right->Content();
if (*labels.FindInputIndex(table) == inputIndex) {
return{ true, joinType == "Inner" || joinType == "RightSemi"};
}
}
}
return{ false, false };
}
TMaybe<bool> IsFilteredSide(const TExprNode::TPtr& joinTree, const TJoinLabels& labels, ui32 inputIndex) {
auto joinType = joinTree->Child(0)->Content();
auto left = joinTree->ChildPtr(1);
auto right = joinTree->ChildPtr(2);
TMaybe<bool> isLeftFiltered;
if (!left->IsAtom()) {
isLeftFiltered = IsFilteredSide(left, labels, inputIndex);
} else {
auto table = left->Content();
if (*labels.FindInputIndex(table) == inputIndex) {
if (joinType == "Inner" || joinType == "LeftOnly" || joinType == "LeftSemi") {
isLeftFiltered = true;
} else if (joinType != "RightOnly" && joinType != "RightSemi") {
isLeftFiltered = false;
}
}
}
TMaybe<bool> isRightFiltered;
if (!right->IsAtom()) {
isRightFiltered = IsFilteredSide(right, labels, inputIndex);
} else {
auto table = right->Content();
if (*labels.FindInputIndex(table) == inputIndex) {
if (joinType == "Inner" || joinType == "RightOnly" || joinType == "RightSemi") {
isRightFiltered = true;
} else if (joinType != "LeftOnly" && joinType != "LeftSemi") {
isRightFiltered = false;
}
}
}
YQL_ENSURE(!(isLeftFiltered.Defined() && isRightFiltered.Defined()));
if (!isLeftFiltered.Defined() && !isRightFiltered.Defined()) {
return {};
}
return isLeftFiltered.Defined() ? isLeftFiltered : isRightFiltered;
}
void AppendEquiJoinRenameMap(TPositionHandle pos, const TMap<TStringBuf, TVector<TStringBuf>>& newRenameMap,
TExprNode::TListType& joinSettingNodes, TExprContext& ctx) {
for (auto& x : newRenameMap) {
if (x.second.empty()) {
joinSettingNodes.push_back(ctx.Builder(pos)
.List()
.Atom(0, "rename")
.Atom(1, x.first)
.Atom(2, "")
.Seal()
.Build());
continue;
}
for (auto& y : x.second) {
if (x.first == y && x.second.size() == 1) {
continue;
}
joinSettingNodes.push_back(ctx.Builder(pos)
.List()
.Atom(0, "rename")
.Atom(1, x.first)
.Atom(2, y)
.Seal()
.Build());
}
}
}
void AppendEquiJoinSortSets(TPositionHandle pos, const TSet<TVector<TStringBuf>>& newSortSets,
TExprNode::TListType& joinSettingNodes, TExprContext& ctx)
{
for (auto& ss : newSortSets) {
YQL_ENSURE(!ss.empty());
joinSettingNodes.push_back(ctx.Builder(pos)
.List()
.Atom(0, "preferred_sort")
.List(1)
.Do([&](TExprNodeBuilder& parent) -> TExprNodeBuilder& {
for (ui32 i = 0; i < ss.size(); ++i) {
parent.Atom(i, ss[i]);
}
return parent;
})
.Seal()
.Seal()
.Build());
}
}
TMap<TStringBuf, TVector<TStringBuf>> UpdateUsedFieldsInRenameMap(
const TMap<TStringBuf, TVector<TStringBuf>>& renameMap,
const TSet<TStringBuf>& usedFields,
const TStructExprType* structType
) {
TMap<TStringBuf, TStringBuf> reversedRenameMap;
TMap<TStringBuf, TVector<TStringBuf>> newRenameMap;
for (auto& x : renameMap) {
if (!x.second.empty()) {
for (auto& y : x.second) {
reversedRenameMap[y] = x.first;
}
}
else {
// previous drops
newRenameMap[x.first].clear();
}
}
for (auto& item : structType->GetItems()) {
bool needRemove = !usedFields.contains(item->GetName());
if (auto renamed = reversedRenameMap.FindPtr(item->GetName())) {
if (needRemove) {
if (newRenameMap[*renamed].empty()) {
newRenameMap[*renamed].push_back("");
}
}
else {
if (!newRenameMap[*renamed].empty() && newRenameMap[*renamed][0].empty()) {
newRenameMap[*renamed].clear(); // Do not remove column because it will be renamed.
}
newRenameMap[*renamed].push_back(item->GetName());
}
}
else {
if (needRemove) {
newRenameMap[item->GetName()].push_back("");
}
}
}
for (auto& x : newRenameMap) {
if (AnyOf(x.second, [](const TStringBuf& value) { return !value.empty(); })) {
continue;
}
x.second.clear();
}
return newRenameMap;
}
TVector<TEquiJoinParent> CollectEquiJoinOnlyParents(const TCoFlatMapBase& flatMap, const TParentsMap& parents)
{
TVector<TEquiJoinParent> result;
if (!CollectEquiJoinOnlyParents(flatMap.Ref(), nullptr, 2, result, nullptr, parents)) {
result.clear();
}
return result;
}
TEquiJoinLinkSettings GetEquiJoinLinkSettings(const TExprNode& linkSettings) {
TEquiJoinLinkSettings result;
result.Pos = linkSettings.Pos();
auto collectHints = [](TSet<TString>& hints, const TExprNode& hintsNode) {
if (hintsNode.IsAtom()) {
hints.insert(ToString(hintsNode.Content()));
} else {
for (auto h : hintsNode.Children()) {
YQL_ENSURE(h->IsAtom());
hints.insert(ToString(h->Content()));
}
}
};
if (auto left = GetSetting(linkSettings, "left")) {
collectHints(result.LeftHints, *left->Child(1));
}
if (auto right = GetSetting(linkSettings, "right")) {
collectHints(result.RightHints, *right->Child(1));
}
if (auto algo = GetSetting(linkSettings, "join_algo")) {
YQL_ENSURE(algo->Child(1)->IsAtom());
result.JoinAlgo = FromString<EJoinAlgoType>(algo->Child(1)->Content());
}
auto collectShuffleColumnsFromSetting = [](const TExprNode::TPtr& shuffleSetting) -> TVector<NDq::TJoinColumn> {
TVector<NDq::TJoinColumn> shuffleBy;
shuffleBy.reserve(shuffleSetting->ChildrenSize());
for (std::size_t i = 1; i < shuffleSetting->ChildrenSize(); ++i) {
const auto& shuffleByNode = shuffleSetting->Child(i);
auto relName = TString(shuffleByNode->Child(0)->Content());
auto columnName = TString(shuffleByNode->Child(1)->Content());
shuffleBy.emplace_back(std::move(relName), std::move(columnName));
}
return shuffleBy;
};
if (auto shuffleLhsBy = GetSetting(linkSettings, "shuffle_lhs_by")) {
result.ShuffleLhsBy = collectShuffleColumnsFromSetting(shuffleLhsBy);
}
if (auto shuffleRhsBy = GetSetting(linkSettings, "shuffle_rhs_by")) {
result.ShuffleRhsBy = collectShuffleColumnsFromSetting(shuffleRhsBy);
}
result.ForceSortedMerge = HasSetting(linkSettings, "forceSortedMerge");
if (auto streamlookup = GetSetting(linkSettings, "forceStreamLookup")) {
YQL_ENSURE(result.JoinAlgoOptions.empty());
result.JoinAlgo = EJoinAlgoType::StreamLookupJoin;
auto size = streamlookup->ChildrenSize();
for (decltype(size) i = 1; i < size; ++i) {
result.JoinAlgoOptions.push_back(TString(streamlookup->Child(i)->Content()));
}
}
if (HasSetting(linkSettings, "compact")) {
result.Compact = true;
}
return result;
}
TExprNode::TPtr BuildEquiJoinLinkSettings(const TEquiJoinLinkSettings& linkSettings, TExprContext& ctx) {
auto builder = [&](const TStringBuf& side) -> TExprNode::TPtr {
return ctx.Builder(linkSettings.Pos)
.List()
.Atom(0, side)
.List(1)
.Do([&](TExprNodeBuilder& parent) -> TExprNodeBuilder& {
ui32 i = 0;
for (auto h : (side == "left" ? linkSettings.LeftHints : linkSettings.RightHints)) {
parent.Atom(i++, h);
}
return parent;
})
.Seal()
.Seal()
.Build();
};
TExprNode::TListType settings;
if (linkSettings.ForceSortedMerge) {
settings.push_back(ctx.NewList(linkSettings.Pos, { ctx.NewAtom(linkSettings.Pos, "forceSortedMerge", TNodeFlags::Default) }));
}
if (linkSettings.LeftHints) {
settings.push_back(builder("left"));
}
if (linkSettings.RightHints) {
settings.push_back(builder("right"));
}
if (linkSettings.Compact) {
settings.push_back(ctx.NewList(linkSettings.Pos, { ctx.NewAtom(linkSettings.Pos, "compact", TNodeFlags::Default) }));
}
return ctx.NewList(linkSettings.Pos, std::move(settings));
}
TExprNode::TPtr RemapNonConvertibleMemberForJoin(TPositionHandle pos, const TExprNode::TPtr& memberValue,
const TTypeAnnotationNode& memberType, const TTypeAnnotationNode& unifiedType, TExprContext& ctx)
{
TExprNode::TPtr result = memberValue;
if (&memberType != &unifiedType) {
result = ctx.Builder(pos)
.Callable("StrictCast")
.Add(0, std::move(result))
.Add(1, ExpandType(pos, unifiedType, ctx))
.Seal()
.Build();
}
if (RemoveOptionalType(&unifiedType)->GetKind() != ETypeAnnotationKind::Data) {
if (unifiedType.HasOptionalOrNull()) {
result = ctx.Builder(pos)
.Callable("If")
.Callable(0, "HasNull")
.Add(0, result)
.Seal()
.Callable(1, "Null")
.Seal()
.Callable(2, "StablePickle")
.Add(0, result)
.Seal()
.Seal()
.Build();
} else {
result = ctx.NewCallable(pos, "StablePickle", { result });
}
}
return result;
}
TExprNode::TPtr PrepareListForJoin(TExprNode::TPtr list, const TTypeAnnotationNode::TListType& keyTypes, TExprNode::TListType& keys, TExprNode::TListType&& payloads, bool payload, bool optional, bool filter, TExprContext& ctx) {
const auto pos = list->Pos();
const auto filterPayloads = [&payloads](TExprNodeBuilder& parent) -> TExprNodeBuilder& {
if (payloads.empty())
parent.Arg(1, "row");
else
parent.Callable(1, "FilterMembers")
.Arg(0, "row")
.List(1)
.Add(std::move(payloads))
.Seal()
.Seal();
return parent;
};
if (keyTypes.empty() && 1U == keys.size()) {
return payload ?
ctx.Builder(pos)
.Callable("Map")
.Add(0, std::move(list))
.Lambda(1)
.Param("row")
.List()
.Add(0, std::move(keys.front()))
.Do(filterPayloads)
.Seal()
.Seal()
.Seal()
.Build():
ctx.Builder(pos)
.Callable("List")
.Callable(0, "ListType")
.Callable(0, "DataType")
.Atom(0, "Bool", TNodeFlags::Default)
.Seal()
.Seal()
.Seal()
.Build();
}
if (1U == keyTypes.size()) {
const auto keyType = ctx.MakeType<TOptionalExprType>(keyTypes.front());
list = payload ? optional ?
ctx.Builder(pos)
.Callable("Map")
.Add(0, std::move(list))
.Lambda(1)
.Param("row")
.List()
.Callable(0, "StrictCast")
.Callable(0, "Member")
.Arg(0, "row")
.Add(1, std::move(keys.front()))
.Seal()
.Add(1, ExpandType(pos, *keyType, ctx))
.Seal()
.Do(filterPayloads)
.Seal()
.Seal()
.Seal()
.Build():
ctx.Builder(pos)
.Callable("FlatMap")
.Add(0, std::move(list))
.Lambda(1)
.Param("row")
.Callable("FlatMap")
.Callable(0, "StrictCast")
.Callable(0, "Member")
.Arg(0, "row")
.Add(1, std::move(keys.front()))
.Seal()
.Add(1, ExpandType(pos, *keyType, ctx))
.Seal()
.Lambda(1)
.Param("key")
.Callable("Just")
.List(0)
.Arg(0, "key")
.Do(filterPayloads)
.Seal()
.Seal()
.Seal()
.Seal()
.Seal()
.Seal()
.Build():
ctx.Builder(pos)
.Callable(optional ? "Map" : "FlatMap")
.Add(0, std::move(list))
.Lambda(1)
.Param("row")
.Callable("StrictCast")
.Callable(0, "Member")
.Arg(0, "row")
.Add(1, std::move(keys.front()))
.Seal()
.Add(1, ExpandType(pos, *keyType, ctx))
.Seal()
.Seal()
.Seal()
.Build();
} else {
const auto keyType = ctx.MakeType<TOptionalExprType>(ctx.MakeType<TTupleExprType>(keyTypes));
list = payload ? optional ?
ctx.Builder(pos)
.Callable("Map")
.Add(0, std::move(list))
.Lambda(1)
.Param("row")
.List()
.Callable(0, "StrictCast")
.List(0)
.Do([&](TExprNodeBuilder& parent) -> TExprNodeBuilder& {
ui32 pos = 0;
for (auto& key : keys) {
parent.Callable(pos++, "Member")
.Arg(0, "row")
.Add(1, std::move(key))
.Seal();
}
return parent;
})
.Seal()
.Add(1, ExpandType(pos, *keyType, ctx))
.Seal()
.Do(filterPayloads)
.Seal()
.Seal()
.Seal()
.Build():
ctx.Builder(pos)
.Callable("FlatMap")
.Add(0, std::move(list))
.Lambda(1)
.Param("row")
.Callable("FlatMap")
.Callable(0, "StrictCast")
.List(0)
.Do([&](TExprNodeBuilder& parent) -> TExprNodeBuilder& {
ui32 pos = 0;
for (auto& key : keys) {
parent.Callable(pos++, "Member")
.Arg(0, "row")
.Add(1, std::move(key))
.Seal();
}
return parent;
})
.Seal()
.Add(1, ExpandType(pos, *keyType, ctx))
.Seal()
.Lambda(1)
.Param("key")
.Callable("Just")
.List(0)
.Arg(0, "key")
.Do(filterPayloads)
.Seal()
.Seal()
.Seal()
.Seal()
.Seal()
.Seal()
.Build():
ctx.Builder(pos)
.Callable(optional ? "Map" : "FlatMap")
.Add(0, std::move(list))
.Lambda(1)
.Param("row")
.Callable("StrictCast")
.List(0)
.Do([&](TExprNodeBuilder& parent) -> TExprNodeBuilder& {
ui32 pos = 0;
for (auto& key : keys) {
parent.Callable(pos++, "Member")
.Arg(0, "row")
.Add(1, std::move(key))
.Seal();
}
return parent;
})
.Seal()
.Add(1, ExpandType(pos, *keyType, ctx))
.Seal()
.Seal()
.Seal()
.Build();
}
if (optional && filter) {
list = payload ?
ctx.Builder(pos)
.Callable("Filter")
.Add(0, std::move(list))
.Lambda(1)
.Param("row")
.Callable(0, "Exists")
.Callable(0, "Nth")
.Arg(0, "row")
.Atom(1, 0U)
.Seal()
.Seal()
.Seal()
.Seal()
.Build():
ctx.Builder(pos)
.Callable("Filter")
.Add(0, std::move(list))
.Lambda(1)
.Param("row")
.Callable(0, "Exists")
.Arg(0, "row")
.Seal()
.Seal()
.Seal()
.Build();
}
return list;
}
template <bool Squeeze>
TExprNode::TPtr MakeDictForJoin(TExprNode::TPtr&& list, bool payload, bool multi, TExprContext& ctx) {
return payload ?
ctx.Builder(list->Pos())
.Callable(Squeeze ? "SqueezeToDict" : "ToDict")
.Add(0, std::move(list))
.Lambda(1)
.Param("row")
.Callable("Nth")
.Arg(0, "row")
.Atom(1, 0U)
.Seal()
.Seal()
.Lambda(2)
.Param("row")
.Callable("Nth")
.Arg(0, "row")
.Atom(1, 1U)
.Seal()
.Seal()
.List(3)
.Atom(0, multi ? "Many" : "One", TNodeFlags::Default)
.Atom(1, "Hashed", TNodeFlags::Default)
.Do([&](TExprNodeBuilder& parent) -> TExprNodeBuilder& {
if constexpr (Squeeze)
parent.Atom(2, "Compact", TNodeFlags::Default);
return parent;
})
.Seal()
.Seal()
.Build():
ctx.Builder(list->Pos())
.Callable(Squeeze ? "SqueezeToDict" : "ToDict")
.Add(0, std::move(list))
.Lambda(1)
.Param("row")
.Arg("row")
.Seal()
.Lambda(2)
.Param("stub")
.Callable("Void").Seal()
.Seal()
.List(3)
.Atom(0, multi ? "Many" : "One", TNodeFlags::Default)
.Atom(1, "Hashed", TNodeFlags::Default)
.Do([&](TExprNodeBuilder& parent) -> TExprNodeBuilder& {
if constexpr (Squeeze)
parent.Atom(2, "Compact", TNodeFlags::Default);
return parent;
})
.Seal()
.Seal()
.Build();
}
template TExprNode::TPtr MakeDictForJoin<true>(TExprNode::TPtr&& list, bool payload, bool multi, TExprContext& ctx);
template TExprNode::TPtr MakeDictForJoin<false>(TExprNode::TPtr&& list, bool payload, bool multi, TExprContext& ctx);
TExprNode::TPtr MakeCrossJoin(TPositionHandle pos, TExprNode::TPtr left, TExprNode::TPtr right, TExprContext& ctx) {
return ctx.Builder(pos)
.List()
.Atom(0, "Cross")
.Add(1, left)
.Add(2, right)
.List(3)
.Seal()
.List(4)
.Seal()
.List(5)
.Seal()
.Seal()
.Build();
}
TExprNode::TPtr PreparePredicate(TExprNode::TPtr predicate, TExprContext& ctx) {
auto originalPredicate = predicate;
bool isPg = false;
if (predicate->IsCallable("ToPg")) {
isPg = true;
predicate = predicate->ChildPtr(0);
}
if (!predicate->IsCallable("Or")) {
return originalPredicate;
}
if (predicate->ChildrenSize() == 1) {
return originalPredicate;
}
// try to extract common And parts from Or
TVector<TExprNode::TListType> andParts;
for (ui32 i = 0; i < predicate->ChildrenSize(); ++i) {
TExprNode::TListType res;
bool isPg;
GatherAndTerms(predicate->ChildPtr(i), res, isPg, ctx);
YQL_ENSURE(!isPg); // direct child for Or
andParts.emplace_back(std::move(res));
}
THashMap<const TExprNode*, ui32> commonParts;
for (ui32 j = 0; j < andParts[0].size(); ++j) {
commonParts[andParts[0][j].Get()] = j;
}
for (ui32 i = 1; i < andParts.size(); ++i) {
THashSet<const TExprNode*> found;
for (ui32 j = 0; j < andParts[i].size(); ++j) {
found.insert(andParts[i][j].Get());
}
// remove
for (auto it = commonParts.begin(); it != commonParts.end();) {
if (found.contains(it->first)) {
++it;
} else {
commonParts.erase(it++);
}
}
}
if (commonParts.size() == 0) {
return originalPredicate;
}
// rebuild commonParts in order of original And
TVector<ui32> idx;
for (const auto& x : commonParts) {
idx.push_back(x.second);
}
Sort(idx);
TExprNode::TListType andArgs;
for (ui32 i : idx) {
andArgs.push_back(andParts[0][i]);
}
TExprNode::TListType orArgs;
for (ui32 i = 0; i < andParts.size(); ++i) {
TExprNode::TListType restAndArgs;
for (ui32 j = 0; j < andParts[i].size(); ++j) {
if (commonParts.contains(andParts[i][j].Get())) {
continue;
}
restAndArgs.push_back(andParts[i][j]);
}
if (restAndArgs.size() >= 1) {
orArgs.push_back(ctx.NewCallable(predicate->Pos(), "And", std::move(restAndArgs)));
}
}
if (orArgs.size() >= 1) {
andArgs.push_back(ctx.NewCallable(predicate->Pos(), "Or", std::move(orArgs)));
}
auto ret = ctx.NewCallable(predicate->Pos(), "And", std::move(andArgs));
if (isPg) {
ret = ctx.NewCallable(predicate->Pos(), "ToPg", { ret });
}
return ret;
}
void GatherAndTermsImpl(const TExprNode::TPtr& predicate, TExprNode::TListType& andTerms, TExprContext& ctx) {
auto pred = PreparePredicate(predicate, ctx);
if (!pred->IsCallable("And")) {
andTerms.emplace_back(pred);
return;
}
for (ui32 i = 0; i < pred->ChildrenSize(); ++i) {
GatherAndTermsImpl(pred->ChildPtr(i), andTerms, ctx);
}
}
void GatherAndTerms(const TExprNode::TPtr& predicate, TExprNode::TListType& andTerms, bool& isPg, TExprContext& ctx) {
isPg = false;
if (predicate->IsCallable("ToPg")) {
isPg = true;
GatherAndTermsImpl(predicate->HeadPtr(), andTerms, ctx);
} else {
GatherAndTermsImpl(predicate, andTerms, ctx);
}
}
TExprNode::TPtr FuseAndTerms(TPositionHandle position, const TExprNode::TListType& andTerms, const TExprNode::TPtr& exclude, bool isPg, TExprContext& ctx) {
TExprNode::TPtr prevAndNode = nullptr;
TNodeSet added;
for (const auto& otherAndTerm : andTerms) {
if (otherAndTerm == exclude) {
continue;
}
if (!added.insert(otherAndTerm.Get()).second) {
continue;
}
if (!prevAndNode) {
prevAndNode = otherAndTerm;
} else {
prevAndNode = ctx.NewCallable(position, "And", { prevAndNode, otherAndTerm });
}
}
if (isPg) {
return ctx.NewCallable(position, "ToPg", { prevAndNode });
} else {
return prevAndNode;
}
}
bool IsEquality(TExprNode::TPtr predicate, TExprNode::TPtr& left, TExprNode::TPtr& right) {
if (predicate->IsCallable("Coalesce")) {
if (predicate->Tail().IsCallable("Bool") && IsFalse(predicate->Tail().Head().Content())) {
predicate = predicate->HeadPtr();
} else {
return false;
}
}
if (predicate->IsCallable("FromPg")) {
predicate = predicate->HeadPtr();
}
if (predicate->IsCallable("==")) {
left = predicate->ChildPtr(0);
right = predicate->ChildPtr(1);
return true;
}
if (predicate->IsCallable("PgResolvedOp") &&
(predicate->Head().Content() == "=")) {
left = predicate->ChildPtr(2);
right = predicate->ChildPtr(3);
return true;
}
return false;
}
void GatherJoinInputs(const TExprNode::TPtr& expr, const TExprNode& row,
const TParentsMap& parentsMap, const THashMap<TString, TString>& backRenameMap,
const TJoinLabels& labels, TSet<ui32>& inputs, TSet<TStringBuf>& usedFields) {
usedFields.clear();
if (!HaveFieldsSubset(expr, row, usedFields, parentsMap, false)) {
const auto inputStructType = RemoveOptionalType(row.GetTypeAnn())->Cast<TStructExprType>();
for (const auto& i : inputStructType->GetItems()) {
usedFields.insert(i->GetName());
}
}
for (auto x : usedFields) {
// rename used fields
if (auto renamed = backRenameMap.FindPtr(x)) {
x = *renamed;
}
TStringBuf part1;
TStringBuf part2;
SplitTableName(x, part1, part2);
inputs.insert(*labels.FindInputIndex(part1));
if (inputs.size() == labels.Inputs.size()) {
break;
}
}
}
} // namespace NYql
|