1 //===--- CGExprAgg.cpp - Emit LLVM Code from Aggregate Expressions --------===//
2 //
3 //                     The LLVM Compiler Infrastructure
4 //
5 // This file is distributed under the University of Illinois Open Source
6 // License. See LICENSE.TXT for details.
7 //
8 //===----------------------------------------------------------------------===//
9 //
10 // This contains code to emit Aggregate Expr nodes as LLVM code.
11 //
12 //===----------------------------------------------------------------------===//
13 
14 #include "CodeGenFunction.h"
15 #include "CodeGenModule.h"
16 #include "clang/AST/ASTContext.h"
17 #include "clang/AST/StmtVisitor.h"
18 #include "llvm/Constants.h"
19 #include "llvm/Function.h"
20 #include "llvm/GlobalVariable.h"
21 #include "llvm/Support/Compiler.h"
22 #include "llvm/Intrinsics.h"
23 using namespace clang;
24 using namespace CodeGen;
25 
26 //===----------------------------------------------------------------------===//
27 //                        Aggregate Expression Emitter
28 //===----------------------------------------------------------------------===//
29 
30 namespace  {
31 class VISIBILITY_HIDDEN AggExprEmitter : public StmtVisitor<AggExprEmitter> {
32   CodeGenFunction &CGF;
33   llvm::IRBuilder<> &Builder;
34   llvm::Value *DestPtr;
35   bool VolatileDest;
36 public:
37   AggExprEmitter(CodeGenFunction &cgf, llvm::Value *destPtr, bool volatileDest)
38     : CGF(cgf), Builder(CGF.Builder),
39       DestPtr(destPtr), VolatileDest(volatileDest) {
40   }
41 
42   //===--------------------------------------------------------------------===//
43   //                               Utilities
44   //===--------------------------------------------------------------------===//
45 
46   /// EmitAggLoadOfLValue - Given an expression with aggregate type that
47   /// represents a value lvalue, this method emits the address of the lvalue,
48   /// then loads the result into DestPtr.
49   void EmitAggLoadOfLValue(const Expr *E);
50 
51   void EmitAggregateCopy(llvm::Value *DestPtr, llvm::Value *SrcPtr,
52                          QualType EltTy);
53 
54   void EmitAggregateClear(llvm::Value *DestPtr, QualType Ty);
55 
56   void EmitNonConstInit(InitListExpr *E);
57 
58   //===--------------------------------------------------------------------===//
59   //                            Visitor Methods
60   //===--------------------------------------------------------------------===//
61 
62   void VisitStmt(Stmt *S) {
63     CGF.ErrorUnsupported(S, "aggregate expression");
64   }
65   void VisitParenExpr(ParenExpr *PE) { Visit(PE->getSubExpr()); }
66 
67   // l-values.
68   void VisitDeclRefExpr(DeclRefExpr *DRE) { EmitAggLoadOfLValue(DRE); }
69   void VisitMemberExpr(MemberExpr *ME) { EmitAggLoadOfLValue(ME); }
70   void VisitUnaryDeref(UnaryOperator *E) { EmitAggLoadOfLValue(E); }
71   void VisitStringLiteral(StringLiteral *E) { EmitAggLoadOfLValue(E); }
72   void VisitCompoundLiteralExpr(CompoundLiteralExpr *E)
73       { EmitAggLoadOfLValue(E); }
74 
75   void VisitArraySubscriptExpr(ArraySubscriptExpr *E) {
76     EmitAggLoadOfLValue(E);
77   }
78 
79   // Operators.
80   //  case Expr::UnaryOperatorClass:
81   //  case Expr::CastExprClass:
82   void VisitImplicitCastExpr(ImplicitCastExpr *E);
83   void VisitCallExpr(const CallExpr *E);
84   void VisitStmtExpr(const StmtExpr *E);
85   void VisitBinaryOperator(const BinaryOperator *BO);
86   void VisitBinAssign(const BinaryOperator *E);
87   void VisitOverloadExpr(const OverloadExpr *E);
88   void VisitBinComma(const BinaryOperator *E);
89 
90   void VisitObjCMessageExpr(ObjCMessageExpr *E);
91 
92 
93   void VisitConditionalOperator(const ConditionalOperator *CO);
94   void VisitInitListExpr(InitListExpr *E);
95   void VisitCXXDefaultArgExpr(CXXDefaultArgExpr *DAE) {
96     Visit(DAE->getExpr());
97   }
98   void VisitVAArgExpr(VAArgExpr *E);
99 
100   void EmitInitializationToLValue(Expr *E, LValue Address);
101   void EmitNullInitializationToLValue(LValue Address, QualType T);
102   //  case Expr::ChooseExprClass:
103 
104 };
105 }  // end anonymous namespace.
106 
107 //===----------------------------------------------------------------------===//
108 //                                Utilities
109 //===----------------------------------------------------------------------===//
110 
111 void AggExprEmitter::EmitAggregateClear(llvm::Value *DestPtr, QualType Ty) {
112   assert(!Ty->isAnyComplexType() && "Shouldn't happen for complex");
113 
114   // Aggregate assignment turns into llvm.memset.
115   const llvm::Type *BP = llvm::PointerType::getUnqual(llvm::Type::Int8Ty);
116   if (DestPtr->getType() != BP)
117     DestPtr = Builder.CreateBitCast(DestPtr, BP, "tmp");
118 
119   // Get size and alignment info for this aggregate.
120   std::pair<uint64_t, unsigned> TypeInfo = CGF.getContext().getTypeInfo(Ty);
121 
122   // FIXME: Handle variable sized types.
123   const llvm::Type *IntPtr = llvm::IntegerType::get(CGF.LLVMPointerWidth);
124 
125   llvm::Value *MemSetOps[4] = {
126     DestPtr,
127     llvm::ConstantInt::getNullValue(llvm::Type::Int8Ty),
128     // TypeInfo.first describes size in bits.
129     llvm::ConstantInt::get(IntPtr, TypeInfo.first/8),
130     llvm::ConstantInt::get(llvm::Type::Int32Ty, TypeInfo.second/8)
131   };
132 
133   Builder.CreateCall(CGF.CGM.getMemSetFn(), MemSetOps, MemSetOps+4);
134 }
135 
136 void AggExprEmitter::EmitAggregateCopy(llvm::Value *DestPtr,
137                                        llvm::Value *SrcPtr, QualType Ty) {
138   assert(!Ty->isAnyComplexType() && "Shouldn't happen for complex");
139 
140   // Aggregate assignment turns into llvm.memmove.
141   const llvm::Type *BP = llvm::PointerType::getUnqual(llvm::Type::Int8Ty);
142   if (DestPtr->getType() != BP)
143     DestPtr = Builder.CreateBitCast(DestPtr, BP, "tmp");
144   if (SrcPtr->getType() != BP)
145     SrcPtr = Builder.CreateBitCast(SrcPtr, BP, "tmp");
146 
147   // Get size and alignment info for this aggregate.
148   std::pair<uint64_t, unsigned> TypeInfo = CGF.getContext().getTypeInfo(Ty);
149 
150   // FIXME: Handle variable sized types.
151   const llvm::Type *IntPtr = llvm::IntegerType::get(CGF.LLVMPointerWidth);
152 
153   llvm::Value *MemMoveOps[4] = {
154     DestPtr, SrcPtr,
155     // TypeInfo.first describes size in bits.
156     llvm::ConstantInt::get(IntPtr, TypeInfo.first/8),
157     llvm::ConstantInt::get(llvm::Type::Int32Ty, TypeInfo.second/8)
158   };
159 
160   Builder.CreateCall(CGF.CGM.getMemMoveFn(), MemMoveOps, MemMoveOps+4);
161 }
162 
163 
164 /// EmitAggLoadOfLValue - Given an expression with aggregate type that
165 /// represents a value lvalue, this method emits the address of the lvalue,
166 /// then loads the result into DestPtr.
167 void AggExprEmitter::EmitAggLoadOfLValue(const Expr *E) {
168   LValue LV = CGF.EmitLValue(E);
169   assert(LV.isSimple() && "Can't have aggregate bitfield, vector, etc");
170   llvm::Value *SrcPtr = LV.getAddress();
171 
172   // If the result is ignored, don't copy from the value.
173   if (DestPtr == 0)
174     // FIXME: If the source is volatile, we must read from it.
175     return;
176 
177   EmitAggregateCopy(DestPtr, SrcPtr, E->getType());
178 }
179 
180 //===----------------------------------------------------------------------===//
181 //                            Visitor Methods
182 //===----------------------------------------------------------------------===//
183 
184 void AggExprEmitter::VisitImplicitCastExpr(ImplicitCastExpr *E) {
185   assert(CGF.getContext().typesAreCompatible(
186                           E->getSubExpr()->getType().getUnqualifiedType(),
187                           E->getType().getUnqualifiedType()) &&
188          "Implicit cast types must be compatible");
189   Visit(E->getSubExpr());
190 }
191 
192 void AggExprEmitter::VisitCallExpr(const CallExpr *E) {
193   RValue RV = CGF.EmitCallExpr(E);
194   assert(RV.isAggregate() && "Return value must be aggregate value!");
195 
196   // If the result is ignored, don't copy from the value.
197   if (DestPtr == 0)
198     // FIXME: If the source is volatile, we must read from it.
199     return;
200 
201   EmitAggregateCopy(DestPtr, RV.getAggregateAddr(), E->getType());
202 }
203 
204 void AggExprEmitter::VisitObjCMessageExpr(ObjCMessageExpr *E) {
205   RValue RV = CGF.EmitObjCMessageExpr(E);
206   assert(RV.isAggregate() && "Return value must be aggregate value!");
207 
208   // If the result is ignored, don't copy from the value.
209   if (DestPtr == 0)
210     // FIXME: If the source is volatile, we must read from it.
211     return;
212 
213   EmitAggregateCopy(DestPtr, RV.getAggregateAddr(), E->getType());
214 }
215 
216 void AggExprEmitter::VisitOverloadExpr(const OverloadExpr *E) {
217   RValue RV = CGF.EmitCallExpr(E->getFn(), E->arg_begin(),
218                                E->arg_end(CGF.getContext()));
219 
220   assert(RV.isAggregate() && "Return value must be aggregate value!");
221 
222   // If the result is ignored, don't copy from the value.
223   if (DestPtr == 0)
224     // FIXME: If the source is volatile, we must read from it.
225     return;
226 
227   EmitAggregateCopy(DestPtr, RV.getAggregateAddr(), E->getType());
228 }
229 
230 void AggExprEmitter::VisitBinComma(const BinaryOperator *E) {
231   CGF.EmitAnyExpr(E->getLHS());
232   CGF.EmitAggExpr(E->getRHS(), DestPtr, false);
233 }
234 
235 void AggExprEmitter::VisitStmtExpr(const StmtExpr *E) {
236   CGF.EmitCompoundStmt(*E->getSubStmt(), true, DestPtr, VolatileDest);
237 }
238 
239 void AggExprEmitter::VisitBinaryOperator(const BinaryOperator *E) {
240   CGF.ErrorUnsupported(E, "aggregate binary expression");
241 }
242 
243 void AggExprEmitter::VisitBinAssign(const BinaryOperator *E) {
244   // For an assignment to work, the value on the right has
245   // to be compatible with the value on the left.
246   assert(CGF.getContext().typesAreCompatible(
247              E->getLHS()->getType().getUnqualifiedType(),
248              E->getRHS()->getType().getUnqualifiedType())
249          && "Invalid assignment");
250   LValue LHS = CGF.EmitLValue(E->getLHS());
251 
252   // Codegen the RHS so that it stores directly into the LHS.
253   CGF.EmitAggExpr(E->getRHS(), LHS.getAddress(), false /*FIXME: VOLATILE LHS*/);
254 
255   if (DestPtr == 0)
256     return;
257 
258   // If the result of the assignment is used, copy the RHS there also.
259   EmitAggregateCopy(DestPtr, LHS.getAddress(), E->getType());
260 }
261 
262 void AggExprEmitter::VisitConditionalOperator(const ConditionalOperator *E) {
263   llvm::BasicBlock *LHSBlock = llvm::BasicBlock::Create("cond.?");
264   llvm::BasicBlock *RHSBlock = llvm::BasicBlock::Create("cond.:");
265   llvm::BasicBlock *ContBlock = llvm::BasicBlock::Create("cond.cont");
266 
267   llvm::Value *Cond = CGF.EvaluateExprAsBool(E->getCond());
268   Builder.CreateCondBr(Cond, LHSBlock, RHSBlock);
269 
270   CGF.EmitBlock(LHSBlock);
271 
272   // Handle the GNU extension for missing LHS.
273   assert(E->getLHS() && "Must have LHS for aggregate value");
274 
275   Visit(E->getLHS());
276   Builder.CreateBr(ContBlock);
277   LHSBlock = Builder.GetInsertBlock();
278 
279   CGF.EmitBlock(RHSBlock);
280 
281   Visit(E->getRHS());
282   Builder.CreateBr(ContBlock);
283   RHSBlock = Builder.GetInsertBlock();
284 
285   CGF.EmitBlock(ContBlock);
286 }
287 
288 void AggExprEmitter::VisitVAArgExpr(VAArgExpr *VE) {
289   llvm::Value *ArgValue = CGF.EmitLValue(VE->getSubExpr()).getAddress();
290   llvm::Value *V = Builder.CreateVAArg(ArgValue, CGF.ConvertType(VE->getType()));
291   if (DestPtr)
292     // FIXME: volatility
293     Builder.CreateStore(V, DestPtr);
294 }
295 
296 void AggExprEmitter::EmitNonConstInit(InitListExpr *E) {
297 
298   const llvm::PointerType *APType =
299     cast<llvm::PointerType>(DestPtr->getType());
300   const llvm::Type *DestType = APType->getElementType();
301 
302   if (const llvm::ArrayType *AType = dyn_cast<llvm::ArrayType>(DestType)) {
303     unsigned NumInitElements = E->getNumInits();
304 
305     unsigned i;
306     for (i = 0; i != NumInitElements; ++i) {
307       llvm::Value *NextVal = Builder.CreateStructGEP(DestPtr, i, ".array");
308       Expr *Init = E->getInit(i);
309       if (isa<InitListExpr>(Init))
310         CGF.EmitAggExpr(Init, NextVal, VolatileDest);
311       else
312         // FIXME: volatility
313         Builder.CreateStore(CGF.EmitScalarExpr(Init), NextVal);
314     }
315 
316     // Emit remaining default initializers
317     unsigned NumArrayElements = AType->getNumElements();
318     QualType QType = E->getInit(0)->getType();
319     const llvm::Type *EType = AType->getElementType();
320     for (/*Do not initialize i*/; i < NumArrayElements; ++i) {
321       llvm::Value *NextVal = Builder.CreateStructGEP(DestPtr, i, ".array");
322       if (EType->isSingleValueType())
323         // FIXME: volatility
324         Builder.CreateStore(llvm::Constant::getNullValue(EType), NextVal);
325       else
326         EmitAggregateClear(NextVal, QType);
327     }
328   } else
329     assert(false && "Invalid initializer");
330 }
331 
332 void AggExprEmitter::EmitInitializationToLValue(Expr* E, LValue LV) {
333   // FIXME: Are initializers affected by volatile?
334   if (E->getType()->isComplexType()) {
335     CGF.EmitComplexExprIntoAddr(E, LV.getAddress(), false);
336   } else if (CGF.hasAggregateLLVMType(E->getType())) {
337     CGF.EmitAnyExpr(E, LV.getAddress(), false);
338   } else {
339     CGF.EmitStoreThroughLValue(CGF.EmitAnyExpr(E), LV, E->getType());
340   }
341 }
342 
343 void AggExprEmitter::EmitNullInitializationToLValue(LValue LV, QualType T) {
344   if (!CGF.hasAggregateLLVMType(T)) {
345     // For non-aggregates, we can store zero
346     llvm::Value *Null = llvm::Constant::getNullValue(CGF.ConvertType(T));
347     CGF.EmitStoreThroughLValue(RValue::get(Null), LV, T);
348   } else {
349     // Otherwise, just memset the whole thing to zero.  This is legal
350     // because in LLVM, all default initializers are guaranteed to have a
351     // bit pattern of all zeros.
352     // There's a potential optimization opportunity in combining
353     // memsets; that would be easy for arrays, but relatively
354     // difficult for structures with the current code.
355     llvm::Value *MemSet = CGF.CGM.getIntrinsic(llvm::Intrinsic::memset_i64);
356     uint64_t Size = CGF.getContext().getTypeSize(T);
357 
358     const llvm::Type *BP = llvm::PointerType::getUnqual(llvm::Type::Int8Ty);
359     llvm::Value* DestPtr = Builder.CreateBitCast(LV.getAddress(), BP, "tmp");
360     Builder.CreateCall4(MemSet, DestPtr,
361                         llvm::ConstantInt::get(llvm::Type::Int8Ty, 0),
362                         llvm::ConstantInt::get(llvm::Type::Int64Ty, Size/8),
363                         llvm::ConstantInt::get(llvm::Type::Int32Ty, 0));
364   }
365 }
366 
367 void AggExprEmitter::VisitInitListExpr(InitListExpr *E) {
368   if (E->isConstantExpr(CGF.getContext(), 0)) {
369     // FIXME: call into const expr emitter so that we can emit
370     // a memcpy instead of storing the individual members.
371     // This is purely for perf; both codepaths lead to equivalent
372     // (although not necessarily identical) code.
373     // It's worth noting that LLVM keeps on getting smarter, though,
374     // so it might not be worth bothering.
375   }
376 
377   // Handle initialization of an array.
378   if (E->getType()->isArrayType()) {
379     const llvm::PointerType *APType =
380       cast<llvm::PointerType>(DestPtr->getType());
381     const llvm::ArrayType *AType =
382       cast<llvm::ArrayType>(APType->getElementType());
383 
384     uint64_t NumInitElements = E->getNumInits();
385 
386     if (E->getNumInits() > 0) {
387       QualType T1 = E->getType();
388       QualType T2 = E->getInit(0)->getType();
389       if (CGF.getContext().getCanonicalType(T1).getUnqualifiedType() ==
390           CGF.getContext().getCanonicalType(T2).getUnqualifiedType()) {
391         EmitAggLoadOfLValue(E->getInit(0));
392         return;
393       }
394     }
395 
396     uint64_t NumArrayElements = AType->getNumElements();
397     QualType ElementType = CGF.getContext().getCanonicalType(E->getType());
398     ElementType =CGF.getContext().getAsArrayType(ElementType)->getElementType();
399 
400     unsigned CVRqualifier = ElementType.getCVRQualifiers();
401 
402     for (uint64_t i = 0; i != NumArrayElements; ++i) {
403       llvm::Value *NextVal = Builder.CreateStructGEP(DestPtr, i, ".array");
404       if (i < NumInitElements)
405         EmitInitializationToLValue(E->getInit(i),
406                                    LValue::MakeAddr(NextVal, CVRqualifier));
407       else
408         EmitNullInitializationToLValue(LValue::MakeAddr(NextVal, CVRqualifier),
409                                        ElementType);
410     }
411     return;
412   }
413 
414   assert(E->getType()->isRecordType() && "Only support structs/unions here!");
415 
416   // Do struct initialization; this code just sets each individual member
417   // to the approprate value.  This makes bitfield support automatic;
418   // the disadvantage is that the generated code is more difficult for
419   // the optimizer, especially with bitfields.
420   unsigned NumInitElements = E->getNumInits();
421   RecordDecl *SD = E->getType()->getAsRecordType()->getDecl();
422   unsigned NumMembers = SD->getNumMembers() - SD->hasFlexibleArrayMember();
423   unsigned CurInitVal = 0;
424   bool isUnion = E->getType()->isUnionType();
425 
426   // Here we iterate over the fields; this makes it simpler to both
427   // default-initialize fields and skip over unnamed fields.
428   for (unsigned CurFieldNo = 0; CurFieldNo != NumMembers; ++CurFieldNo) {
429     FieldDecl *CurField = SD->getMember(CurFieldNo);
430     if (CurField->getIdentifier() == 0) {
431       // Initializers can't initialize unnamed fields, e.g. "int : 20;"
432       continue;
433     }
434     // FIXME: volatility
435     LValue FieldLoc = CGF.EmitLValueForField(DestPtr, CurField, isUnion,0);
436     if (CurInitVal < NumInitElements) {
437       // Store the initializer into the field
438       // This will probably have to get a bit smarter when we support
439       // designators in initializers
440       EmitInitializationToLValue(E->getInit(CurInitVal++), FieldLoc);
441     } else {
442       // We're out of initalizers; default-initialize to null
443       EmitNullInitializationToLValue(FieldLoc, CurField->getType());
444     }
445 
446     // Unions only initialize one field.
447     // (things can get weird with designators, but they aren't
448     // supported yet.)
449     if (E->getType()->isUnionType())
450       break;
451   }
452 }
453 
454 //===----------------------------------------------------------------------===//
455 //                        Entry Points into this File
456 //===----------------------------------------------------------------------===//
457 
458 /// EmitAggExpr - Emit the computation of the specified expression of
459 /// aggregate type.  The result is computed into DestPtr.  Note that if
460 /// DestPtr is null, the value of the aggregate expression is not needed.
461 void CodeGenFunction::EmitAggExpr(const Expr *E, llvm::Value *DestPtr,
462                                   bool VolatileDest) {
463   assert(E && hasAggregateLLVMType(E->getType()) &&
464          "Invalid aggregate expression to emit");
465 
466   AggExprEmitter(*this, DestPtr, VolatileDest).Visit(const_cast<Expr*>(E));
467 }
468