forked from llvm/clangir
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathCIRGenExpr.cpp
2907 lines (2482 loc) · 109 KB
/
CIRGenExpr.cpp
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
//===--- CIRGenExpr.cpp - Emit LLVM Code from Expressions -----------------===//
//
// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
// See https://llvm.org/LICENSE.txt for license information.
// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
//
//===----------------------------------------------------------------------===//
//
// This contains code to emit Expr nodes as CIR code.
//
//===----------------------------------------------------------------------===//
#include "CIRGenBuilder.h"
#include "CIRGenCXXABI.h"
#include "CIRGenCall.h"
#include "CIRGenCstEmitter.h"
#include "CIRGenFunction.h"
#include "CIRGenModule.h"
#include "CIRGenOpenMPRuntime.h"
#include "CIRGenValue.h"
#include "UnimplementedFeatureGuarding.h"
#include "clang/AST/ExprCXX.h"
#include "clang/AST/GlobalDecl.h"
#include "clang/Basic/Builtins.h"
#include "clang/CIR/Dialect/IR/CIRDialect.h"
#include "clang/CIR/Dialect/IR/CIROpsEnums.h"
#include "clang/CIR/Dialect/IR/CIRTypes.h"
#include "llvm/ADT/StringExtras.h"
#include "llvm/Support/Casting.h"
#include "llvm/Support/ErrorHandling.h"
#include "llvm/ADT/StringExtras.h"
#include "mlir/Dialect/Func/IR/FuncOps.h"
#include "mlir/IR/Operation.h"
#include "mlir/IR/Value.h"
using namespace cir;
using namespace clang;
using namespace mlir::cir;
static mlir::cir::FuncOp buildFunctionDeclPointer(CIRGenModule &CGM,
GlobalDecl GD) {
const auto *FD = cast<FunctionDecl>(GD.getDecl());
if (FD->hasAttr<WeakRefAttr>()) {
mlir::Operation *aliasee = CGM.getWeakRefReference(FD);
return dyn_cast<FuncOp>(aliasee);
}
auto V = CGM.GetAddrOfFunction(GD);
return V;
}
static Address buildPreserveStructAccess(CIRGenFunction &CGF, LValue base,
Address addr, const FieldDecl *field) {
llvm_unreachable("NYI");
}
/// Get the address of a zero-sized field within a record. The resulting address
/// doesn't necessarily have the right type.
static Address buildAddrOfFieldStorage(CIRGenFunction &CGF, Address Base,
const FieldDecl *field,
llvm::StringRef fieldName,
unsigned fieldIndex) {
if (field->isZeroSize(CGF.getContext()))
llvm_unreachable("NYI");
auto loc = CGF.getLoc(field->getLocation());
auto fieldType = CGF.convertType(field->getType());
auto fieldPtr =
mlir::cir::PointerType::get(CGF.getBuilder().getContext(), fieldType);
// For most cases fieldName is the same as field->getName() but for lambdas,
// which do not currently carry the name, so it can be passed down from the
// CaptureStmt.
auto memberAddr = CGF.getBuilder().createGetMember(
loc, fieldPtr, Base.getPointer(), fieldName, fieldIndex);
// Retrieve layout information, compute alignment and return the final
// address.
const RecordDecl *rec = field->getParent();
auto &layout = CGF.CGM.getTypes().getCIRGenRecordLayout(rec);
unsigned idx = layout.getCIRFieldNo(field);
auto offset = CharUnits::fromQuantity(layout.getCIRType().getElementOffset(
CGF.CGM.getDataLayout().layout, idx));
auto addr =
Address(memberAddr, Base.getAlignment().alignmentAtOffset(offset));
return addr;
}
static bool hasAnyVptr(const QualType Type, const ASTContext &Context) {
const auto *RD = Type.getTypePtr()->getAsCXXRecordDecl();
if (!RD)
return false;
if (RD->isDynamicClass())
return true;
for (const auto &Base : RD->bases())
if (hasAnyVptr(Base.getType(), Context))
return true;
for (const FieldDecl *Field : RD->fields())
if (hasAnyVptr(Field->getType(), Context))
return true;
return false;
}
static Address buildPointerWithAlignment(const Expr *E,
LValueBaseInfo *BaseInfo,
KnownNonNull_t IsKnownNonNull,
CIRGenFunction &CGF) {
// We allow this with ObjC object pointers because of fragile ABIs.
assert(E->getType()->isPointerType() ||
E->getType()->isObjCObjectPointerType());
E = E->IgnoreParens();
// Casts:
if (const CastExpr *CE = dyn_cast<CastExpr>(E)) {
if (const auto *ECE = dyn_cast<ExplicitCastExpr>(CE))
CGF.CGM.buildExplicitCastExprType(ECE, &CGF);
switch (CE->getCastKind()) {
default: {
llvm::errs() << CE->getCastKindName() << "\n";
assert(0 && "not implemented");
}
// Non-converting casts (but not C's implicit conversion from void*).
case CK_BitCast:
case CK_NoOp:
case CK_AddressSpaceConversion:
if (auto PtrTy =
CE->getSubExpr()->getType()->getAs<clang::PointerType>()) {
if (PtrTy->getPointeeType()->isVoidType())
break;
assert(!UnimplementedFeature::tbaa());
LValueBaseInfo InnerBaseInfo;
Address Addr = CGF.buildPointerWithAlignment(
CE->getSubExpr(), &InnerBaseInfo, IsKnownNonNull);
if (BaseInfo)
*BaseInfo = InnerBaseInfo;
if (isa<ExplicitCastExpr>(CE)) {
assert(!UnimplementedFeature::tbaa());
LValueBaseInfo TargetTypeBaseInfo;
CharUnits Align = CGF.CGM.getNaturalPointeeTypeAlignment(
E->getType(), &TargetTypeBaseInfo);
// If the source l-value is opaque, honor the alignment of the
// casted-to type.
if (InnerBaseInfo.getAlignmentSource() != AlignmentSource::Decl) {
if (BaseInfo)
BaseInfo->mergeForCast(TargetTypeBaseInfo);
Addr = Address(Addr.getPointer(), Addr.getElementType(), Align,
IsKnownNonNull);
}
}
if (CGF.SanOpts.has(SanitizerKind::CFIUnrelatedCast) &&
CE->getCastKind() == CK_BitCast) {
if (auto PT = E->getType()->getAs<clang::PointerType>())
llvm_unreachable("NYI");
}
auto ElemTy =
CGF.getTypes().convertTypeForMem(E->getType()->getPointeeType());
Addr = CGF.getBuilder().createElementBitCast(
CGF.getLoc(E->getSourceRange()), Addr, ElemTy);
if (CE->getCastKind() == CK_AddressSpaceConversion) {
assert(!UnimplementedFeature::addressSpaceCasting());
llvm_unreachable("NYI");
}
return Addr;
}
break;
// Nothing to do here...
case CK_LValueToRValue:
case CK_NullToPointer:
case CK_IntegralToPointer:
break;
// Array-to-pointer decay. TODO(cir): BaseInfo and TBAAInfo.
case CK_ArrayToPointerDecay:
return CGF.buildArrayToPointerDecay(CE->getSubExpr());
case CK_UncheckedDerivedToBase:
case CK_DerivedToBase: {
// TODO: Support accesses to members of base classes in TBAA. For now, we
// conservatively pretend that the complete object is of the base class
// type.
assert(!UnimplementedFeature::tbaa());
Address Addr = CGF.buildPointerWithAlignment(CE->getSubExpr(), BaseInfo);
auto Derived = CE->getSubExpr()->getType()->getPointeeCXXRecordDecl();
return CGF.getAddressOfBaseClass(
Addr, Derived, CE->path_begin(), CE->path_end(),
CGF.shouldNullCheckClassCastValue(CE), CE->getExprLoc());
}
}
}
// Unary &.
if (const UnaryOperator *UO = dyn_cast<UnaryOperator>(E)) {
// TODO(cir): maybe we should use cir.unary for pointers here instead.
if (UO->getOpcode() == UO_AddrOf) {
LValue LV = CGF.buildLValue(UO->getSubExpr());
if (BaseInfo)
*BaseInfo = LV.getBaseInfo();
assert(!UnimplementedFeature::tbaa());
return LV.getAddress();
}
}
// std::addressof and variants.
if (auto *Call = dyn_cast<CallExpr>(E)) {
switch (Call->getBuiltinCallee()) {
default:
break;
case Builtin::BIaddressof:
case Builtin::BI__addressof:
case Builtin::BI__builtin_addressof: {
llvm_unreachable("NYI");
}
}
}
// TODO: conditional operators, comma.
// Otherwise, use the alignment of the type.
return CGF.makeNaturalAddressForPointer(
CGF.buildScalarExpr(E), E->getType()->getPointeeType(), CharUnits(),
/*ForPointeeType=*/true, BaseInfo, IsKnownNonNull);
}
/// Helper method to check if the underlying ABI is AAPCS
static bool isAAPCS(const TargetInfo &TargetInfo) {
return TargetInfo.getABI().starts_with("aapcs");
}
Address CIRGenFunction::getAddrOfBitFieldStorage(LValue base,
const FieldDecl *field,
mlir::Type fieldType,
unsigned index) {
if (index == 0)
return base.getAddress();
auto loc = getLoc(field->getLocation());
auto fieldPtr =
mlir::cir::PointerType::get(getBuilder().getContext(), fieldType);
auto sea = getBuilder().createGetMember(loc, fieldPtr, base.getPointer(),
field->getName(), index);
return Address(sea, CharUnits::One());
}
static bool useVolatileForBitField(const CIRGenModule &cgm, LValue base,
const CIRGenBitFieldInfo &info,
const FieldDecl *field) {
return isAAPCS(cgm.getTarget()) && cgm.getCodeGenOpts().AAPCSBitfieldWidth &&
info.VolatileStorageSize != 0 &&
field->getType()
.withCVRQualifiers(base.getVRQualifiers())
.isVolatileQualified();
}
LValue CIRGenFunction::buildLValueForBitField(LValue base,
const FieldDecl *field) {
LValueBaseInfo BaseInfo = base.getBaseInfo();
const RecordDecl *rec = field->getParent();
auto &layout = CGM.getTypes().getCIRGenRecordLayout(field->getParent());
auto &info = layout.getBitFieldInfo(field);
auto useVolatile = useVolatileForBitField(CGM, base, info, field);
unsigned Idx = layout.getCIRFieldNo(field);
if (useVolatile ||
(IsInPreservedAIRegion ||
(getDebugInfo() && rec->hasAttr<BPFPreserveAccessIndexAttr>()))) {
llvm_unreachable("NYI");
}
Address Addr = getAddrOfBitFieldStorage(base, field, info.StorageType, Idx);
auto loc = getLoc(field->getLocation());
if (Addr.getElementType() != info.StorageType)
Addr = builder.createElementBitCast(loc, Addr, info.StorageType);
QualType fieldType =
field->getType().withCVRQualifiers(base.getVRQualifiers());
assert(!UnimplementedFeature::tbaa() && "NYI TBAA for bit fields");
LValueBaseInfo FieldBaseInfo(BaseInfo.getAlignmentSource());
return LValue::MakeBitfield(Addr, info, fieldType, FieldBaseInfo);
}
LValue CIRGenFunction::buildLValueForField(LValue base,
const FieldDecl *field) {
LValueBaseInfo BaseInfo = base.getBaseInfo();
if (field->isBitField())
return buildLValueForBitField(base, field);
// Fields of may-alias structures are may-alais themselves.
// FIXME: this hould get propagated down through anonymous structs and unions.
QualType FieldType = field->getType();
const RecordDecl *rec = field->getParent();
AlignmentSource BaseAlignSource = BaseInfo.getAlignmentSource();
LValueBaseInfo FieldBaseInfo(getFieldAlignmentSource(BaseAlignSource));
if (UnimplementedFeature::tbaa() || rec->hasAttr<MayAliasAttr>() ||
FieldType->isVectorType()) {
assert(!UnimplementedFeature::tbaa() && "NYI");
} else if (rec->isUnion()) {
assert(!UnimplementedFeature::tbaa() && "NYI");
} else {
// If no base type been assigned for the base access, then try to generate
// one for this base lvalue.
assert(!UnimplementedFeature::tbaa() && "NYI");
}
Address addr = base.getAddress();
if (auto *ClassDef = dyn_cast<CXXRecordDecl>(rec)) {
if (CGM.getCodeGenOpts().StrictVTablePointers &&
ClassDef->isDynamicClass()) {
llvm_unreachable("NYI");
}
}
unsigned RecordCVR = base.getVRQualifiers();
if (rec->isUnion()) {
// NOTE(cir): the element to be loaded/stored need to type-match the
// source/destination, so we emit a GetMemberOp here.
llvm::StringRef fieldName = field->getName();
unsigned fieldIndex = field->getFieldIndex();
if (CGM.LambdaFieldToName.count(field))
fieldName = CGM.LambdaFieldToName[field];
addr = buildAddrOfFieldStorage(*this, addr, field, fieldName, fieldIndex);
if (CGM.getCodeGenOpts().StrictVTablePointers &&
hasAnyVptr(FieldType, getContext()))
// Because unions can easily skip invariant.barriers, we need to add
// a barrier every time CXXRecord field with vptr is referenced.
assert(!UnimplementedFeature::createInvariantGroup());
if (IsInPreservedAIRegion ||
(getDebugInfo() && rec->hasAttr<BPFPreserveAccessIndexAttr>())) {
assert(!UnimplementedFeature::generateDebugInfo());
}
if (FieldType->isReferenceType())
llvm_unreachable("NYI");
} else {
if (!IsInPreservedAIRegion &&
(!getDebugInfo() || !rec->hasAttr<BPFPreserveAccessIndexAttr>())) {
llvm::StringRef fieldName = field->getName();
auto &layout = CGM.getTypes().getCIRGenRecordLayout(field->getParent());
unsigned fieldIndex = layout.getCIRFieldNo(field);
if (CGM.LambdaFieldToName.count(field))
fieldName = CGM.LambdaFieldToName[field];
addr = buildAddrOfFieldStorage(*this, addr, field, fieldName, fieldIndex);
} else
// Remember the original struct field index
addr = buildPreserveStructAccess(*this, base, addr, field);
}
// If this is a reference field, load the reference right now.
if (FieldType->isReferenceType()) {
assert(!UnimplementedFeature::tbaa());
LValue RefLVal = makeAddrLValue(addr, FieldType, FieldBaseInfo);
if (RecordCVR & Qualifiers::Volatile)
RefLVal.getQuals().addVolatile();
addr = buildLoadOfReference(RefLVal, getLoc(field->getSourceRange()),
&FieldBaseInfo);
// Qualifiers on the struct don't apply to the referencee.
RecordCVR = 0;
FieldType = FieldType->getPointeeType();
}
// Make sure that the address is pointing to the right type. This is critical
// for both unions and structs. A union needs a bitcast, a struct element will
// need a bitcast if the CIR type laid out doesn't match the desired type.
// TODO(CIR): CodeGen requires a bitcast here for unions or for structs where
// the LLVM type doesn't match the desired type. No idea when the latter might
// occur, though.
if (field->hasAttr<AnnotateAttr>())
llvm_unreachable("NYI");
if (UnimplementedFeature::tbaa())
// Next line should take a TBAA object
llvm_unreachable("NYI");
LValue LV = makeAddrLValue(addr, FieldType, FieldBaseInfo);
LV.getQuals().addCVRQualifiers(RecordCVR);
// __weak attribute on a field is ignored.
if (LV.getQuals().getObjCGCAttr() == Qualifiers::Weak)
llvm_unreachable("NYI");
return LV;
}
LValue CIRGenFunction::buildLValueForFieldInitialization(
LValue Base, const clang::FieldDecl *Field, llvm::StringRef FieldName) {
QualType FieldType = Field->getType();
if (!FieldType->isReferenceType())
return buildLValueForField(Base, Field);
auto &layout = CGM.getTypes().getCIRGenRecordLayout(Field->getParent());
unsigned FieldIndex = layout.getCIRFieldNo(Field);
Address V = buildAddrOfFieldStorage(*this, Base.getAddress(), Field,
FieldName, FieldIndex);
// Make sure that the address is pointing to the right type.
auto memTy = getTypes().convertTypeForMem(FieldType);
V = builder.createElementBitCast(getLoc(Field->getSourceRange()), V, memTy);
// TODO: Generate TBAA information that describes this access as a structure
// member access and not just an access to an object of the field's type. This
// should be similar to what we do in EmitLValueForField().
LValueBaseInfo BaseInfo = Base.getBaseInfo();
AlignmentSource FieldAlignSource = BaseInfo.getAlignmentSource();
LValueBaseInfo FieldBaseInfo(getFieldAlignmentSource(FieldAlignSource));
assert(!UnimplementedFeature::tbaa() && "NYI");
return makeAddrLValue(V, FieldType, FieldBaseInfo);
}
LValue
CIRGenFunction::buildCompoundLiteralLValue(const CompoundLiteralExpr *E) {
if (E->isFileScope()) {
llvm_unreachable("NYI");
}
if (E->getType()->isVariablyModifiedType()) {
llvm_unreachable("NYI");
}
Address DeclPtr = CreateMemTemp(E->getType(), getLoc(E->getSourceRange()),
".compoundliteral");
const Expr *InitExpr = E->getInitializer();
LValue Result = makeAddrLValue(DeclPtr, E->getType(), AlignmentSource::Decl);
buildAnyExprToMem(InitExpr, DeclPtr, E->getType().getQualifiers(),
/*Init*/ true);
// Block-scope compound literals are destroyed at the end of the enclosing
// scope in C.
if (!getLangOpts().CPlusPlus)
if (QualType::DestructionKind DtorKind = E->getType().isDestructedType())
llvm_unreachable("NYI");
return Result;
}
// Detect the unusual situation where an inline version is shadowed by a
// non-inline version. In that case we should pick the external one
// everywhere. That's GCC behavior too.
static bool onlyHasInlineBuiltinDeclaration(const FunctionDecl *FD) {
for (const FunctionDecl *PD = FD; PD; PD = PD->getPreviousDecl())
if (!PD->isInlineBuiltinDeclaration())
return false;
return true;
}
static CIRGenCallee buildDirectCallee(CIRGenModule &CGM, GlobalDecl GD) {
const auto *FD = cast<FunctionDecl>(GD.getDecl());
if (auto builtinID = FD->getBuiltinID()) {
std::string NoBuiltinFD = ("no-builtin-" + FD->getName()).str();
std::string NoBuiltins = "no-builtins";
auto *A = FD->getAttr<AsmLabelAttr>();
StringRef Ident = A ? A->getLabel() : FD->getName();
std::string FDInlineName = (Ident + ".inline").str();
auto &CGF = *CGM.getCurrCIRGenFun();
bool IsPredefinedLibFunction =
CGM.getASTContext().BuiltinInfo.isPredefinedLibFunction(builtinID);
bool HasAttributeNoBuiltin = false;
assert(!UnimplementedFeature::attributeNoBuiltin() && "NYI");
// bool HasAttributeNoBuiltin =
// CGF.CurFn->getAttributes().hasFnAttr(NoBuiltinFD) ||
// CGF.CurFn->getAttributes().hasFnAttr(NoBuiltins);
// When directing calling an inline builtin, call it through it's mangled
// name to make it clear it's not the actual builtin.
auto Fn = cast<mlir::cir::FuncOp>(CGF.CurFn);
if (Fn.getName() != FDInlineName && onlyHasInlineBuiltinDeclaration(FD)) {
assert(0 && "NYI");
}
// Replaceable builtins provide their own implementation of a builtin. If we
// are in an inline builtin implementation, avoid trivial infinite
// recursion. Honor __attribute__((no_builtin("foo"))) or
// __attribute__((no_builtin)) on the current function unless foo is
// not a predefined library function which means we must generate the
// builtin no matter what.
else if (!IsPredefinedLibFunction || !HasAttributeNoBuiltin)
return CIRGenCallee::forBuiltin(builtinID, FD);
}
auto CalleePtr = buildFunctionDeclPointer(CGM, GD);
assert(!CGM.getLangOpts().CUDA && "NYI");
return CIRGenCallee::forDirect(CalleePtr, GD);
}
// TODO: this can also be abstrated into common AST helpers
bool CIRGenFunction::hasBooleanRepresentation(QualType Ty) {
if (Ty->isBooleanType())
return true;
if (const EnumType *ET = Ty->getAs<EnumType>())
return ET->getDecl()->getIntegerType()->isBooleanType();
if (const AtomicType *AT = Ty->getAs<AtomicType>())
return hasBooleanRepresentation(AT->getValueType());
return false;
}
CIRGenCallee CIRGenFunction::buildCallee(const clang::Expr *E) {
E = E->IgnoreParens();
// Look through function-to-pointer decay.
if (const auto *ICE = dyn_cast<ImplicitCastExpr>(E)) {
if (ICE->getCastKind() == CK_FunctionToPointerDecay ||
ICE->getCastKind() == CK_BuiltinFnToFnPtr) {
return buildCallee(ICE->getSubExpr());
}
// Resolve direct calls.
} else if (const auto *DRE = dyn_cast<DeclRefExpr>(E)) {
const auto *FD = dyn_cast<FunctionDecl>(DRE->getDecl());
assert(FD &&
"DeclRef referring to FunctionDecl only thing supported so far");
return buildDirectCallee(CGM, FD);
}
assert(!dyn_cast<MemberExpr>(E) && "NYI");
assert(!dyn_cast<SubstNonTypeTemplateParmExpr>(E) && "NYI");
assert(!dyn_cast<CXXPseudoDestructorExpr>(E) && "NYI");
// Otherwise, we have an indirect reference.
mlir::Value calleePtr;
QualType functionType;
if (auto ptrType = E->getType()->getAs<clang::PointerType>()) {
calleePtr = buildScalarExpr(E);
functionType = ptrType->getPointeeType();
} else {
functionType = E->getType();
calleePtr = buildLValue(E).getPointer();
}
assert(functionType->isFunctionType());
GlobalDecl GD;
if (const auto *VD =
dyn_cast_or_null<VarDecl>(E->getReferencedDeclOfCallee()))
GD = GlobalDecl(VD);
CIRGenCalleeInfo calleeInfo(functionType->getAs<FunctionProtoType>(), GD);
CIRGenCallee callee(calleeInfo, calleePtr.getDefiningOp());
return callee;
assert(false && "Nothing else supported yet!");
}
mlir::Value CIRGenFunction::buildToMemory(mlir::Value Value, QualType Ty) {
// Bool has a different representation in memory than in registers.
return Value;
}
void CIRGenFunction::buildStoreOfScalar(mlir::Value value, LValue lvalue) {
// TODO: constant matrix type, no init, non temporal, TBAA
buildStoreOfScalar(value, lvalue.getAddress(), lvalue.isVolatile(),
lvalue.getType(), lvalue.getBaseInfo(), false, false);
}
void CIRGenFunction::buildStoreOfScalar(mlir::Value Value, Address Addr,
bool Volatile, QualType Ty,
LValueBaseInfo BaseInfo, bool isInit,
bool isNontemporal) {
Value = buildToMemory(Value, Ty);
LValue AtomicLValue = LValue::makeAddr(Addr, Ty, getContext(), BaseInfo);
if (Ty->isAtomicType() ||
(!isInit && LValueIsSuitableForInlineAtomic(AtomicLValue))) {
buildAtomicStore(RValue::get(Value), AtomicLValue, isInit);
return;
}
if (const auto *ClangVecTy = Ty->getAs<clang::VectorType>()) {
if (!CGM.getCodeGenOpts().PreserveVec3Type &&
ClangVecTy->getNumElements() == 3)
llvm_unreachable("NYI: Special treatment of 3-element vector store");
}
// Update the alloca with more info on initialization.
assert(Addr.getPointer() && "expected pointer to exist");
auto SrcAlloca =
dyn_cast_or_null<mlir::cir::AllocaOp>(Addr.getPointer().getDefiningOp());
if (currVarDecl && SrcAlloca) {
const VarDecl *VD = currVarDecl;
assert(VD && "VarDecl expected");
if (VD->hasInit())
SrcAlloca.setInitAttr(mlir::UnitAttr::get(builder.getContext()));
}
assert(currSrcLoc && "must pass in source location");
builder.createStore(*currSrcLoc, Value, Addr, Volatile);
if (isNontemporal) {
llvm_unreachable("NYI");
}
if (UnimplementedFeature::tbaa())
llvm_unreachable("NYI");
}
void CIRGenFunction::buildStoreOfScalar(mlir::Value value, LValue lvalue,
bool isInit) {
if (lvalue.getType()->isConstantMatrixType()) {
llvm_unreachable("NYI");
}
buildStoreOfScalar(value, lvalue.getAddress(), lvalue.isVolatile(),
lvalue.getType(), lvalue.getBaseInfo(), isInit,
lvalue.isNontemporal());
}
/// Given an expression that represents a value lvalue, this
/// method emits the address of the lvalue, then loads the result as an rvalue,
/// returning the rvalue.
RValue CIRGenFunction::buildLoadOfLValue(LValue LV, SourceLocation Loc) {
assert(!LV.getType()->isFunctionType());
assert(!(LV.getType()->isConstantMatrixType()) && "not implemented");
if (LV.isBitField())
return buildLoadOfBitfieldLValue(LV, Loc);
if (LV.isSimple())
return RValue::get(buildLoadOfScalar(LV, Loc));
llvm_unreachable("NYI");
}
RValue CIRGenFunction::buildLoadOfBitfieldLValue(LValue LV,
SourceLocation Loc) {
const CIRGenBitFieldInfo &info = LV.getBitFieldInfo();
// Get the output type.
mlir::Type resLTy = convertType(LV.getType());
Address ptr = LV.getBitFieldAddress();
bool useVolatile = LV.isVolatileQualified() &&
info.VolatileStorageSize != 0 && isAAPCS(CGM.getTarget());
auto field = builder.createGetBitfield(getLoc(Loc), resLTy, ptr.getPointer(),
ptr.getElementType(), info,
LV.isVolatile(), useVolatile);
assert(!UnimplementedFeature::emitScalarRangeCheck() && "NYI");
return RValue::get(field);
}
void CIRGenFunction::buildStoreThroughLValue(RValue Src, LValue Dst,
bool isInit) {
if (!Dst.isSimple()) {
if (Dst.isVectorElt()) {
// Read/modify/write the vector, inserting the new element
mlir::Location loc = Dst.getVectorPointer().getLoc();
mlir::Value Vector = builder.createLoad(loc, Dst.getVectorAddress());
Vector = builder.create<mlir::cir::VecInsertOp>(
loc, Vector, Src.getScalarVal(), Dst.getVectorIdx());
builder.createStore(loc, Vector, Dst.getVectorAddress());
return;
}
assert(Dst.isBitField() && "NIY LValue type");
mlir::Value result;
return buildStoreThroughBitfieldLValue(Src, Dst, result);
}
assert(Dst.isSimple() && "only implemented simple");
// There's special magic for assigning into an ARC-qualified l-value.
if (Qualifiers::ObjCLifetime Lifetime = Dst.getQuals().getObjCLifetime()) {
llvm_unreachable("NYI");
}
if (Dst.isObjCWeak() && !Dst.isNonGC()) {
llvm_unreachable("NYI");
}
if (Dst.isObjCStrong() && !Dst.isNonGC()) {
llvm_unreachable("NYI");
}
assert(Src.isScalar() && "Can't emit an agg store with this method");
buildStoreOfScalar(Src.getScalarVal(), Dst, isInit);
}
void CIRGenFunction::buildStoreThroughBitfieldLValue(RValue Src, LValue Dst,
mlir::Value &Result) {
// According to the AACPS:
// When a volatile bit-field is written, and its container does not overlap
// with any non-bit-field member, its container must be read exactly once
// and written exactly once using the access width appropriate to the type
// of the container. The two accesses are not atomic.
if (Dst.isVolatileQualified() && isAAPCS(CGM.getTarget()) &&
CGM.getCodeGenOpts().ForceAAPCSBitfieldLoad)
llvm_unreachable("volatile bit-field is not implemented for the AACPS");
const CIRGenBitFieldInfo &info = Dst.getBitFieldInfo();
mlir::Type resLTy = getTypes().convertTypeForMem(Dst.getType());
Address ptr = Dst.getBitFieldAddress();
const bool useVolatile =
CGM.getCodeGenOpts().AAPCSBitfieldWidth && Dst.isVolatileQualified() &&
info.VolatileStorageSize != 0 && isAAPCS(CGM.getTarget());
mlir::Value dstAddr = Dst.getAddress().getPointer();
Result = builder.createSetBitfield(
dstAddr.getLoc(), resLTy, dstAddr, ptr.getElementType(),
Src.getScalarVal(), info, Dst.isVolatileQualified(), useVolatile);
}
static LValue buildGlobalVarDeclLValue(CIRGenFunction &CGF, const Expr *E,
const VarDecl *VD) {
QualType T = E->getType();
// If it's thread_local, emit a call to its wrapper function instead.
if (VD->getTLSKind() == VarDecl::TLS_Dynamic &&
CGF.CGM.getCXXABI().usesThreadWrapperFunction(VD))
assert(0 && "not implemented");
// Check if the variable is marked as declare target with link clause in
// device codegen.
if (CGF.getLangOpts().OpenMP)
llvm_unreachable("not implemented");
// Traditional LLVM codegen handles thread local separately, CIR handles
// as part of getAddrOfGlobalVar.
auto V = CGF.CGM.getAddrOfGlobalVar(VD);
auto RealVarTy = CGF.getTypes().convertTypeForMem(VD->getType());
auto realPtrTy = CGF.getBuilder().getPointerTo(RealVarTy);
if (realPtrTy != V.getType())
V = CGF.getBuilder().createBitcast(V.getLoc(), V, realPtrTy);
CharUnits Alignment = CGF.getContext().getDeclAlign(VD);
Address Addr(V, RealVarTy, Alignment);
// Emit reference to the private copy of the variable if it is an OpenMP
// threadprivate variable.
if (CGF.getLangOpts().OpenMP && !CGF.getLangOpts().OpenMPSimd &&
VD->hasAttr<clang::OMPThreadPrivateDeclAttr>()) {
assert(0 && "NYI");
}
LValue LV;
if (VD->getType()->isReferenceType())
assert(0 && "NYI");
else
LV = CGF.makeAddrLValue(Addr, T, AlignmentSource::Decl);
assert(!UnimplementedFeature::setObjCGCLValueClass() && "NYI");
return LV;
}
static LValue buildCapturedFieldLValue(CIRGenFunction &CGF, const FieldDecl *FD,
mlir::Value ThisValue) {
QualType TagType = CGF.getContext().getTagDeclType(FD->getParent());
LValue LV = CGF.MakeNaturalAlignAddrLValue(ThisValue, TagType);
return CGF.buildLValueForField(LV, FD);
}
static LValue buildFunctionDeclLValue(CIRGenFunction &CGF, const Expr *E,
GlobalDecl GD) {
const FunctionDecl *FD = cast<FunctionDecl>(GD.getDecl());
auto funcOp = buildFunctionDeclPointer(CGF.CGM, GD);
auto loc = CGF.getLoc(E->getSourceRange());
CharUnits align = CGF.getContext().getDeclAlign(FD);
auto fnTy = funcOp.getFunctionType();
auto ptrTy = mlir::cir::PointerType::get(CGF.getBuilder().getContext(), fnTy);
auto addr = CGF.getBuilder().create<mlir::cir::GetGlobalOp>(
loc, ptrTy, funcOp.getSymName());
return CGF.makeAddrLValue(Address(addr, fnTy, align), E->getType(),
AlignmentSource::Decl);
}
LValue CIRGenFunction::buildDeclRefLValue(const DeclRefExpr *E) {
const NamedDecl *ND = E->getDecl();
QualType T = E->getType();
assert(E->isNonOdrUse() != NOUR_Unevaluated &&
"should not emit an unevaluated operand");
if (const auto *VD = dyn_cast<VarDecl>(ND)) {
// Global Named registers access via intrinsics only
if (VD->getStorageClass() == SC_Register && VD->hasAttr<AsmLabelAttr>() &&
!VD->isLocalVarDecl())
llvm_unreachable("NYI");
assert(E->isNonOdrUse() != NOUR_Constant && "not implemented");
// Check for captured variables.
if (E->refersToEnclosingVariableOrCapture()) {
VD = VD->getCanonicalDecl();
if (auto *FD = LambdaCaptureFields.lookup(VD))
return buildCapturedFieldLValue(*this, FD, CXXABIThisValue);
assert(!UnimplementedFeature::CGCapturedStmtInfo() && "NYI");
// TODO[OpenMP]: Find the appropiate captured variable value and return
// it.
// TODO[OpenMP]: Set non-temporal information in the captured LVal.
// LLVM codegen:
assert(!UnimplementedFeature::openMP());
// Address addr = GetAddrOfBlockDecl(VD);
// return MakeAddrLValue(addr, T, AlignmentSource::Decl);
}
}
// FIXME(CIR): We should be able to assert this for FunctionDecls as well!
// FIXME(CIR): We should be able to assert this for all DeclRefExprs, not just
// those with a valid source location.
assert((ND->isUsed(false) || !isa<VarDecl>(ND) || E->isNonOdrUse() ||
!E->getLocation().isValid()) &&
"Should not use decl without marking it used!");
if (ND->hasAttr<WeakRefAttr>()) {
llvm_unreachable("NYI");
}
if (const auto *VD = dyn_cast<VarDecl>(ND)) {
// Check if this is a global variable
if (VD->hasLinkage() || VD->isStaticDataMember())
return buildGlobalVarDeclLValue(*this, E, VD);
Address addr = Address::invalid();
// The variable should generally be present in the local decl map.
auto iter = LocalDeclMap.find(VD);
if (iter != LocalDeclMap.end()) {
addr = iter->second;
}
// Otherwise, it might be static local we haven't emitted yet for some
// reason; most likely, because it's in an outer function.
else if (VD->isStaticLocal()) {
mlir::cir::GlobalOp var = CGM.getOrCreateStaticVarDecl(
*VD, CGM.getCIRLinkageVarDefinition(VD, /*IsConstant=*/false));
addr = Address(builder.createGetGlobal(var), convertType(VD->getType()),
getContext().getDeclAlign(VD));
} else {
llvm_unreachable("DeclRefExpr for decl not entered in LocalDeclMap?");
}
// Handle threadlocal function locals.
if (VD->getTLSKind() != VarDecl::TLS_None)
llvm_unreachable("thread-local storage is NYI");
// Check for OpenMP threadprivate variables.
if (getLangOpts().OpenMP && !getLangOpts().OpenMPSimd &&
VD->hasAttr<OMPThreadPrivateDeclAttr>()) {
llvm_unreachable("NYI");
}
// Drill into block byref variables.
bool isBlockByref = VD->isEscapingByref();
if (isBlockByref) {
llvm_unreachable("NYI");
}
// Drill into reference types.
LValue LV =
VD->getType()->isReferenceType()
? buildLoadOfReferenceLValue(addr, getLoc(E->getSourceRange()),
VD->getType(), AlignmentSource::Decl)
: makeAddrLValue(addr, T, AlignmentSource::Decl);
// Statics are defined as globals, so they are not include in the function's
// symbol table.
assert((VD->isStaticLocal() || symbolTable.count(VD)) &&
"non-static locals should be already mapped");
bool isLocalStorage = VD->hasLocalStorage();
bool NonGCable =
isLocalStorage && !VD->getType()->isReferenceType() && !isBlockByref;
if (NonGCable && UnimplementedFeature::setNonGC()) {
llvm_unreachable("garbage collection is NYI");
}
bool isImpreciseLifetime =
(isLocalStorage && !VD->hasAttr<ObjCPreciseLifetimeAttr>());
if (isImpreciseLifetime && UnimplementedFeature::ARC())
llvm_unreachable("imprecise lifetime is NYI");
assert(!UnimplementedFeature::setObjCGCLValueClass());
// Statics are defined as globals, so they are not include in the function's
// symbol table.
assert((VD->isStaticLocal() || symbolTable.lookup(VD)) &&
"Name lookup must succeed for non-static local variables");
return LV;
}
if (const auto *FD = dyn_cast<FunctionDecl>(ND)) {
LValue LV = buildFunctionDeclLValue(*this, E, FD);
// Emit debuginfo for the function declaration if the target wants to.
if (getContext().getTargetInfo().allowDebugInfoForExternalRef())
assert(!UnimplementedFeature::generateDebugInfo());
return LV;
}
// FIXME: While we're emitting a binding from an enclosing scope, all other
// DeclRefExprs we see should be implicitly treated as if they also refer to
// an enclosing scope.
if (const auto *BD = dyn_cast<BindingDecl>(ND)) {
llvm_unreachable("NYI");
}
// We can form DeclRefExprs naming GUID declarations when reconstituting
// non-type template parameters into expressions.
if (const auto *GD = dyn_cast<MSGuidDecl>(ND))
llvm_unreachable("NYI");
if (const auto *TPO = dyn_cast<TemplateParamObjectDecl>(ND))
llvm_unreachable("NYI");
llvm_unreachable("Unhandled DeclRefExpr");
}
LValue
CIRGenFunction::buildPointerToDataMemberBinaryExpr(const BinaryOperator *E) {
assert((E->getOpcode() == BO_PtrMemD || E->getOpcode() == BO_PtrMemI) &&
"unexpected binary operator opcode");
auto baseAddr = Address::invalid();
if (E->getOpcode() == BO_PtrMemD)
baseAddr = buildLValue(E->getLHS()).getAddress();
else
baseAddr = buildPointerWithAlignment(E->getLHS());
const auto *memberPtrTy = E->getRHS()->getType()->castAs<MemberPointerType>();
auto memberPtr = buildScalarExpr(E->getRHS());
LValueBaseInfo baseInfo;
// TODO(cir): add TBAA
assert(!UnimplementedFeature::tbaa());
auto memberAddr = buildCXXMemberDataPointerAddress(E, baseAddr, memberPtr,
memberPtrTy, &baseInfo);
return makeAddrLValue(memberAddr, memberPtrTy->getPointeeType(), baseInfo);
}
LValue CIRGenFunction::buildBinaryOperatorLValue(const BinaryOperator *E) {
// Comma expressions just emit their LHS then their RHS as an l-value.
if (E->getOpcode() == BO_Comma) {
buildIgnoredExpr(E->getLHS());
return buildLValue(E->getRHS());
}
if (E->getOpcode() == BO_PtrMemD || E->getOpcode() == BO_PtrMemI)
return buildPointerToDataMemberBinaryExpr(E);
assert(E->getOpcode() == BO_Assign && "unexpected binary l-value");
// Note that in all of these cases, __block variables need the RHS
// evaluated first just in case the variable gets moved by the RHS.
switch (CIRGenFunction::getEvaluationKind(E->getType())) {
case TEK_Scalar: {
assert(E->getLHS()->getType().getObjCLifetime() ==
clang::Qualifiers::ObjCLifetime::OCL_None &&
"not implemented");
RValue RV = buildAnyExpr(E->getRHS());
LValue LV = buildLValue(E->getLHS());
SourceLocRAIIObject Loc{*this, getLoc(E->getSourceRange())};
if (LV.isBitField()) {
mlir::Value result;
buildStoreThroughBitfieldLValue(RV, LV, result);
} else {
buildStoreThroughLValue(RV, LV);
}
if (getLangOpts().OpenMP)
CGM.getOpenMPRuntime().checkAndEmitLastprivateConditional(*this,
E->getLHS());
return LV;
}
case TEK_Complex:
assert(0 && "not implemented");
case TEK_Aggregate: