blob: fd62e1afce4fb3aee49de3cbfa4198216786bf3c [file] [log] [blame]
Steve Naroff0cca7492008-05-01 22:18:59 +00001//===--- SemaInit.cpp - Semantic Analysis for Initializers ----------------===//
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//
Chris Lattnerdd8e0062009-02-24 22:27:37 +000010// This file implements semantic analysis for initializers. The main entry
11// point is Sema::CheckInitList(), but all of the work is performed
12// within the InitListChecker class.
13//
Chris Lattner8b419b92009-02-24 22:48:58 +000014// This file also implements Sema::CheckInitializerTypes.
Steve Naroff0cca7492008-05-01 22:18:59 +000015//
16//===----------------------------------------------------------------------===//
17
Douglas Gregor20093b42009-12-09 23:02:17 +000018#include "SemaInit.h"
Douglas Gregorc171e3b2010-01-01 00:03:05 +000019#include "Lookup.h"
Steve Naroff0cca7492008-05-01 22:18:59 +000020#include "Sema.h"
Douglas Gregor05c13a32009-01-22 00:58:24 +000021#include "clang/Parse/Designator.h"
Steve Naroff0cca7492008-05-01 22:18:59 +000022#include "clang/AST/ASTContext.h"
Anders Carlsson2078bb92009-05-27 16:10:08 +000023#include "clang/AST/ExprCXX.h"
Chris Lattner79e079d2009-02-24 23:10:27 +000024#include "clang/AST/ExprObjC.h"
Douglas Gregord6542d82009-12-22 15:35:07 +000025#include "clang/AST/TypeLoc.h"
Douglas Gregor20093b42009-12-09 23:02:17 +000026#include "llvm/Support/ErrorHandling.h"
Douglas Gregorc34ee5e2009-01-29 00:45:39 +000027#include <map>
Douglas Gregor05c13a32009-01-22 00:58:24 +000028using namespace clang;
Steve Naroff0cca7492008-05-01 22:18:59 +000029
Chris Lattnerdd8e0062009-02-24 22:27:37 +000030//===----------------------------------------------------------------------===//
31// Sema Initialization Checking
32//===----------------------------------------------------------------------===//
33
Chris Lattner79e079d2009-02-24 23:10:27 +000034static Expr *IsStringInit(Expr *Init, QualType DeclType, ASTContext &Context) {
Chris Lattner8879e3b2009-02-26 23:26:43 +000035 const ArrayType *AT = Context.getAsArrayType(DeclType);
36 if (!AT) return 0;
37
Eli Friedman8718a6a2009-05-29 18:22:49 +000038 if (!isa<ConstantArrayType>(AT) && !isa<IncompleteArrayType>(AT))
39 return 0;
40
Chris Lattner8879e3b2009-02-26 23:26:43 +000041 // See if this is a string literal or @encode.
42 Init = Init->IgnoreParens();
Mike Stump1eb44332009-09-09 15:08:12 +000043
Chris Lattner8879e3b2009-02-26 23:26:43 +000044 // Handle @encode, which is a narrow string.
45 if (isa<ObjCEncodeExpr>(Init) && AT->getElementType()->isCharType())
46 return Init;
47
48 // Otherwise we can only handle string literals.
49 StringLiteral *SL = dyn_cast<StringLiteral>(Init);
Chris Lattner220b6362009-02-26 23:42:47 +000050 if (SL == 0) return 0;
Eli Friedmanbb6415c2009-05-31 10:54:53 +000051
52 QualType ElemTy = Context.getCanonicalType(AT->getElementType());
Chris Lattner8879e3b2009-02-26 23:26:43 +000053 // char array can be initialized with a narrow string.
54 // Only allow char x[] = "foo"; not char x[] = L"foo";
55 if (!SL->isWide())
Eli Friedmanbb6415c2009-05-31 10:54:53 +000056 return ElemTy->isCharType() ? Init : 0;
Chris Lattner8879e3b2009-02-26 23:26:43 +000057
Eli Friedmanbb6415c2009-05-31 10:54:53 +000058 // wchar_t array can be initialized with a wide string: C99 6.7.8p15 (with
59 // correction from DR343): "An array with element type compatible with a
60 // qualified or unqualified version of wchar_t may be initialized by a wide
61 // string literal, optionally enclosed in braces."
62 if (Context.typesAreCompatible(Context.getWCharType(),
63 ElemTy.getUnqualifiedType()))
Chris Lattner8879e3b2009-02-26 23:26:43 +000064 return Init;
Mike Stump1eb44332009-09-09 15:08:12 +000065
Chris Lattnerdd8e0062009-02-24 22:27:37 +000066 return 0;
67}
68
Mike Stump1eb44332009-09-09 15:08:12 +000069static bool CheckSingleInitializer(Expr *&Init, QualType DeclType,
Chris Lattner95e8d652009-02-24 22:46:58 +000070 bool DirectInit, Sema &S) {
Chris Lattnerdd8e0062009-02-24 22:27:37 +000071 // Get the type before calling CheckSingleAssignmentConstraints(), since
72 // it can promote the expression.
Mike Stump1eb44332009-09-09 15:08:12 +000073 QualType InitType = Init->getType();
74
Chris Lattner95e8d652009-02-24 22:46:58 +000075 if (S.getLangOptions().CPlusPlus) {
Chris Lattnerdd8e0062009-02-24 22:27:37 +000076 // FIXME: I dislike this error message. A lot.
Fariborz Jahanian34acd3e2009-09-15 19:12:21 +000077 if (S.PerformImplicitConversion(Init, DeclType,
Douglas Gregor68647482009-12-16 03:45:30 +000078 Sema::AA_Initializing, DirectInit)) {
Fariborz Jahanian34acd3e2009-09-15 19:12:21 +000079 ImplicitConversionSequence ICS;
80 OverloadCandidateSet CandidateSet;
81 if (S.IsUserDefinedConversion(Init, DeclType, ICS.UserDefined,
82 CandidateSet,
Douglas Gregor20093b42009-12-09 23:02:17 +000083 true, false, false) != OR_Ambiguous)
Fariborz Jahanian34acd3e2009-09-15 19:12:21 +000084 return S.Diag(Init->getSourceRange().getBegin(),
85 diag::err_typecheck_convert_incompatible)
Douglas Gregor68647482009-12-16 03:45:30 +000086 << DeclType << Init->getType() << Sema::AA_Initializing
Fariborz Jahanian34acd3e2009-09-15 19:12:21 +000087 << Init->getSourceRange();
88 S.Diag(Init->getSourceRange().getBegin(),
89 diag::err_typecheck_convert_ambiguous)
90 << DeclType << Init->getType() << Init->getSourceRange();
John McCallcbce6062010-01-12 07:18:19 +000091 S.PrintOverloadCandidates(CandidateSet, Sema::OCD_AllCandidates, &Init, 1);
Fariborz Jahanian34acd3e2009-09-15 19:12:21 +000092 return true;
93 }
Chris Lattnerdd8e0062009-02-24 22:27:37 +000094 return false;
95 }
Mike Stump1eb44332009-09-09 15:08:12 +000096
Chris Lattner95e8d652009-02-24 22:46:58 +000097 Sema::AssignConvertType ConvTy =
98 S.CheckSingleAssignmentConstraints(DeclType, Init);
99 return S.DiagnoseAssignmentResult(ConvTy, Init->getLocStart(), DeclType,
Douglas Gregor68647482009-12-16 03:45:30 +0000100 InitType, Init, Sema::AA_Initializing);
Chris Lattnerdd8e0062009-02-24 22:27:37 +0000101}
102
Chris Lattner79e079d2009-02-24 23:10:27 +0000103static void CheckStringInit(Expr *Str, QualType &DeclT, Sema &S) {
104 // Get the length of the string as parsed.
105 uint64_t StrLength =
106 cast<ConstantArrayType>(Str->getType())->getSize().getZExtValue();
107
Mike Stump1eb44332009-09-09 15:08:12 +0000108
Chris Lattner79e079d2009-02-24 23:10:27 +0000109 const ArrayType *AT = S.Context.getAsArrayType(DeclT);
Chris Lattnerdd8e0062009-02-24 22:27:37 +0000110 if (const IncompleteArrayType *IAT = dyn_cast<IncompleteArrayType>(AT)) {
Mike Stump1eb44332009-09-09 15:08:12 +0000111 // C99 6.7.8p14. We have an array of character type with unknown size
Chris Lattnerdd8e0062009-02-24 22:27:37 +0000112 // being initialized to a string literal.
113 llvm::APSInt ConstVal(32);
Chris Lattner19da8cd2009-02-24 23:01:39 +0000114 ConstVal = StrLength;
Chris Lattnerdd8e0062009-02-24 22:27:37 +0000115 // Return a new array type (C99 6.7.8p22).
John McCall46a617a2009-10-16 00:14:28 +0000116 DeclT = S.Context.getConstantArrayType(IAT->getElementType(),
117 ConstVal,
118 ArrayType::Normal, 0);
Chris Lattner19da8cd2009-02-24 23:01:39 +0000119 return;
Chris Lattnerdd8e0062009-02-24 22:27:37 +0000120 }
Mike Stump1eb44332009-09-09 15:08:12 +0000121
Eli Friedman8718a6a2009-05-29 18:22:49 +0000122 const ConstantArrayType *CAT = cast<ConstantArrayType>(AT);
Mike Stump1eb44332009-09-09 15:08:12 +0000123
Eli Friedman8718a6a2009-05-29 18:22:49 +0000124 // C99 6.7.8p14. We have an array of character type with known size. However,
125 // the size may be smaller or larger than the string we are initializing.
126 // FIXME: Avoid truncation for 64-bit length strings.
127 if (StrLength-1 > CAT->getSize().getZExtValue())
128 S.Diag(Str->getSourceRange().getBegin(),
129 diag::warn_initializer_string_for_char_array_too_long)
130 << Str->getSourceRange();
Mike Stump1eb44332009-09-09 15:08:12 +0000131
Eli Friedman8718a6a2009-05-29 18:22:49 +0000132 // Set the type to the actual size that we are initializing. If we have
133 // something like:
134 // char x[1] = "foo";
135 // then this will set the string literal's type to char[1].
136 Str->setType(DeclT);
Chris Lattnerdd8e0062009-02-24 22:27:37 +0000137}
138
Chris Lattnerdd8e0062009-02-24 22:27:37 +0000139//===----------------------------------------------------------------------===//
140// Semantic checking for initializer lists.
141//===----------------------------------------------------------------------===//
142
Douglas Gregor9e80f722009-01-29 01:05:33 +0000143/// @brief Semantic checking for initializer lists.
144///
145/// The InitListChecker class contains a set of routines that each
146/// handle the initialization of a certain kind of entity, e.g.,
147/// arrays, vectors, struct/union types, scalars, etc. The
148/// InitListChecker itself performs a recursive walk of the subobject
149/// structure of the type to be initialized, while stepping through
150/// the initializer list one element at a time. The IList and Index
151/// parameters to each of the Check* routines contain the active
152/// (syntactic) initializer list and the index into that initializer
153/// list that represents the current initializer. Each routine is
154/// responsible for moving that Index forward as it consumes elements.
155///
156/// Each Check* routine also has a StructuredList/StructuredIndex
157/// arguments, which contains the current the "structured" (semantic)
158/// initializer list and the index into that initializer list where we
159/// are copying initializers as we map them over to the semantic
160/// list. Once we have completed our recursive walk of the subobject
161/// structure, we will have constructed a full semantic initializer
162/// list.
163///
164/// C99 designators cause changes in the initializer list traversal,
165/// because they make the initialization "jump" into a specific
166/// subobject and then continue the initialization from that
167/// point. CheckDesignatedInitializer() recursively steps into the
168/// designated subobject and manages backing out the recursion to
169/// initialize the subobjects after the one designated.
Chris Lattner8b419b92009-02-24 22:48:58 +0000170namespace {
Douglas Gregorc34ee5e2009-01-29 00:45:39 +0000171class InitListChecker {
Chris Lattner08202542009-02-24 22:50:46 +0000172 Sema &SemaRef;
Douglas Gregorc34ee5e2009-01-29 00:45:39 +0000173 bool hadError;
174 std::map<InitListExpr *, InitListExpr *> SyntacticToSemantic;
175 InitListExpr *FullyStructuredList;
Mike Stump1eb44332009-09-09 15:08:12 +0000176
177 void CheckImplicitInitList(InitListExpr *ParentIList, QualType T,
Douglas Gregor9e80f722009-01-29 01:05:33 +0000178 unsigned &Index, InitListExpr *StructuredList,
Douglas Gregoreeb15d42009-02-04 22:46:25 +0000179 unsigned &StructuredIndex,
180 bool TopLevelObject = false);
Douglas Gregorc34ee5e2009-01-29 00:45:39 +0000181 void CheckExplicitInitList(InitListExpr *IList, QualType &T,
Douglas Gregor9e80f722009-01-29 01:05:33 +0000182 unsigned &Index, InitListExpr *StructuredList,
Douglas Gregoreeb15d42009-02-04 22:46:25 +0000183 unsigned &StructuredIndex,
184 bool TopLevelObject = false);
Mike Stump1eb44332009-09-09 15:08:12 +0000185 void CheckListElementTypes(InitListExpr *IList, QualType &DeclType,
186 bool SubobjectIsDesignatorContext,
Douglas Gregorc34ee5e2009-01-29 00:45:39 +0000187 unsigned &Index,
Douglas Gregor9e80f722009-01-29 01:05:33 +0000188 InitListExpr *StructuredList,
Douglas Gregoreeb15d42009-02-04 22:46:25 +0000189 unsigned &StructuredIndex,
190 bool TopLevelObject = false);
Mike Stump1eb44332009-09-09 15:08:12 +0000191 void CheckSubElementType(InitListExpr *IList, QualType ElemType,
Douglas Gregorc34ee5e2009-01-29 00:45:39 +0000192 unsigned &Index,
Douglas Gregor9e80f722009-01-29 01:05:33 +0000193 InitListExpr *StructuredList,
194 unsigned &StructuredIndex);
Mike Stump1eb44332009-09-09 15:08:12 +0000195 void CheckScalarType(InitListExpr *IList, QualType DeclType,
Douglas Gregorc34ee5e2009-01-29 00:45:39 +0000196 unsigned &Index,
Douglas Gregor9e80f722009-01-29 01:05:33 +0000197 InitListExpr *StructuredList,
198 unsigned &StructuredIndex);
Mike Stump1eb44332009-09-09 15:08:12 +0000199 void CheckReferenceType(InitListExpr *IList, QualType DeclType,
Douglas Gregor930d8b52009-01-30 22:09:00 +0000200 unsigned &Index,
201 InitListExpr *StructuredList,
202 unsigned &StructuredIndex);
Douglas Gregorc34ee5e2009-01-29 00:45:39 +0000203 void CheckVectorType(InitListExpr *IList, QualType DeclType, unsigned &Index,
Douglas Gregor9e80f722009-01-29 01:05:33 +0000204 InitListExpr *StructuredList,
205 unsigned &StructuredIndex);
Mike Stump1eb44332009-09-09 15:08:12 +0000206 void CheckStructUnionTypes(InitListExpr *IList, QualType DeclType,
207 RecordDecl::field_iterator Field,
Douglas Gregorc34ee5e2009-01-29 00:45:39 +0000208 bool SubobjectIsDesignatorContext, unsigned &Index,
Douglas Gregor9e80f722009-01-29 01:05:33 +0000209 InitListExpr *StructuredList,
Douglas Gregoreeb15d42009-02-04 22:46:25 +0000210 unsigned &StructuredIndex,
211 bool TopLevelObject = false);
Mike Stump1eb44332009-09-09 15:08:12 +0000212 void CheckArrayType(InitListExpr *IList, QualType &DeclType,
213 llvm::APSInt elementIndex,
Douglas Gregorc34ee5e2009-01-29 00:45:39 +0000214 bool SubobjectIsDesignatorContext, unsigned &Index,
Douglas Gregor9e80f722009-01-29 01:05:33 +0000215 InitListExpr *StructuredList,
216 unsigned &StructuredIndex);
Mike Stump1eb44332009-09-09 15:08:12 +0000217 bool CheckDesignatedInitializer(InitListExpr *IList, DesignatedInitExpr *DIE,
Douglas Gregor71199712009-04-15 04:56:10 +0000218 unsigned DesigIdx,
Mike Stump1eb44332009-09-09 15:08:12 +0000219 QualType &CurrentObjectType,
Douglas Gregorc34ee5e2009-01-29 00:45:39 +0000220 RecordDecl::field_iterator *NextField,
221 llvm::APSInt *NextElementIndex,
222 unsigned &Index,
223 InitListExpr *StructuredList,
224 unsigned &StructuredIndex,
Douglas Gregoreeb15d42009-02-04 22:46:25 +0000225 bool FinishSubobjectInit,
226 bool TopLevelObject);
Douglas Gregorc34ee5e2009-01-29 00:45:39 +0000227 InitListExpr *getStructuredSubobjectInit(InitListExpr *IList, unsigned Index,
228 QualType CurrentObjectType,
229 InitListExpr *StructuredList,
230 unsigned StructuredIndex,
231 SourceRange InitRange);
Douglas Gregor9e80f722009-01-29 01:05:33 +0000232 void UpdateStructuredListElement(InitListExpr *StructuredList,
233 unsigned &StructuredIndex,
Douglas Gregorc34ee5e2009-01-29 00:45:39 +0000234 Expr *expr);
235 int numArrayElements(QualType DeclType);
236 int numStructUnionElements(QualType DeclType);
Douglas Gregor930d8b52009-01-30 22:09:00 +0000237
Douglas Gregord6d37de2009-12-22 00:05:34 +0000238 void FillInValueInitForField(unsigned Init, FieldDecl *Field,
239 const InitializedEntity &ParentEntity,
240 InitListExpr *ILE, bool &RequiresSecondPass);
Douglas Gregorcb57fb92009-12-16 06:35:08 +0000241 void FillInValueInitializations(const InitializedEntity &Entity,
242 InitListExpr *ILE, bool &RequiresSecondPass);
Douglas Gregorc34ee5e2009-01-29 00:45:39 +0000243public:
Douglas Gregorcb57fb92009-12-16 06:35:08 +0000244 InitListChecker(Sema &S, const InitializedEntity &Entity,
245 InitListExpr *IL, QualType &T);
Douglas Gregorc34ee5e2009-01-29 00:45:39 +0000246 bool HadError() { return hadError; }
247
248 // @brief Retrieves the fully-structured initializer list used for
249 // semantic analysis and code generation.
250 InitListExpr *getFullyStructuredList() const { return FullyStructuredList; }
251};
Chris Lattner8b419b92009-02-24 22:48:58 +0000252} // end anonymous namespace
Chris Lattner68355a52009-01-29 05:10:57 +0000253
Douglas Gregord6d37de2009-12-22 00:05:34 +0000254void InitListChecker::FillInValueInitForField(unsigned Init, FieldDecl *Field,
255 const InitializedEntity &ParentEntity,
256 InitListExpr *ILE,
257 bool &RequiresSecondPass) {
258 SourceLocation Loc = ILE->getSourceRange().getBegin();
259 unsigned NumInits = ILE->getNumInits();
260 InitializedEntity MemberEntity
261 = InitializedEntity::InitializeMember(Field, &ParentEntity);
262 if (Init >= NumInits || !ILE->getInit(Init)) {
263 // FIXME: We probably don't need to handle references
264 // specially here, since value-initialization of references is
265 // handled in InitializationSequence.
266 if (Field->getType()->isReferenceType()) {
267 // C++ [dcl.init.aggr]p9:
268 // If an incomplete or empty initializer-list leaves a
269 // member of reference type uninitialized, the program is
270 // ill-formed.
271 SemaRef.Diag(Loc, diag::err_init_reference_member_uninitialized)
272 << Field->getType()
273 << ILE->getSyntacticForm()->getSourceRange();
274 SemaRef.Diag(Field->getLocation(),
275 diag::note_uninit_reference_member);
276 hadError = true;
277 return;
278 }
279
280 InitializationKind Kind = InitializationKind::CreateValue(Loc, Loc, Loc,
281 true);
282 InitializationSequence InitSeq(SemaRef, MemberEntity, Kind, 0, 0);
283 if (!InitSeq) {
284 InitSeq.Diagnose(SemaRef, MemberEntity, Kind, 0, 0);
285 hadError = true;
286 return;
287 }
288
289 Sema::OwningExprResult MemberInit
290 = InitSeq.Perform(SemaRef, MemberEntity, Kind,
291 Sema::MultiExprArg(SemaRef, 0, 0));
292 if (MemberInit.isInvalid()) {
293 hadError = true;
294 return;
295 }
296
297 if (hadError) {
298 // Do nothing
299 } else if (Init < NumInits) {
300 ILE->setInit(Init, MemberInit.takeAs<Expr>());
301 } else if (InitSeq.getKind()
302 == InitializationSequence::ConstructorInitialization) {
303 // Value-initialization requires a constructor call, so
304 // extend the initializer list to include the constructor
305 // call and make a note that we'll need to take another pass
306 // through the initializer list.
307 ILE->updateInit(Init, MemberInit.takeAs<Expr>());
308 RequiresSecondPass = true;
309 }
310 } else if (InitListExpr *InnerILE
311 = dyn_cast<InitListExpr>(ILE->getInit(Init)))
312 FillInValueInitializations(MemberEntity, InnerILE,
313 RequiresSecondPass);
314}
315
Douglas Gregor4c678342009-01-28 21:54:33 +0000316/// Recursively replaces NULL values within the given initializer list
317/// with expressions that perform value-initialization of the
318/// appropriate type.
Douglas Gregorcb57fb92009-12-16 06:35:08 +0000319void
320InitListChecker::FillInValueInitializations(const InitializedEntity &Entity,
321 InitListExpr *ILE,
322 bool &RequiresSecondPass) {
Mike Stump1eb44332009-09-09 15:08:12 +0000323 assert((ILE->getType() != SemaRef.Context.VoidTy) &&
Douglas Gregor930d8b52009-01-30 22:09:00 +0000324 "Should not have void type");
Douglas Gregor87fd7032009-02-02 17:43:21 +0000325 SourceLocation Loc = ILE->getSourceRange().getBegin();
326 if (ILE->getSyntacticForm())
327 Loc = ILE->getSyntacticForm()->getSourceRange().getBegin();
Mike Stump1eb44332009-09-09 15:08:12 +0000328
Ted Kremenek6217b802009-07-29 21:53:49 +0000329 if (const RecordType *RType = ILE->getType()->getAs<RecordType>()) {
Douglas Gregord6d37de2009-12-22 00:05:34 +0000330 if (RType->getDecl()->isUnion() &&
331 ILE->getInitializedFieldInUnion())
332 FillInValueInitForField(0, ILE->getInitializedFieldInUnion(),
333 Entity, ILE, RequiresSecondPass);
334 else {
335 unsigned Init = 0;
336 for (RecordDecl::field_iterator
337 Field = RType->getDecl()->field_begin(),
338 FieldEnd = RType->getDecl()->field_end();
339 Field != FieldEnd; ++Field) {
340 if (Field->isUnnamedBitfield())
341 continue;
Douglas Gregor4c678342009-01-28 21:54:33 +0000342
Douglas Gregord6d37de2009-12-22 00:05:34 +0000343 if (hadError)
Douglas Gregor87fd7032009-02-02 17:43:21 +0000344 return;
Douglas Gregord6d37de2009-12-22 00:05:34 +0000345
346 FillInValueInitForField(Init, *Field, Entity, ILE, RequiresSecondPass);
347 if (hadError)
Douglas Gregor87fd7032009-02-02 17:43:21 +0000348 return;
Douglas Gregor87fd7032009-02-02 17:43:21 +0000349
Douglas Gregord6d37de2009-12-22 00:05:34 +0000350 ++Init;
Douglas Gregorcb57fb92009-12-16 06:35:08 +0000351
Douglas Gregord6d37de2009-12-22 00:05:34 +0000352 // Only look at the first initialization of a union.
353 if (RType->getDecl()->isUnion())
354 break;
355 }
Douglas Gregor4c678342009-01-28 21:54:33 +0000356 }
357
358 return;
Mike Stump1eb44332009-09-09 15:08:12 +0000359 }
Douglas Gregor4c678342009-01-28 21:54:33 +0000360
361 QualType ElementType;
Mike Stump1eb44332009-09-09 15:08:12 +0000362
Douglas Gregorcb57fb92009-12-16 06:35:08 +0000363 InitializedEntity ElementEntity = Entity;
Douglas Gregor87fd7032009-02-02 17:43:21 +0000364 unsigned NumInits = ILE->getNumInits();
365 unsigned NumElements = NumInits;
Chris Lattner08202542009-02-24 22:50:46 +0000366 if (const ArrayType *AType = SemaRef.Context.getAsArrayType(ILE->getType())) {
Douglas Gregor4c678342009-01-28 21:54:33 +0000367 ElementType = AType->getElementType();
Douglas Gregor87fd7032009-02-02 17:43:21 +0000368 if (const ConstantArrayType *CAType = dyn_cast<ConstantArrayType>(AType))
369 NumElements = CAType->getSize().getZExtValue();
Douglas Gregorcb57fb92009-12-16 06:35:08 +0000370 ElementEntity = InitializedEntity::InitializeElement(SemaRef.Context,
371 0, Entity);
John McCall183700f2009-09-21 23:43:11 +0000372 } else if (const VectorType *VType = ILE->getType()->getAs<VectorType>()) {
Douglas Gregor4c678342009-01-28 21:54:33 +0000373 ElementType = VType->getElementType();
Douglas Gregor87fd7032009-02-02 17:43:21 +0000374 NumElements = VType->getNumElements();
Douglas Gregorcb57fb92009-12-16 06:35:08 +0000375 ElementEntity = InitializedEntity::InitializeElement(SemaRef.Context,
376 0, Entity);
Mike Stump1eb44332009-09-09 15:08:12 +0000377 } else
Douglas Gregor4c678342009-01-28 21:54:33 +0000378 ElementType = ILE->getType();
Mike Stump1eb44332009-09-09 15:08:12 +0000379
Douglas Gregorcb57fb92009-12-16 06:35:08 +0000380
Douglas Gregor87fd7032009-02-02 17:43:21 +0000381 for (unsigned Init = 0; Init != NumElements; ++Init) {
Douglas Gregor16006c92009-12-16 18:50:27 +0000382 if (hadError)
383 return;
384
Anders Carlssond3d824d2010-01-23 04:34:47 +0000385 if (ElementEntity.getKind() == InitializedEntity::EK_ArrayElement ||
386 ElementEntity.getKind() == InitializedEntity::EK_VectorElement)
Douglas Gregorcb57fb92009-12-16 06:35:08 +0000387 ElementEntity.setElementIndex(Init);
388
Douglas Gregor87fd7032009-02-02 17:43:21 +0000389 if (Init >= NumInits || !ILE->getInit(Init)) {
Douglas Gregorcb57fb92009-12-16 06:35:08 +0000390 InitializationKind Kind = InitializationKind::CreateValue(Loc, Loc, Loc,
391 true);
392 InitializationSequence InitSeq(SemaRef, ElementEntity, Kind, 0, 0);
393 if (!InitSeq) {
394 InitSeq.Diagnose(SemaRef, ElementEntity, Kind, 0, 0);
Douglas Gregor87fd7032009-02-02 17:43:21 +0000395 hadError = true;
396 return;
397 }
398
Douglas Gregorcb57fb92009-12-16 06:35:08 +0000399 Sema::OwningExprResult ElementInit
400 = InitSeq.Perform(SemaRef, ElementEntity, Kind,
401 Sema::MultiExprArg(SemaRef, 0, 0));
402 if (ElementInit.isInvalid()) {
Douglas Gregor16006c92009-12-16 18:50:27 +0000403 hadError = true;
Douglas Gregorcb57fb92009-12-16 06:35:08 +0000404 return;
405 }
406
407 if (hadError) {
408 // Do nothing
409 } else if (Init < NumInits) {
410 ILE->setInit(Init, ElementInit.takeAs<Expr>());
411 } else if (InitSeq.getKind()
412 == InitializationSequence::ConstructorInitialization) {
413 // Value-initialization requires a constructor call, so
414 // extend the initializer list to include the constructor
415 // call and make a note that we'll need to take another pass
416 // through the initializer list.
417 ILE->updateInit(Init, ElementInit.takeAs<Expr>());
418 RequiresSecondPass = true;
419 }
Mike Stumpac5fc7c2009-08-04 21:02:39 +0000420 } else if (InitListExpr *InnerILE
Douglas Gregorcb57fb92009-12-16 06:35:08 +0000421 = dyn_cast<InitListExpr>(ILE->getInit(Init)))
422 FillInValueInitializations(ElementEntity, InnerILE, RequiresSecondPass);
Douglas Gregor4c678342009-01-28 21:54:33 +0000423 }
424}
425
Chris Lattner68355a52009-01-29 05:10:57 +0000426
Douglas Gregorcb57fb92009-12-16 06:35:08 +0000427InitListChecker::InitListChecker(Sema &S, const InitializedEntity &Entity,
428 InitListExpr *IL, QualType &T)
Chris Lattner08202542009-02-24 22:50:46 +0000429 : SemaRef(S) {
Steve Naroff0cca7492008-05-01 22:18:59 +0000430 hadError = false;
Eli Friedmanc9c0ea62008-05-19 20:00:43 +0000431
Eli Friedmanb85f7072008-05-19 19:16:24 +0000432 unsigned newIndex = 0;
Douglas Gregor4c678342009-01-28 21:54:33 +0000433 unsigned newStructuredIndex = 0;
Mike Stump1eb44332009-09-09 15:08:12 +0000434 FullyStructuredList
Douglas Gregored8a93d2009-03-01 17:12:46 +0000435 = getStructuredSubobjectInit(IL, newIndex, T, 0, 0, IL->getSourceRange());
Douglas Gregoreeb15d42009-02-04 22:46:25 +0000436 CheckExplicitInitList(IL, T, newIndex, FullyStructuredList, newStructuredIndex,
437 /*TopLevelObject=*/true);
Eli Friedmanc9c0ea62008-05-19 20:00:43 +0000438
Douglas Gregorcb57fb92009-12-16 06:35:08 +0000439 if (!hadError) {
440 bool RequiresSecondPass = false;
441 FillInValueInitializations(Entity, FullyStructuredList, RequiresSecondPass);
Douglas Gregor16006c92009-12-16 18:50:27 +0000442 if (RequiresSecondPass && !hadError)
Douglas Gregorcb57fb92009-12-16 06:35:08 +0000443 FillInValueInitializations(Entity, FullyStructuredList,
444 RequiresSecondPass);
445 }
Steve Naroff0cca7492008-05-01 22:18:59 +0000446}
447
448int InitListChecker::numArrayElements(QualType DeclType) {
Eli Friedman638e1442008-05-25 13:22:35 +0000449 // FIXME: use a proper constant
450 int maxElements = 0x7FFFFFFF;
Chris Lattnerc63a1f22008-08-04 07:31:14 +0000451 if (const ConstantArrayType *CAT =
Chris Lattner08202542009-02-24 22:50:46 +0000452 SemaRef.Context.getAsConstantArrayType(DeclType)) {
Steve Naroff0cca7492008-05-01 22:18:59 +0000453 maxElements = static_cast<int>(CAT->getSize().getZExtValue());
454 }
455 return maxElements;
456}
457
458int InitListChecker::numStructUnionElements(QualType DeclType) {
Ted Kremenek6217b802009-07-29 21:53:49 +0000459 RecordDecl *structDecl = DeclType->getAs<RecordType>()->getDecl();
Douglas Gregor4c678342009-01-28 21:54:33 +0000460 int InitializableMembers = 0;
Mike Stump1eb44332009-09-09 15:08:12 +0000461 for (RecordDecl::field_iterator
Argyrios Kyrtzidis17945a02009-06-30 02:36:12 +0000462 Field = structDecl->field_begin(),
463 FieldEnd = structDecl->field_end();
Douglas Gregor4c678342009-01-28 21:54:33 +0000464 Field != FieldEnd; ++Field) {
465 if ((*Field)->getIdentifier() || !(*Field)->isBitField())
466 ++InitializableMembers;
467 }
Argyrios Kyrtzidis39ba4ae2008-06-09 23:19:58 +0000468 if (structDecl->isUnion())
Eli Friedmanf84eda32008-05-25 14:03:31 +0000469 return std::min(InitializableMembers, 1);
470 return InitializableMembers - structDecl->hasFlexibleArrayMember();
Steve Naroff0cca7492008-05-01 22:18:59 +0000471}
472
Mike Stump1eb44332009-09-09 15:08:12 +0000473void InitListChecker::CheckImplicitInitList(InitListExpr *ParentIList,
Douglas Gregor4c678342009-01-28 21:54:33 +0000474 QualType T, unsigned &Index,
475 InitListExpr *StructuredList,
Douglas Gregoreeb15d42009-02-04 22:46:25 +0000476 unsigned &StructuredIndex,
477 bool TopLevelObject) {
Steve Naroff0cca7492008-05-01 22:18:59 +0000478 int maxElements = 0;
Mike Stump1eb44332009-09-09 15:08:12 +0000479
Steve Naroff0cca7492008-05-01 22:18:59 +0000480 if (T->isArrayType())
481 maxElements = numArrayElements(T);
482 else if (T->isStructureType() || T->isUnionType())
483 maxElements = numStructUnionElements(T);
Eli Friedmanb85f7072008-05-19 19:16:24 +0000484 else if (T->isVectorType())
John McCall183700f2009-09-21 23:43:11 +0000485 maxElements = T->getAs<VectorType>()->getNumElements();
Steve Naroff0cca7492008-05-01 22:18:59 +0000486 else
487 assert(0 && "CheckImplicitInitList(): Illegal type");
Eli Friedmanb85f7072008-05-19 19:16:24 +0000488
Eli Friedman402256f2008-05-25 13:49:22 +0000489 if (maxElements == 0) {
Chris Lattner08202542009-02-24 22:50:46 +0000490 SemaRef.Diag(ParentIList->getInit(Index)->getLocStart(),
Eli Friedman402256f2008-05-25 13:49:22 +0000491 diag::err_implicit_empty_initializer);
Douglas Gregor4c678342009-01-28 21:54:33 +0000492 ++Index;
Eli Friedman402256f2008-05-25 13:49:22 +0000493 hadError = true;
494 return;
495 }
496
Douglas Gregor4c678342009-01-28 21:54:33 +0000497 // Build a structured initializer list corresponding to this subobject.
498 InitListExpr *StructuredSubobjectInitList
Mike Stump1eb44332009-09-09 15:08:12 +0000499 = getStructuredSubobjectInit(ParentIList, Index, T, StructuredList,
500 StructuredIndex,
Douglas Gregored8a93d2009-03-01 17:12:46 +0000501 SourceRange(ParentIList->getInit(Index)->getSourceRange().getBegin(),
502 ParentIList->getSourceRange().getEnd()));
Douglas Gregor4c678342009-01-28 21:54:33 +0000503 unsigned StructuredSubobjectInitIndex = 0;
Eli Friedmanb85f7072008-05-19 19:16:24 +0000504
Douglas Gregor4c678342009-01-28 21:54:33 +0000505 // Check the element types and build the structural subobject.
Douglas Gregor87fd7032009-02-02 17:43:21 +0000506 unsigned StartIndex = Index;
Douglas Gregor4c678342009-01-28 21:54:33 +0000507 CheckListElementTypes(ParentIList, T, false, Index,
Mike Stump1eb44332009-09-09 15:08:12 +0000508 StructuredSubobjectInitList,
Douglas Gregoreeb15d42009-02-04 22:46:25 +0000509 StructuredSubobjectInitIndex,
510 TopLevelObject);
Douglas Gregor87fd7032009-02-02 17:43:21 +0000511 unsigned EndIndex = (Index == StartIndex? StartIndex : Index - 1);
Douglas Gregora6457962009-03-20 00:32:56 +0000512 StructuredSubobjectInitList->setType(T);
513
Douglas Gregored8a93d2009-03-01 17:12:46 +0000514 // Update the structured sub-object initializer so that it's ending
Douglas Gregor87fd7032009-02-02 17:43:21 +0000515 // range corresponds with the end of the last initializer it used.
516 if (EndIndex < ParentIList->getNumInits()) {
Mike Stump1eb44332009-09-09 15:08:12 +0000517 SourceLocation EndLoc
Douglas Gregor87fd7032009-02-02 17:43:21 +0000518 = ParentIList->getInit(EndIndex)->getSourceRange().getEnd();
519 StructuredSubobjectInitList->setRBraceLoc(EndLoc);
520 }
Steve Naroff0cca7492008-05-01 22:18:59 +0000521}
522
Steve Naroffa647caa2008-05-06 00:23:44 +0000523void InitListChecker::CheckExplicitInitList(InitListExpr *IList, QualType &T,
Douglas Gregor4c678342009-01-28 21:54:33 +0000524 unsigned &Index,
525 InitListExpr *StructuredList,
Douglas Gregoreeb15d42009-02-04 22:46:25 +0000526 unsigned &StructuredIndex,
527 bool TopLevelObject) {
Eli Friedmanc9c0ea62008-05-19 20:00:43 +0000528 assert(IList->isExplicit() && "Illegal Implicit InitListExpr");
Douglas Gregor4c678342009-01-28 21:54:33 +0000529 SyntacticToSemantic[IList] = StructuredList;
530 StructuredList->setSyntacticForm(IList);
Mike Stump1eb44332009-09-09 15:08:12 +0000531 CheckListElementTypes(IList, T, true, Index, StructuredList,
Douglas Gregoreeb15d42009-02-04 22:46:25 +0000532 StructuredIndex, TopLevelObject);
Steve Naroffa647caa2008-05-06 00:23:44 +0000533 IList->setType(T);
Douglas Gregor4c678342009-01-28 21:54:33 +0000534 StructuredList->setType(T);
Eli Friedman638e1442008-05-25 13:22:35 +0000535 if (hadError)
536 return;
Eli Friedmanc9c0ea62008-05-19 20:00:43 +0000537
Eli Friedman638e1442008-05-25 13:22:35 +0000538 if (Index < IList->getNumInits()) {
Eli Friedmanc9c0ea62008-05-19 20:00:43 +0000539 // We have leftover initializers
Eli Friedmane5408582009-05-29 20:20:05 +0000540 if (StructuredIndex == 1 &&
541 IsStringInit(StructuredList->getInit(0), T, SemaRef.Context)) {
Douglas Gregor7c53ca62009-02-18 22:23:55 +0000542 unsigned DK = diag::warn_excess_initializers_in_char_array_initializer;
Eli Friedmane5408582009-05-29 20:20:05 +0000543 if (SemaRef.getLangOptions().CPlusPlus) {
Douglas Gregor7c53ca62009-02-18 22:23:55 +0000544 DK = diag::err_excess_initializers_in_char_array_initializer;
Eli Friedmane5408582009-05-29 20:20:05 +0000545 hadError = true;
546 }
Eli Friedmanbb504d32008-05-19 20:12:18 +0000547 // Special-case
Chris Lattner08202542009-02-24 22:50:46 +0000548 SemaRef.Diag(IList->getInit(Index)->getLocStart(), DK)
Chris Lattnerdcd5ef12008-11-19 05:27:50 +0000549 << IList->getInit(Index)->getSourceRange();
Eli Friedmand8dc2102008-05-20 05:25:56 +0000550 } else if (!T->isIncompleteType()) {
Douglas Gregorb574e562009-01-30 22:26:29 +0000551 // Don't complain for incomplete types, since we'll get an error
552 // elsewhere
Douglas Gregoreeb15d42009-02-04 22:46:25 +0000553 QualType CurrentObjectType = StructuredList->getType();
Mike Stump1eb44332009-09-09 15:08:12 +0000554 int initKind =
Douglas Gregoreeb15d42009-02-04 22:46:25 +0000555 CurrentObjectType->isArrayType()? 0 :
556 CurrentObjectType->isVectorType()? 1 :
557 CurrentObjectType->isScalarType()? 2 :
558 CurrentObjectType->isUnionType()? 3 :
559 4;
Douglas Gregor7c53ca62009-02-18 22:23:55 +0000560
561 unsigned DK = diag::warn_excess_initializers;
Eli Friedmane5408582009-05-29 20:20:05 +0000562 if (SemaRef.getLangOptions().CPlusPlus) {
563 DK = diag::err_excess_initializers;
564 hadError = true;
565 }
Nate Begeman08634522009-07-07 21:53:06 +0000566 if (SemaRef.getLangOptions().OpenCL && initKind == 1) {
567 DK = diag::err_excess_initializers;
568 hadError = true;
569 }
Douglas Gregor7c53ca62009-02-18 22:23:55 +0000570
Chris Lattner08202542009-02-24 22:50:46 +0000571 SemaRef.Diag(IList->getInit(Index)->getLocStart(), DK)
Douglas Gregoreeb15d42009-02-04 22:46:25 +0000572 << initKind << IList->getInit(Index)->getSourceRange();
Eli Friedmanc9c0ea62008-05-19 20:00:43 +0000573 }
574 }
Eli Friedmancda25a92008-05-19 20:20:43 +0000575
Eli Friedman759f2522009-05-16 11:45:48 +0000576 if (T->isScalarType() && !TopLevelObject)
Chris Lattner08202542009-02-24 22:50:46 +0000577 SemaRef.Diag(IList->getLocStart(), diag::warn_braces_around_scalar_init)
Douglas Gregora3a83512009-04-01 23:51:29 +0000578 << IList->getSourceRange()
Chris Lattner29d9c1a2009-12-06 17:36:05 +0000579 << CodeModificationHint::CreateRemoval(IList->getLocStart())
580 << CodeModificationHint::CreateRemoval(IList->getLocEnd());
Steve Naroff0cca7492008-05-01 22:18:59 +0000581}
582
Eli Friedmanb85f7072008-05-19 19:16:24 +0000583void InitListChecker::CheckListElementTypes(InitListExpr *IList,
Mike Stump1eb44332009-09-09 15:08:12 +0000584 QualType &DeclType,
Douglas Gregor87f55cf2009-01-22 23:26:18 +0000585 bool SubobjectIsDesignatorContext,
Douglas Gregor4c678342009-01-28 21:54:33 +0000586 unsigned &Index,
587 InitListExpr *StructuredList,
Douglas Gregoreeb15d42009-02-04 22:46:25 +0000588 unsigned &StructuredIndex,
589 bool TopLevelObject) {
Eli Friedmanc9c0ea62008-05-19 20:00:43 +0000590 if (DeclType->isScalarType()) {
Douglas Gregor6fbdc6b2009-01-29 00:39:20 +0000591 CheckScalarType(IList, DeclType, Index, StructuredList, StructuredIndex);
Eli Friedmanc9c0ea62008-05-19 20:00:43 +0000592 } else if (DeclType->isVectorType()) {
Douglas Gregor4c678342009-01-28 21:54:33 +0000593 CheckVectorType(IList, DeclType, Index, StructuredList, StructuredIndex);
Douglas Gregord7eb8462009-01-30 17:31:00 +0000594 } else if (DeclType->isAggregateType()) {
595 if (DeclType->isRecordType()) {
Ted Kremenek6217b802009-07-29 21:53:49 +0000596 RecordDecl *RD = DeclType->getAs<RecordType>()->getDecl();
Mike Stump1eb44332009-09-09 15:08:12 +0000597 CheckStructUnionTypes(IList, DeclType, RD->field_begin(),
Douglas Gregor4c678342009-01-28 21:54:33 +0000598 SubobjectIsDesignatorContext, Index,
Douglas Gregoreeb15d42009-02-04 22:46:25 +0000599 StructuredList, StructuredIndex,
600 TopLevelObject);
Douglas Gregor87f55cf2009-01-22 23:26:18 +0000601 } else if (DeclType->isArrayType()) {
Douglas Gregorf6c717c2009-01-23 16:54:12 +0000602 llvm::APSInt Zero(
Chris Lattner08202542009-02-24 22:50:46 +0000603 SemaRef.Context.getTypeSize(SemaRef.Context.getSizeType()),
Douglas Gregorf6c717c2009-01-23 16:54:12 +0000604 false);
Douglas Gregor4c678342009-01-28 21:54:33 +0000605 CheckArrayType(IList, DeclType, Zero, SubobjectIsDesignatorContext, Index,
606 StructuredList, StructuredIndex);
Mike Stumpac5fc7c2009-08-04 21:02:39 +0000607 } else
Douglas Gregor4c678342009-01-28 21:54:33 +0000608 assert(0 && "Aggregate that isn't a structure or array?!");
Steve Naroff61353522008-08-10 16:05:48 +0000609 } else if (DeclType->isVoidType() || DeclType->isFunctionType()) {
610 // This type is invalid, issue a diagnostic.
Douglas Gregor4c678342009-01-28 21:54:33 +0000611 ++Index;
Chris Lattner08202542009-02-24 22:50:46 +0000612 SemaRef.Diag(IList->getLocStart(), diag::err_illegal_initializer_type)
Chris Lattnerd1625842008-11-24 06:25:27 +0000613 << DeclType;
Eli Friedmand8dc2102008-05-20 05:25:56 +0000614 hadError = true;
Douglas Gregor930d8b52009-01-30 22:09:00 +0000615 } else if (DeclType->isRecordType()) {
616 // C++ [dcl.init]p14:
617 // [...] If the class is an aggregate (8.5.1), and the initializer
618 // is a brace-enclosed list, see 8.5.1.
619 //
620 // Note: 8.5.1 is handled below; here, we diagnose the case where
621 // we have an initializer list and a destination type that is not
622 // an aggregate.
623 // FIXME: In C++0x, this is yet another form of initialization.
Chris Lattner08202542009-02-24 22:50:46 +0000624 SemaRef.Diag(IList->getLocStart(), diag::err_init_non_aggr_init_list)
Douglas Gregor930d8b52009-01-30 22:09:00 +0000625 << DeclType << IList->getSourceRange();
626 hadError = true;
627 } else if (DeclType->isReferenceType()) {
628 CheckReferenceType(IList, DeclType, Index, StructuredList, StructuredIndex);
Steve Naroff0cca7492008-05-01 22:18:59 +0000629 } else {
630 // In C, all types are either scalars or aggregates, but
Mike Stump1eb44332009-09-09 15:08:12 +0000631 // additional handling is needed here for C++ (and possibly others?).
Steve Naroff0cca7492008-05-01 22:18:59 +0000632 assert(0 && "Unsupported initializer type");
633 }
634}
635
Eli Friedmanb85f7072008-05-19 19:16:24 +0000636void InitListChecker::CheckSubElementType(InitListExpr *IList,
Mike Stump1eb44332009-09-09 15:08:12 +0000637 QualType ElemType,
Douglas Gregor4c678342009-01-28 21:54:33 +0000638 unsigned &Index,
639 InitListExpr *StructuredList,
640 unsigned &StructuredIndex) {
Douglas Gregor6fbdc6b2009-01-29 00:39:20 +0000641 Expr *expr = IList->getInit(Index);
Eli Friedmanc9c0ea62008-05-19 20:00:43 +0000642 if (InitListExpr *SubInitList = dyn_cast<InitListExpr>(expr)) {
643 unsigned newIndex = 0;
Douglas Gregor4c678342009-01-28 21:54:33 +0000644 unsigned newStructuredIndex = 0;
Mike Stump1eb44332009-09-09 15:08:12 +0000645 InitListExpr *newStructuredList
Douglas Gregor4c678342009-01-28 21:54:33 +0000646 = getStructuredSubobjectInit(IList, Index, ElemType,
647 StructuredList, StructuredIndex,
648 SubInitList->getSourceRange());
Mike Stump1eb44332009-09-09 15:08:12 +0000649 CheckExplicitInitList(SubInitList, ElemType, newIndex,
Douglas Gregor4c678342009-01-28 21:54:33 +0000650 newStructuredList, newStructuredIndex);
651 ++StructuredIndex;
652 ++Index;
Chris Lattner79e079d2009-02-24 23:10:27 +0000653 } else if (Expr *Str = IsStringInit(expr, ElemType, SemaRef.Context)) {
654 CheckStringInit(Str, ElemType, SemaRef);
Chris Lattnerf71ae8d2009-02-24 22:41:04 +0000655 UpdateStructuredListElement(StructuredList, StructuredIndex, Str);
Douglas Gregor4c678342009-01-28 21:54:33 +0000656 ++Index;
Eli Friedmanc9c0ea62008-05-19 20:00:43 +0000657 } else if (ElemType->isScalarType()) {
Douglas Gregor6fbdc6b2009-01-29 00:39:20 +0000658 CheckScalarType(IList, ElemType, Index, StructuredList, StructuredIndex);
Douglas Gregor930d8b52009-01-30 22:09:00 +0000659 } else if (ElemType->isReferenceType()) {
660 CheckReferenceType(IList, ElemType, Index, StructuredList, StructuredIndex);
Eli Friedmanb85f7072008-05-19 19:16:24 +0000661 } else {
Chris Lattner08202542009-02-24 22:50:46 +0000662 if (SemaRef.getLangOptions().CPlusPlus) {
Douglas Gregor930d8b52009-01-30 22:09:00 +0000663 // C++ [dcl.init.aggr]p12:
664 // All implicit type conversions (clause 4) are considered when
665 // initializing the aggregate member with an ini- tializer from
666 // an initializer-list. If the initializer can initialize a
667 // member, the member is initialized. [...]
Mike Stump1eb44332009-09-09 15:08:12 +0000668 ImplicitConversionSequence ICS
Anders Carlssond28b4282009-08-27 17:18:13 +0000669 = SemaRef.TryCopyInitialization(expr, ElemType,
670 /*SuppressUserConversions=*/false,
Anders Carlsson7b361b52009-08-27 17:37:39 +0000671 /*ForceRValue=*/false,
672 /*InOverloadResolution=*/false);
Anders Carlssond28b4282009-08-27 17:18:13 +0000673
John McCall1d318332010-01-12 00:44:57 +0000674 if (!ICS.isBad()) {
Mike Stump1eb44332009-09-09 15:08:12 +0000675 if (SemaRef.PerformImplicitConversion(expr, ElemType, ICS,
Douglas Gregor68647482009-12-16 03:45:30 +0000676 Sema::AA_Initializing))
Douglas Gregor930d8b52009-01-30 22:09:00 +0000677 hadError = true;
678 UpdateStructuredListElement(StructuredList, StructuredIndex, expr);
679 ++Index;
680 return;
681 }
682
683 // Fall through for subaggregate initialization
684 } else {
Mike Stump1eb44332009-09-09 15:08:12 +0000685 // C99 6.7.8p13:
Douglas Gregor930d8b52009-01-30 22:09:00 +0000686 //
687 // The initializer for a structure or union object that has
688 // automatic storage duration shall be either an initializer
689 // list as described below, or a single expression that has
690 // compatible structure or union type. In the latter case, the
691 // initial value of the object, including unnamed members, is
692 // that of the expression.
Eli Friedman6b5374f2009-06-13 10:38:46 +0000693 if ((ElemType->isRecordType() || ElemType->isVectorType()) &&
Eli Friedman8718a6a2009-05-29 18:22:49 +0000694 SemaRef.Context.hasSameUnqualifiedType(expr->getType(), ElemType)) {
Douglas Gregor930d8b52009-01-30 22:09:00 +0000695 UpdateStructuredListElement(StructuredList, StructuredIndex, expr);
696 ++Index;
697 return;
698 }
699
700 // Fall through for subaggregate initialization
701 }
702
703 // C++ [dcl.init.aggr]p12:
Mike Stump1eb44332009-09-09 15:08:12 +0000704 //
Douglas Gregor930d8b52009-01-30 22:09:00 +0000705 // [...] Otherwise, if the member is itself a non-empty
706 // subaggregate, brace elision is assumed and the initializer is
707 // considered for the initialization of the first member of
708 // the subaggregate.
709 if (ElemType->isAggregateType() || ElemType->isVectorType()) {
Mike Stump1eb44332009-09-09 15:08:12 +0000710 CheckImplicitInitList(IList, ElemType, Index, StructuredList,
Douglas Gregor930d8b52009-01-30 22:09:00 +0000711 StructuredIndex);
712 ++StructuredIndex;
713 } else {
714 // We cannot initialize this element, so let
715 // PerformCopyInitialization produce the appropriate diagnostic.
Douglas Gregor68647482009-12-16 03:45:30 +0000716 SemaRef.PerformCopyInitialization(expr, ElemType, Sema::AA_Initializing);
Douglas Gregor930d8b52009-01-30 22:09:00 +0000717 hadError = true;
718 ++Index;
719 ++StructuredIndex;
720 }
721 }
Eli Friedmanb85f7072008-05-19 19:16:24 +0000722}
723
Douglas Gregor930d8b52009-01-30 22:09:00 +0000724void InitListChecker::CheckScalarType(InitListExpr *IList, QualType DeclType,
Douglas Gregor6fbdc6b2009-01-29 00:39:20 +0000725 unsigned &Index,
Douglas Gregor4c678342009-01-28 21:54:33 +0000726 InitListExpr *StructuredList,
727 unsigned &StructuredIndex) {
Steve Naroff0cca7492008-05-01 22:18:59 +0000728 if (Index < IList->getNumInits()) {
Douglas Gregor6fbdc6b2009-01-29 00:39:20 +0000729 Expr *expr = IList->getInit(Index);
Eli Friedmanc9c0ea62008-05-19 20:00:43 +0000730 if (isa<InitListExpr>(expr)) {
Chris Lattner08202542009-02-24 22:50:46 +0000731 SemaRef.Diag(IList->getLocStart(),
Chris Lattnerdcd5ef12008-11-19 05:27:50 +0000732 diag::err_many_braces_around_scalar_init)
733 << IList->getSourceRange();
Eli Friedmanbb504d32008-05-19 20:12:18 +0000734 hadError = true;
735 ++Index;
Douglas Gregor4c678342009-01-28 21:54:33 +0000736 ++StructuredIndex;
Eli Friedmanbb504d32008-05-19 20:12:18 +0000737 return;
Douglas Gregor05c13a32009-01-22 00:58:24 +0000738 } else if (isa<DesignatedInitExpr>(expr)) {
Mike Stump1eb44332009-09-09 15:08:12 +0000739 SemaRef.Diag(expr->getSourceRange().getBegin(),
Douglas Gregor05c13a32009-01-22 00:58:24 +0000740 diag::err_designator_for_scalar_init)
741 << DeclType << expr->getSourceRange();
742 hadError = true;
743 ++Index;
Douglas Gregor4c678342009-01-28 21:54:33 +0000744 ++StructuredIndex;
Douglas Gregor05c13a32009-01-22 00:58:24 +0000745 return;
Steve Naroff0cca7492008-05-01 22:18:59 +0000746 }
Douglas Gregor05c13a32009-01-22 00:58:24 +0000747
Eli Friedmanc9c0ea62008-05-19 20:00:43 +0000748 Expr *savExpr = expr; // Might be promoted by CheckSingleInitializer.
Chris Lattner08202542009-02-24 22:50:46 +0000749 if (CheckSingleInitializer(expr, DeclType, false, SemaRef))
Eli Friedmanbb504d32008-05-19 20:12:18 +0000750 hadError = true; // types weren't compatible.
Douglas Gregor05c13a32009-01-22 00:58:24 +0000751 else if (savExpr != expr) {
Eli Friedmanc9c0ea62008-05-19 20:00:43 +0000752 // The type was promoted, update initializer list.
Douglas Gregor6fbdc6b2009-01-29 00:39:20 +0000753 IList->setInit(Index, expr);
Douglas Gregor05c13a32009-01-22 00:58:24 +0000754 }
Douglas Gregor4c678342009-01-28 21:54:33 +0000755 if (hadError)
756 ++StructuredIndex;
757 else
758 UpdateStructuredListElement(StructuredList, StructuredIndex, expr);
Steve Naroff0cca7492008-05-01 22:18:59 +0000759 ++Index;
Eli Friedmanbb504d32008-05-19 20:12:18 +0000760 } else {
Chris Lattner08202542009-02-24 22:50:46 +0000761 SemaRef.Diag(IList->getLocStart(), diag::err_empty_scalar_initializer)
Chris Lattnerdcd5ef12008-11-19 05:27:50 +0000762 << IList->getSourceRange();
Eli Friedmanbb504d32008-05-19 20:12:18 +0000763 hadError = true;
Douglas Gregor4c678342009-01-28 21:54:33 +0000764 ++Index;
765 ++StructuredIndex;
Eli Friedmanbb504d32008-05-19 20:12:18 +0000766 return;
Steve Naroff0cca7492008-05-01 22:18:59 +0000767 }
Steve Naroff0cca7492008-05-01 22:18:59 +0000768}
769
Douglas Gregor930d8b52009-01-30 22:09:00 +0000770void InitListChecker::CheckReferenceType(InitListExpr *IList, QualType DeclType,
771 unsigned &Index,
772 InitListExpr *StructuredList,
773 unsigned &StructuredIndex) {
774 if (Index < IList->getNumInits()) {
775 Expr *expr = IList->getInit(Index);
776 if (isa<InitListExpr>(expr)) {
Chris Lattner08202542009-02-24 22:50:46 +0000777 SemaRef.Diag(IList->getLocStart(), diag::err_init_non_aggr_init_list)
Douglas Gregor930d8b52009-01-30 22:09:00 +0000778 << DeclType << IList->getSourceRange();
779 hadError = true;
780 ++Index;
781 ++StructuredIndex;
782 return;
Mike Stump1eb44332009-09-09 15:08:12 +0000783 }
Douglas Gregor930d8b52009-01-30 22:09:00 +0000784
785 Expr *savExpr = expr; // Might be promoted by CheckSingleInitializer.
Anders Carlsson2de3ace2009-08-27 17:30:43 +0000786 if (SemaRef.CheckReferenceInit(expr, DeclType,
Douglas Gregor739d8282009-09-23 23:04:10 +0000787 /*FIXME:*/expr->getLocStart(),
Anders Carlsson2de3ace2009-08-27 17:30:43 +0000788 /*SuppressUserConversions=*/false,
789 /*AllowExplicit=*/false,
Mike Stump1eb44332009-09-09 15:08:12 +0000790 /*ForceRValue=*/false))
Douglas Gregor930d8b52009-01-30 22:09:00 +0000791 hadError = true;
792 else if (savExpr != expr) {
793 // The type was promoted, update initializer list.
794 IList->setInit(Index, expr);
795 }
796 if (hadError)
797 ++StructuredIndex;
798 else
799 UpdateStructuredListElement(StructuredList, StructuredIndex, expr);
800 ++Index;
801 } else {
Mike Stump390b4cc2009-05-16 07:39:55 +0000802 // FIXME: It would be wonderful if we could point at the actual member. In
803 // general, it would be useful to pass location information down the stack,
804 // so that we know the location (or decl) of the "current object" being
805 // initialized.
Mike Stump1eb44332009-09-09 15:08:12 +0000806 SemaRef.Diag(IList->getLocStart(),
Douglas Gregor930d8b52009-01-30 22:09:00 +0000807 diag::err_init_reference_member_uninitialized)
808 << DeclType
809 << IList->getSourceRange();
810 hadError = true;
811 ++Index;
812 ++StructuredIndex;
813 return;
814 }
815}
816
Mike Stump1eb44332009-09-09 15:08:12 +0000817void InitListChecker::CheckVectorType(InitListExpr *IList, QualType DeclType,
Douglas Gregor4c678342009-01-28 21:54:33 +0000818 unsigned &Index,
819 InitListExpr *StructuredList,
820 unsigned &StructuredIndex) {
Steve Naroff0cca7492008-05-01 22:18:59 +0000821 if (Index < IList->getNumInits()) {
John McCall183700f2009-09-21 23:43:11 +0000822 const VectorType *VT = DeclType->getAs<VectorType>();
Nate Begeman2ef13e52009-08-10 23:49:36 +0000823 unsigned maxElements = VT->getNumElements();
824 unsigned numEltsInit = 0;
Steve Naroff0cca7492008-05-01 22:18:59 +0000825 QualType elementType = VT->getElementType();
Mike Stump1eb44332009-09-09 15:08:12 +0000826
Nate Begeman2ef13e52009-08-10 23:49:36 +0000827 if (!SemaRef.getLangOptions().OpenCL) {
828 for (unsigned i = 0; i < maxElements; ++i, ++numEltsInit) {
829 // Don't attempt to go past the end of the init list
830 if (Index >= IList->getNumInits())
831 break;
832 CheckSubElementType(IList, elementType, Index,
833 StructuredList, StructuredIndex);
834 }
835 } else {
836 // OpenCL initializers allows vectors to be constructed from vectors.
837 for (unsigned i = 0; i < maxElements; ++i) {
838 // Don't attempt to go past the end of the init list
839 if (Index >= IList->getNumInits())
840 break;
841 QualType IType = IList->getInit(Index)->getType();
842 if (!IType->isVectorType()) {
843 CheckSubElementType(IList, elementType, Index,
844 StructuredList, StructuredIndex);
845 ++numEltsInit;
846 } else {
John McCall183700f2009-09-21 23:43:11 +0000847 const VectorType *IVT = IType->getAs<VectorType>();
Nate Begeman2ef13e52009-08-10 23:49:36 +0000848 unsigned numIElts = IVT->getNumElements();
849 QualType VecType = SemaRef.Context.getExtVectorType(elementType,
850 numIElts);
851 CheckSubElementType(IList, VecType, Index,
852 StructuredList, StructuredIndex);
853 numEltsInit += numIElts;
854 }
855 }
Steve Naroff0cca7492008-05-01 22:18:59 +0000856 }
Mike Stump1eb44332009-09-09 15:08:12 +0000857
Nate Begeman2ef13e52009-08-10 23:49:36 +0000858 // OpenCL & AltiVec require all elements to be initialized.
859 if (numEltsInit != maxElements)
860 if (SemaRef.getLangOptions().OpenCL || SemaRef.getLangOptions().AltiVec)
861 SemaRef.Diag(IList->getSourceRange().getBegin(),
862 diag::err_vector_incorrect_num_initializers)
863 << (numEltsInit < maxElements) << maxElements << numEltsInit;
Steve Naroff0cca7492008-05-01 22:18:59 +0000864 }
865}
866
Mike Stump1eb44332009-09-09 15:08:12 +0000867void InitListChecker::CheckArrayType(InitListExpr *IList, QualType &DeclType,
Douglas Gregor87f55cf2009-01-22 23:26:18 +0000868 llvm::APSInt elementIndex,
Mike Stump1eb44332009-09-09 15:08:12 +0000869 bool SubobjectIsDesignatorContext,
Douglas Gregor4c678342009-01-28 21:54:33 +0000870 unsigned &Index,
871 InitListExpr *StructuredList,
872 unsigned &StructuredIndex) {
Steve Naroff0cca7492008-05-01 22:18:59 +0000873 // Check for the special-case of initializing an array with a string.
874 if (Index < IList->getNumInits()) {
Chris Lattner79e079d2009-02-24 23:10:27 +0000875 if (Expr *Str = IsStringInit(IList->getInit(Index), DeclType,
876 SemaRef.Context)) {
877 CheckStringInit(Str, DeclType, SemaRef);
Douglas Gregor4c678342009-01-28 21:54:33 +0000878 // We place the string literal directly into the resulting
879 // initializer list. This is the only place where the structure
880 // of the structured initializer list doesn't match exactly,
881 // because doing so would involve allocating one character
882 // constant for each string.
Chris Lattnerf71ae8d2009-02-24 22:41:04 +0000883 UpdateStructuredListElement(StructuredList, StructuredIndex, Str);
Chris Lattner08202542009-02-24 22:50:46 +0000884 StructuredList->resizeInits(SemaRef.Context, StructuredIndex);
Steve Naroff0cca7492008-05-01 22:18:59 +0000885 ++Index;
Steve Naroff0cca7492008-05-01 22:18:59 +0000886 return;
887 }
888 }
Chris Lattnerc63a1f22008-08-04 07:31:14 +0000889 if (const VariableArrayType *VAT =
Chris Lattner08202542009-02-24 22:50:46 +0000890 SemaRef.Context.getAsVariableArrayType(DeclType)) {
Eli Friedman638e1442008-05-25 13:22:35 +0000891 // Check for VLAs; in standard C it would be possible to check this
892 // earlier, but I don't know where clang accepts VLAs (gcc accepts
893 // them in all sorts of strange places).
Chris Lattner08202542009-02-24 22:50:46 +0000894 SemaRef.Diag(VAT->getSizeExpr()->getLocStart(),
Chris Lattnerdcd5ef12008-11-19 05:27:50 +0000895 diag::err_variable_object_no_init)
896 << VAT->getSizeExpr()->getSourceRange();
Eli Friedman638e1442008-05-25 13:22:35 +0000897 hadError = true;
Douglas Gregor4c678342009-01-28 21:54:33 +0000898 ++Index;
899 ++StructuredIndex;
Eli Friedman638e1442008-05-25 13:22:35 +0000900 return;
901 }
902
Douglas Gregor05c13a32009-01-22 00:58:24 +0000903 // We might know the maximum number of elements in advance.
Douglas Gregor4c678342009-01-28 21:54:33 +0000904 llvm::APSInt maxElements(elementIndex.getBitWidth(),
905 elementIndex.isUnsigned());
Douglas Gregor05c13a32009-01-22 00:58:24 +0000906 bool maxElementsKnown = false;
907 if (const ConstantArrayType *CAT =
Chris Lattner08202542009-02-24 22:50:46 +0000908 SemaRef.Context.getAsConstantArrayType(DeclType)) {
Douglas Gregor05c13a32009-01-22 00:58:24 +0000909 maxElements = CAT->getSize();
Douglas Gregorf6c717c2009-01-23 16:54:12 +0000910 elementIndex.extOrTrunc(maxElements.getBitWidth());
Douglas Gregore3fa2de2009-01-23 18:58:42 +0000911 elementIndex.setIsUnsigned(maxElements.isUnsigned());
Douglas Gregor05c13a32009-01-22 00:58:24 +0000912 maxElementsKnown = true;
913 }
914
Chris Lattner08202542009-02-24 22:50:46 +0000915 QualType elementType = SemaRef.Context.getAsArrayType(DeclType)
Chris Lattnerc63a1f22008-08-04 07:31:14 +0000916 ->getElementType();
Douglas Gregor05c13a32009-01-22 00:58:24 +0000917 while (Index < IList->getNumInits()) {
918 Expr *Init = IList->getInit(Index);
919 if (DesignatedInitExpr *DIE = dyn_cast<DesignatedInitExpr>(Init)) {
Douglas Gregor87f55cf2009-01-22 23:26:18 +0000920 // If we're not the subobject that matches up with the '{' for
921 // the designator, we shouldn't be handling the
922 // designator. Return immediately.
923 if (!SubobjectIsDesignatorContext)
924 return;
Douglas Gregor05c13a32009-01-22 00:58:24 +0000925
Douglas Gregor87f55cf2009-01-22 23:26:18 +0000926 // Handle this designated initializer. elementIndex will be
927 // updated to be the next array element we'll initialize.
Mike Stump1eb44332009-09-09 15:08:12 +0000928 if (CheckDesignatedInitializer(IList, DIE, 0,
Douglas Gregor4c678342009-01-28 21:54:33 +0000929 DeclType, 0, &elementIndex, Index,
Douglas Gregoreeb15d42009-02-04 22:46:25 +0000930 StructuredList, StructuredIndex, true,
931 false)) {
Douglas Gregor87f55cf2009-01-22 23:26:18 +0000932 hadError = true;
933 continue;
934 }
935
Douglas Gregorf6c717c2009-01-23 16:54:12 +0000936 if (elementIndex.getBitWidth() > maxElements.getBitWidth())
937 maxElements.extend(elementIndex.getBitWidth());
938 else if (elementIndex.getBitWidth() < maxElements.getBitWidth())
939 elementIndex.extend(maxElements.getBitWidth());
Douglas Gregore3fa2de2009-01-23 18:58:42 +0000940 elementIndex.setIsUnsigned(maxElements.isUnsigned());
Douglas Gregorf6c717c2009-01-23 16:54:12 +0000941
Douglas Gregor87f55cf2009-01-22 23:26:18 +0000942 // If the array is of incomplete type, keep track of the number of
943 // elements in the initializer.
944 if (!maxElementsKnown && elementIndex > maxElements)
945 maxElements = elementIndex;
946
Douglas Gregor05c13a32009-01-22 00:58:24 +0000947 continue;
948 }
949
950 // If we know the maximum number of elements, and we've already
951 // hit it, stop consuming elements in the initializer list.
952 if (maxElementsKnown && elementIndex == maxElements)
Steve Naroff0cca7492008-05-01 22:18:59 +0000953 break;
Douglas Gregor05c13a32009-01-22 00:58:24 +0000954
955 // Check this element.
Douglas Gregor6fbdc6b2009-01-29 00:39:20 +0000956 CheckSubElementType(IList, elementType, Index,
Douglas Gregor4c678342009-01-28 21:54:33 +0000957 StructuredList, StructuredIndex);
Douglas Gregor05c13a32009-01-22 00:58:24 +0000958 ++elementIndex;
959
960 // If the array is of incomplete type, keep track of the number of
961 // elements in the initializer.
962 if (!maxElementsKnown && elementIndex > maxElements)
963 maxElements = elementIndex;
Steve Naroff0cca7492008-05-01 22:18:59 +0000964 }
Eli Friedman587cbdf2009-05-29 20:17:55 +0000965 if (!hadError && DeclType->isIncompleteArrayType()) {
Steve Naroff0cca7492008-05-01 22:18:59 +0000966 // If this is an incomplete array type, the actual type needs to
Daniel Dunbar396f0bf2008-08-18 20:28:46 +0000967 // be calculated here.
Douglas Gregore3fa2de2009-01-23 18:58:42 +0000968 llvm::APSInt Zero(maxElements.getBitWidth(), maxElements.isUnsigned());
Douglas Gregor05c13a32009-01-22 00:58:24 +0000969 if (maxElements == Zero) {
Daniel Dunbar396f0bf2008-08-18 20:28:46 +0000970 // Sizing an array implicitly to zero is not allowed by ISO C,
971 // but is supported by GNU.
Chris Lattner08202542009-02-24 22:50:46 +0000972 SemaRef.Diag(IList->getLocStart(),
Daniel Dunbar396f0bf2008-08-18 20:28:46 +0000973 diag::ext_typecheck_zero_array_size);
Steve Naroff0cca7492008-05-01 22:18:59 +0000974 }
Daniel Dunbar396f0bf2008-08-18 20:28:46 +0000975
Mike Stump1eb44332009-09-09 15:08:12 +0000976 DeclType = SemaRef.Context.getConstantArrayType(elementType, maxElements,
Daniel Dunbar396f0bf2008-08-18 20:28:46 +0000977 ArrayType::Normal, 0);
Steve Naroff0cca7492008-05-01 22:18:59 +0000978 }
979}
980
Mike Stump1eb44332009-09-09 15:08:12 +0000981void InitListChecker::CheckStructUnionTypes(InitListExpr *IList,
982 QualType DeclType,
Douglas Gregor87f55cf2009-01-22 23:26:18 +0000983 RecordDecl::field_iterator Field,
Mike Stump1eb44332009-09-09 15:08:12 +0000984 bool SubobjectIsDesignatorContext,
Douglas Gregor4c678342009-01-28 21:54:33 +0000985 unsigned &Index,
986 InitListExpr *StructuredList,
Douglas Gregoreeb15d42009-02-04 22:46:25 +0000987 unsigned &StructuredIndex,
988 bool TopLevelObject) {
Ted Kremenek6217b802009-07-29 21:53:49 +0000989 RecordDecl* structDecl = DeclType->getAs<RecordType>()->getDecl();
Mike Stump1eb44332009-09-09 15:08:12 +0000990
Eli Friedmanb85f7072008-05-19 19:16:24 +0000991 // If the record is invalid, some of it's members are invalid. To avoid
992 // confusion, we forgo checking the intializer for the entire record.
993 if (structDecl->isInvalidDecl()) {
994 hadError = true;
995 return;
Mike Stump1eb44332009-09-09 15:08:12 +0000996 }
Douglas Gregor3498bdb2009-01-29 17:44:32 +0000997
998 if (DeclType->isUnionType() && IList->getNumInits() == 0) {
999 // Value-initialize the first named member of the union.
Ted Kremenek6217b802009-07-29 21:53:49 +00001000 RecordDecl *RD = DeclType->getAs<RecordType>()->getDecl();
Argyrios Kyrtzidis17945a02009-06-30 02:36:12 +00001001 for (RecordDecl::field_iterator FieldEnd = RD->field_end();
Douglas Gregor3498bdb2009-01-29 17:44:32 +00001002 Field != FieldEnd; ++Field) {
1003 if (Field->getDeclName()) {
1004 StructuredList->setInitializedFieldInUnion(*Field);
1005 break;
1006 }
1007 }
1008 return;
1009 }
1010
Douglas Gregor05c13a32009-01-22 00:58:24 +00001011 // If structDecl is a forward declaration, this loop won't do
1012 // anything except look at designated initializers; That's okay,
1013 // because an error should get printed out elsewhere. It might be
1014 // worthwhile to skip over the rest of the initializer, though.
Ted Kremenek6217b802009-07-29 21:53:49 +00001015 RecordDecl *RD = DeclType->getAs<RecordType>()->getDecl();
Argyrios Kyrtzidis17945a02009-06-30 02:36:12 +00001016 RecordDecl::field_iterator FieldEnd = RD->field_end();
Douglas Gregordfb5e592009-02-12 19:00:39 +00001017 bool InitializedSomething = false;
Douglas Gregor05c13a32009-01-22 00:58:24 +00001018 while (Index < IList->getNumInits()) {
1019 Expr *Init = IList->getInit(Index);
1020
1021 if (DesignatedInitExpr *DIE = dyn_cast<DesignatedInitExpr>(Init)) {
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001022 // If we're not the subobject that matches up with the '{' for
1023 // the designator, we shouldn't be handling the
1024 // designator. Return immediately.
1025 if (!SubobjectIsDesignatorContext)
1026 return;
Douglas Gregor05c13a32009-01-22 00:58:24 +00001027
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001028 // Handle this designated initializer. Field will be updated to
1029 // the next field that we'll be initializing.
Mike Stump1eb44332009-09-09 15:08:12 +00001030 if (CheckDesignatedInitializer(IList, DIE, 0,
Douglas Gregor4c678342009-01-28 21:54:33 +00001031 DeclType, &Field, 0, Index,
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001032 StructuredList, StructuredIndex,
1033 true, TopLevelObject))
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001034 hadError = true;
1035
Douglas Gregordfb5e592009-02-12 19:00:39 +00001036 InitializedSomething = true;
Douglas Gregor05c13a32009-01-22 00:58:24 +00001037 continue;
1038 }
1039
1040 if (Field == FieldEnd) {
1041 // We've run out of fields. We're done.
1042 break;
1043 }
1044
Douglas Gregordfb5e592009-02-12 19:00:39 +00001045 // We've already initialized a member of a union. We're done.
1046 if (InitializedSomething && DeclType->isUnionType())
1047 break;
1048
Douglas Gregor44b43212008-12-11 16:49:14 +00001049 // If we've hit the flexible array member at the end, we're done.
1050 if (Field->getType()->isIncompleteArrayType())
1051 break;
1052
Douglas Gregor0bb76892009-01-29 16:53:55 +00001053 if (Field->isUnnamedBitfield()) {
Douglas Gregor4c678342009-01-28 21:54:33 +00001054 // Don't initialize unnamed bitfields, e.g. "int : 20;"
Douglas Gregor05c13a32009-01-22 00:58:24 +00001055 ++Field;
Eli Friedmanb85f7072008-05-19 19:16:24 +00001056 continue;
Steve Naroff0cca7492008-05-01 22:18:59 +00001057 }
Douglas Gregor44b43212008-12-11 16:49:14 +00001058
Douglas Gregor6fbdc6b2009-01-29 00:39:20 +00001059 CheckSubElementType(IList, Field->getType(), Index,
Douglas Gregor4c678342009-01-28 21:54:33 +00001060 StructuredList, StructuredIndex);
Douglas Gregordfb5e592009-02-12 19:00:39 +00001061 InitializedSomething = true;
Douglas Gregor0bb76892009-01-29 16:53:55 +00001062
1063 if (DeclType->isUnionType()) {
1064 // Initialize the first field within the union.
1065 StructuredList->setInitializedFieldInUnion(*Field);
Douglas Gregor0bb76892009-01-29 16:53:55 +00001066 }
Douglas Gregor05c13a32009-01-22 00:58:24 +00001067
1068 ++Field;
Steve Naroff0cca7492008-05-01 22:18:59 +00001069 }
Douglas Gregor44b43212008-12-11 16:49:14 +00001070
Mike Stump1eb44332009-09-09 15:08:12 +00001071 if (Field == FieldEnd || !Field->getType()->isIncompleteArrayType() ||
Douglas Gregora6457962009-03-20 00:32:56 +00001072 Index >= IList->getNumInits())
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001073 return;
1074
1075 // Handle GNU flexible array initializers.
Mike Stump1eb44332009-09-09 15:08:12 +00001076 if (!TopLevelObject &&
Douglas Gregora6457962009-03-20 00:32:56 +00001077 (!isa<InitListExpr>(IList->getInit(Index)) ||
1078 cast<InitListExpr>(IList->getInit(Index))->getNumInits() > 0)) {
Mike Stump1eb44332009-09-09 15:08:12 +00001079 SemaRef.Diag(IList->getInit(Index)->getSourceRange().getBegin(),
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001080 diag::err_flexible_array_init_nonempty)
1081 << IList->getInit(Index)->getSourceRange().getBegin();
Chris Lattner08202542009-02-24 22:50:46 +00001082 SemaRef.Diag(Field->getLocation(), diag::note_flexible_array_member)
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001083 << *Field;
1084 hadError = true;
Douglas Gregora6457962009-03-20 00:32:56 +00001085 ++Index;
1086 return;
1087 } else {
Mike Stump1eb44332009-09-09 15:08:12 +00001088 SemaRef.Diag(IList->getInit(Index)->getSourceRange().getBegin(),
Douglas Gregora6457962009-03-20 00:32:56 +00001089 diag::ext_flexible_array_init)
1090 << IList->getInit(Index)->getSourceRange().getBegin();
1091 SemaRef.Diag(Field->getLocation(), diag::note_flexible_array_member)
1092 << *Field;
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001093 }
1094
Douglas Gregora6457962009-03-20 00:32:56 +00001095 if (isa<InitListExpr>(IList->getInit(Index)))
1096 CheckSubElementType(IList, Field->getType(), Index, StructuredList,
1097 StructuredIndex);
1098 else
1099 CheckImplicitInitList(IList, Field->getType(), Index, StructuredList,
1100 StructuredIndex);
Steve Naroff0cca7492008-05-01 22:18:59 +00001101}
Steve Naroff0cca7492008-05-01 22:18:59 +00001102
Douglas Gregorffb4b6e2009-04-15 06:41:24 +00001103/// \brief Expand a field designator that refers to a member of an
1104/// anonymous struct or union into a series of field designators that
1105/// refers to the field within the appropriate subobject.
1106///
1107/// Field/FieldIndex will be updated to point to the (new)
1108/// currently-designated field.
1109static void ExpandAnonymousFieldDesignator(Sema &SemaRef,
Mike Stump1eb44332009-09-09 15:08:12 +00001110 DesignatedInitExpr *DIE,
1111 unsigned DesigIdx,
Douglas Gregorffb4b6e2009-04-15 06:41:24 +00001112 FieldDecl *Field,
1113 RecordDecl::field_iterator &FieldIter,
1114 unsigned &FieldIndex) {
1115 typedef DesignatedInitExpr::Designator Designator;
1116
1117 // Build the path from the current object to the member of the
1118 // anonymous struct/union (backwards).
1119 llvm::SmallVector<FieldDecl *, 4> Path;
1120 SemaRef.BuildAnonymousStructUnionMemberPath(Field, Path);
Mike Stump1eb44332009-09-09 15:08:12 +00001121
Douglas Gregorffb4b6e2009-04-15 06:41:24 +00001122 // Build the replacement designators.
1123 llvm::SmallVector<Designator, 4> Replacements;
1124 for (llvm::SmallVector<FieldDecl *, 4>::reverse_iterator
1125 FI = Path.rbegin(), FIEnd = Path.rend();
1126 FI != FIEnd; ++FI) {
1127 if (FI + 1 == FIEnd)
Mike Stump1eb44332009-09-09 15:08:12 +00001128 Replacements.push_back(Designator((IdentifierInfo *)0,
Douglas Gregorffb4b6e2009-04-15 06:41:24 +00001129 DIE->getDesignator(DesigIdx)->getDotLoc(),
1130 DIE->getDesignator(DesigIdx)->getFieldLoc()));
1131 else
1132 Replacements.push_back(Designator((IdentifierInfo *)0, SourceLocation(),
1133 SourceLocation()));
1134 Replacements.back().setField(*FI);
1135 }
1136
1137 // Expand the current designator into the set of replacement
1138 // designators, so we have a full subobject path down to where the
1139 // member of the anonymous struct/union is actually stored.
Douglas Gregor319d57f2010-01-06 23:17:19 +00001140 DIE->ExpandDesignator(SemaRef.Context, DesigIdx, &Replacements[0],
Douglas Gregorffb4b6e2009-04-15 06:41:24 +00001141 &Replacements[0] + Replacements.size());
Mike Stump1eb44332009-09-09 15:08:12 +00001142
Douglas Gregorffb4b6e2009-04-15 06:41:24 +00001143 // Update FieldIter/FieldIndex;
1144 RecordDecl *Record = cast<RecordDecl>(Path.back()->getDeclContext());
Argyrios Kyrtzidis17945a02009-06-30 02:36:12 +00001145 FieldIter = Record->field_begin();
Douglas Gregorffb4b6e2009-04-15 06:41:24 +00001146 FieldIndex = 0;
Argyrios Kyrtzidis17945a02009-06-30 02:36:12 +00001147 for (RecordDecl::field_iterator FEnd = Record->field_end();
Douglas Gregorffb4b6e2009-04-15 06:41:24 +00001148 FieldIter != FEnd; ++FieldIter) {
1149 if (FieldIter->isUnnamedBitfield())
1150 continue;
1151
1152 if (*FieldIter == Path.back())
1153 return;
1154
1155 ++FieldIndex;
1156 }
1157
1158 assert(false && "Unable to find anonymous struct/union field");
1159}
1160
Douglas Gregor05c13a32009-01-22 00:58:24 +00001161/// @brief Check the well-formedness of a C99 designated initializer.
1162///
1163/// Determines whether the designated initializer @p DIE, which
1164/// resides at the given @p Index within the initializer list @p
1165/// IList, is well-formed for a current object of type @p DeclType
1166/// (C99 6.7.8). The actual subobject that this designator refers to
Mike Stump1eb44332009-09-09 15:08:12 +00001167/// within the current subobject is returned in either
Douglas Gregor4c678342009-01-28 21:54:33 +00001168/// @p NextField or @p NextElementIndex (whichever is appropriate).
Douglas Gregor05c13a32009-01-22 00:58:24 +00001169///
1170/// @param IList The initializer list in which this designated
1171/// initializer occurs.
1172///
Douglas Gregor71199712009-04-15 04:56:10 +00001173/// @param DIE The designated initializer expression.
1174///
1175/// @param DesigIdx The index of the current designator.
Douglas Gregor05c13a32009-01-22 00:58:24 +00001176///
1177/// @param DeclType The type of the "current object" (C99 6.7.8p17),
1178/// into which the designation in @p DIE should refer.
1179///
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001180/// @param NextField If non-NULL and the first designator in @p DIE is
1181/// a field, this will be set to the field declaration corresponding
1182/// to the field named by the designator.
Douglas Gregor05c13a32009-01-22 00:58:24 +00001183///
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001184/// @param NextElementIndex If non-NULL and the first designator in @p
1185/// DIE is an array designator or GNU array-range designator, this
1186/// will be set to the last index initialized by this designator.
Douglas Gregor05c13a32009-01-22 00:58:24 +00001187///
1188/// @param Index Index into @p IList where the designated initializer
1189/// @p DIE occurs.
1190///
Douglas Gregor4c678342009-01-28 21:54:33 +00001191/// @param StructuredList The initializer list expression that
1192/// describes all of the subobject initializers in the order they'll
1193/// actually be initialized.
1194///
Douglas Gregor05c13a32009-01-22 00:58:24 +00001195/// @returns true if there was an error, false otherwise.
Mike Stump1eb44332009-09-09 15:08:12 +00001196bool
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001197InitListChecker::CheckDesignatedInitializer(InitListExpr *IList,
Mike Stump1eb44332009-09-09 15:08:12 +00001198 DesignatedInitExpr *DIE,
Douglas Gregor71199712009-04-15 04:56:10 +00001199 unsigned DesigIdx,
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001200 QualType &CurrentObjectType,
1201 RecordDecl::field_iterator *NextField,
1202 llvm::APSInt *NextElementIndex,
Douglas Gregor4c678342009-01-28 21:54:33 +00001203 unsigned &Index,
1204 InitListExpr *StructuredList,
Douglas Gregor34e79462009-01-28 23:36:17 +00001205 unsigned &StructuredIndex,
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001206 bool FinishSubobjectInit,
1207 bool TopLevelObject) {
Douglas Gregor71199712009-04-15 04:56:10 +00001208 if (DesigIdx == DIE->size()) {
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001209 // Check the actual initialization for the designated object type.
1210 bool prevHadError = hadError;
Douglas Gregor6fbdc6b2009-01-29 00:39:20 +00001211
1212 // Temporarily remove the designator expression from the
1213 // initializer list that the child calls see, so that we don't try
1214 // to re-process the designator.
1215 unsigned OldIndex = Index;
1216 IList->setInit(OldIndex, DIE->getInit());
1217
1218 CheckSubElementType(IList, CurrentObjectType, Index,
Douglas Gregor4c678342009-01-28 21:54:33 +00001219 StructuredList, StructuredIndex);
Douglas Gregor6fbdc6b2009-01-29 00:39:20 +00001220
1221 // Restore the designated initializer expression in the syntactic
1222 // form of the initializer list.
1223 if (IList->getInit(OldIndex) != DIE->getInit())
1224 DIE->setInit(IList->getInit(OldIndex));
1225 IList->setInit(OldIndex, DIE);
1226
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001227 return hadError && !prevHadError;
Douglas Gregor05c13a32009-01-22 00:58:24 +00001228 }
1229
Douglas Gregor71199712009-04-15 04:56:10 +00001230 bool IsFirstDesignator = (DesigIdx == 0);
Mike Stump1eb44332009-09-09 15:08:12 +00001231 assert((IsFirstDesignator || StructuredList) &&
Douglas Gregor4c678342009-01-28 21:54:33 +00001232 "Need a non-designated initializer list to start from");
1233
Douglas Gregor71199712009-04-15 04:56:10 +00001234 DesignatedInitExpr::Designator *D = DIE->getDesignator(DesigIdx);
Douglas Gregor4c678342009-01-28 21:54:33 +00001235 // Determine the structural initializer list that corresponds to the
1236 // current subobject.
1237 StructuredList = IsFirstDesignator? SyntacticToSemantic[IList]
Mike Stump1eb44332009-09-09 15:08:12 +00001238 : getStructuredSubobjectInit(IList, Index, CurrentObjectType,
Douglas Gregored8a93d2009-03-01 17:12:46 +00001239 StructuredList, StructuredIndex,
Douglas Gregor4c678342009-01-28 21:54:33 +00001240 SourceRange(D->getStartLocation(),
1241 DIE->getSourceRange().getEnd()));
1242 assert(StructuredList && "Expected a structured initializer list");
1243
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001244 if (D->isFieldDesignator()) {
1245 // C99 6.7.8p7:
1246 //
1247 // If a designator has the form
1248 //
1249 // . identifier
1250 //
1251 // then the current object (defined below) shall have
1252 // structure or union type and the identifier shall be the
Mike Stump1eb44332009-09-09 15:08:12 +00001253 // name of a member of that type.
Ted Kremenek6217b802009-07-29 21:53:49 +00001254 const RecordType *RT = CurrentObjectType->getAs<RecordType>();
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001255 if (!RT) {
1256 SourceLocation Loc = D->getDotLoc();
1257 if (Loc.isInvalid())
1258 Loc = D->getFieldLoc();
Chris Lattner08202542009-02-24 22:50:46 +00001259 SemaRef.Diag(Loc, diag::err_field_designator_non_aggr)
1260 << SemaRef.getLangOptions().CPlusPlus << CurrentObjectType;
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001261 ++Index;
1262 return true;
1263 }
1264
Douglas Gregor4c678342009-01-28 21:54:33 +00001265 // Note: we perform a linear search of the fields here, despite
1266 // the fact that we have a faster lookup method, because we always
1267 // need to compute the field's index.
Douglas Gregorffb4b6e2009-04-15 06:41:24 +00001268 FieldDecl *KnownField = D->getField();
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001269 IdentifierInfo *FieldName = D->getFieldName();
Douglas Gregor4c678342009-01-28 21:54:33 +00001270 unsigned FieldIndex = 0;
Mike Stump1eb44332009-09-09 15:08:12 +00001271 RecordDecl::field_iterator
Argyrios Kyrtzidis17945a02009-06-30 02:36:12 +00001272 Field = RT->getDecl()->field_begin(),
1273 FieldEnd = RT->getDecl()->field_end();
Douglas Gregor4c678342009-01-28 21:54:33 +00001274 for (; Field != FieldEnd; ++Field) {
1275 if (Field->isUnnamedBitfield())
1276 continue;
1277
Douglas Gregorffb4b6e2009-04-15 06:41:24 +00001278 if (KnownField == *Field || Field->getIdentifier() == FieldName)
Douglas Gregor4c678342009-01-28 21:54:33 +00001279 break;
1280
1281 ++FieldIndex;
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001282 }
1283
Douglas Gregor4c678342009-01-28 21:54:33 +00001284 if (Field == FieldEnd) {
Douglas Gregorffb4b6e2009-04-15 06:41:24 +00001285 // There was no normal field in the struct with the designated
1286 // name. Perform another lookup for this name, which may find
1287 // something that we can't designate (e.g., a member function),
1288 // may find nothing, or may find a member of an anonymous
Mike Stump1eb44332009-09-09 15:08:12 +00001289 // struct/union.
Argyrios Kyrtzidis17945a02009-06-30 02:36:12 +00001290 DeclContext::lookup_result Lookup = RT->getDecl()->lookup(FieldName);
Douglas Gregorc171e3b2010-01-01 00:03:05 +00001291 FieldDecl *ReplacementField = 0;
Douglas Gregor4c678342009-01-28 21:54:33 +00001292 if (Lookup.first == Lookup.second) {
Douglas Gregorc171e3b2010-01-01 00:03:05 +00001293 // Name lookup didn't find anything. Determine whether this
1294 // was a typo for another field name.
1295 LookupResult R(SemaRef, FieldName, D->getFieldLoc(),
1296 Sema::LookupMemberName);
1297 if (SemaRef.CorrectTypo(R, /*Scope=*/0, /*SS=*/0, RT->getDecl()) &&
1298 (ReplacementField = R.getAsSingle<FieldDecl>()) &&
1299 ReplacementField->getDeclContext()->getLookupContext()
1300 ->Equals(RT->getDecl())) {
1301 SemaRef.Diag(D->getFieldLoc(),
1302 diag::err_field_designator_unknown_suggest)
1303 << FieldName << CurrentObjectType << R.getLookupName()
1304 << CodeModificationHint::CreateReplacement(D->getFieldLoc(),
1305 R.getLookupName().getAsString());
Douglas Gregor67dd1d42010-01-07 00:17:44 +00001306 SemaRef.Diag(ReplacementField->getLocation(),
1307 diag::note_previous_decl)
1308 << ReplacementField->getDeclName();
Douglas Gregorc171e3b2010-01-01 00:03:05 +00001309 } else {
1310 SemaRef.Diag(D->getFieldLoc(), diag::err_field_designator_unknown)
1311 << FieldName << CurrentObjectType;
1312 ++Index;
1313 return true;
1314 }
1315 } else if (!KnownField) {
1316 // Determine whether we found a field at all.
1317 ReplacementField = dyn_cast<FieldDecl>(*Lookup.first);
1318 }
1319
1320 if (!ReplacementField) {
Douglas Gregor4c678342009-01-28 21:54:33 +00001321 // Name lookup found something, but it wasn't a field.
Chris Lattner08202542009-02-24 22:50:46 +00001322 SemaRef.Diag(D->getFieldLoc(), diag::err_field_designator_nonfield)
Douglas Gregor4c678342009-01-28 21:54:33 +00001323 << FieldName;
Mike Stump1eb44332009-09-09 15:08:12 +00001324 SemaRef.Diag((*Lookup.first)->getLocation(),
Douglas Gregor4c678342009-01-28 21:54:33 +00001325 diag::note_field_designator_found);
Eli Friedmanba79fc22009-04-16 17:49:48 +00001326 ++Index;
1327 return true;
Douglas Gregorffb4b6e2009-04-15 06:41:24 +00001328 }
Douglas Gregorc171e3b2010-01-01 00:03:05 +00001329
1330 if (!KnownField &&
1331 cast<RecordDecl>((ReplacementField)->getDeclContext())
1332 ->isAnonymousStructOrUnion()) {
1333 // Handle an field designator that refers to a member of an
1334 // anonymous struct or union.
1335 ExpandAnonymousFieldDesignator(SemaRef, DIE, DesigIdx,
1336 ReplacementField,
1337 Field, FieldIndex);
1338 D = DIE->getDesignator(DesigIdx);
1339 } else if (!KnownField) {
1340 // The replacement field comes from typo correction; find it
1341 // in the list of fields.
1342 FieldIndex = 0;
1343 Field = RT->getDecl()->field_begin();
1344 for (; Field != FieldEnd; ++Field) {
1345 if (Field->isUnnamedBitfield())
1346 continue;
1347
1348 if (ReplacementField == *Field ||
1349 Field->getIdentifier() == ReplacementField->getIdentifier())
1350 break;
1351
1352 ++FieldIndex;
1353 }
1354 }
Douglas Gregorffb4b6e2009-04-15 06:41:24 +00001355 } else if (!KnownField &&
1356 cast<RecordDecl>((*Field)->getDeclContext())
Douglas Gregor4c678342009-01-28 21:54:33 +00001357 ->isAnonymousStructOrUnion()) {
Douglas Gregorffb4b6e2009-04-15 06:41:24 +00001358 ExpandAnonymousFieldDesignator(SemaRef, DIE, DesigIdx, *Field,
1359 Field, FieldIndex);
1360 D = DIE->getDesignator(DesigIdx);
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001361 }
Douglas Gregor4c678342009-01-28 21:54:33 +00001362
1363 // All of the fields of a union are located at the same place in
1364 // the initializer list.
Douglas Gregor0bb76892009-01-29 16:53:55 +00001365 if (RT->getDecl()->isUnion()) {
Douglas Gregor4c678342009-01-28 21:54:33 +00001366 FieldIndex = 0;
Douglas Gregor0bb76892009-01-29 16:53:55 +00001367 StructuredList->setInitializedFieldInUnion(*Field);
1368 }
Douglas Gregor4c678342009-01-28 21:54:33 +00001369
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001370 // Update the designator with the field declaration.
Douglas Gregor4c678342009-01-28 21:54:33 +00001371 D->setField(*Field);
Mike Stump1eb44332009-09-09 15:08:12 +00001372
Douglas Gregor4c678342009-01-28 21:54:33 +00001373 // Make sure that our non-designated initializer list has space
1374 // for a subobject corresponding to this field.
1375 if (FieldIndex >= StructuredList->getNumInits())
Chris Lattner08202542009-02-24 22:50:46 +00001376 StructuredList->resizeInits(SemaRef.Context, FieldIndex + 1);
Douglas Gregor4c678342009-01-28 21:54:33 +00001377
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001378 // This designator names a flexible array member.
1379 if (Field->getType()->isIncompleteArrayType()) {
1380 bool Invalid = false;
Douglas Gregor71199712009-04-15 04:56:10 +00001381 if ((DesigIdx + 1) != DIE->size()) {
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001382 // We can't designate an object within the flexible array
1383 // member (because GCC doesn't allow it).
Mike Stump1eb44332009-09-09 15:08:12 +00001384 DesignatedInitExpr::Designator *NextD
Douglas Gregor71199712009-04-15 04:56:10 +00001385 = DIE->getDesignator(DesigIdx + 1);
Mike Stump1eb44332009-09-09 15:08:12 +00001386 SemaRef.Diag(NextD->getStartLocation(),
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001387 diag::err_designator_into_flexible_array_member)
Mike Stump1eb44332009-09-09 15:08:12 +00001388 << SourceRange(NextD->getStartLocation(),
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001389 DIE->getSourceRange().getEnd());
Chris Lattner08202542009-02-24 22:50:46 +00001390 SemaRef.Diag(Field->getLocation(), diag::note_flexible_array_member)
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001391 << *Field;
1392 Invalid = true;
1393 }
1394
1395 if (!hadError && !isa<InitListExpr>(DIE->getInit())) {
1396 // The initializer is not an initializer list.
Chris Lattner08202542009-02-24 22:50:46 +00001397 SemaRef.Diag(DIE->getInit()->getSourceRange().getBegin(),
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001398 diag::err_flexible_array_init_needs_braces)
1399 << DIE->getInit()->getSourceRange();
Chris Lattner08202542009-02-24 22:50:46 +00001400 SemaRef.Diag(Field->getLocation(), diag::note_flexible_array_member)
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001401 << *Field;
1402 Invalid = true;
1403 }
1404
1405 // Handle GNU flexible array initializers.
Mike Stump1eb44332009-09-09 15:08:12 +00001406 if (!Invalid && !TopLevelObject &&
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001407 cast<InitListExpr>(DIE->getInit())->getNumInits() > 0) {
Mike Stump1eb44332009-09-09 15:08:12 +00001408 SemaRef.Diag(DIE->getSourceRange().getBegin(),
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001409 diag::err_flexible_array_init_nonempty)
1410 << DIE->getSourceRange().getBegin();
Chris Lattner08202542009-02-24 22:50:46 +00001411 SemaRef.Diag(Field->getLocation(), diag::note_flexible_array_member)
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001412 << *Field;
1413 Invalid = true;
1414 }
1415
1416 if (Invalid) {
1417 ++Index;
1418 return true;
1419 }
1420
1421 // Initialize the array.
1422 bool prevHadError = hadError;
1423 unsigned newStructuredIndex = FieldIndex;
1424 unsigned OldIndex = Index;
1425 IList->setInit(Index, DIE->getInit());
Mike Stump1eb44332009-09-09 15:08:12 +00001426 CheckSubElementType(IList, Field->getType(), Index,
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001427 StructuredList, newStructuredIndex);
1428 IList->setInit(OldIndex, DIE);
1429 if (hadError && !prevHadError) {
1430 ++Field;
1431 ++FieldIndex;
1432 if (NextField)
1433 *NextField = Field;
1434 StructuredIndex = FieldIndex;
1435 return true;
1436 }
1437 } else {
1438 // Recurse to check later designated subobjects.
1439 QualType FieldType = (*Field)->getType();
1440 unsigned newStructuredIndex = FieldIndex;
Douglas Gregor71199712009-04-15 04:56:10 +00001441 if (CheckDesignatedInitializer(IList, DIE, DesigIdx + 1, FieldType, 0, 0,
1442 Index, StructuredList, newStructuredIndex,
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001443 true, false))
1444 return true;
1445 }
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001446
1447 // Find the position of the next field to be initialized in this
1448 // subobject.
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001449 ++Field;
Douglas Gregor4c678342009-01-28 21:54:33 +00001450 ++FieldIndex;
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001451
1452 // If this the first designator, our caller will continue checking
1453 // the rest of this struct/class/union subobject.
1454 if (IsFirstDesignator) {
1455 if (NextField)
1456 *NextField = Field;
Douglas Gregor4c678342009-01-28 21:54:33 +00001457 StructuredIndex = FieldIndex;
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001458 return false;
1459 }
1460
Douglas Gregor34e79462009-01-28 23:36:17 +00001461 if (!FinishSubobjectInit)
1462 return false;
1463
Douglas Gregorffb4b6e2009-04-15 06:41:24 +00001464 // We've already initialized something in the union; we're done.
1465 if (RT->getDecl()->isUnion())
1466 return hadError;
1467
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001468 // Check the remaining fields within this class/struct/union subobject.
1469 bool prevHadError = hadError;
Douglas Gregor4c678342009-01-28 21:54:33 +00001470 CheckStructUnionTypes(IList, CurrentObjectType, Field, false, Index,
1471 StructuredList, FieldIndex);
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001472 return hadError && !prevHadError;
1473 }
1474
1475 // C99 6.7.8p6:
1476 //
1477 // If a designator has the form
1478 //
1479 // [ constant-expression ]
1480 //
1481 // then the current object (defined below) shall have array
1482 // type and the expression shall be an integer constant
1483 // expression. If the array is of unknown size, any
1484 // nonnegative value is valid.
1485 //
1486 // Additionally, cope with the GNU extension that permits
1487 // designators of the form
1488 //
1489 // [ constant-expression ... constant-expression ]
Chris Lattner08202542009-02-24 22:50:46 +00001490 const ArrayType *AT = SemaRef.Context.getAsArrayType(CurrentObjectType);
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001491 if (!AT) {
Chris Lattner08202542009-02-24 22:50:46 +00001492 SemaRef.Diag(D->getLBracketLoc(), diag::err_array_designator_non_array)
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001493 << CurrentObjectType;
1494 ++Index;
1495 return true;
1496 }
1497
1498 Expr *IndexExpr = 0;
Douglas Gregor34e79462009-01-28 23:36:17 +00001499 llvm::APSInt DesignatedStartIndex, DesignatedEndIndex;
1500 if (D->isArrayDesignator()) {
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001501 IndexExpr = DIE->getArrayIndex(*D);
Chris Lattner3bf68932009-04-25 21:59:05 +00001502 DesignatedStartIndex = IndexExpr->EvaluateAsInt(SemaRef.Context);
Douglas Gregor34e79462009-01-28 23:36:17 +00001503 DesignatedEndIndex = DesignatedStartIndex;
1504 } else {
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001505 assert(D->isArrayRangeDesignator() && "Need array-range designator");
Douglas Gregor34e79462009-01-28 23:36:17 +00001506
Mike Stump1eb44332009-09-09 15:08:12 +00001507
1508 DesignatedStartIndex =
Chris Lattner3bf68932009-04-25 21:59:05 +00001509 DIE->getArrayRangeStart(*D)->EvaluateAsInt(SemaRef.Context);
Mike Stump1eb44332009-09-09 15:08:12 +00001510 DesignatedEndIndex =
Chris Lattner3bf68932009-04-25 21:59:05 +00001511 DIE->getArrayRangeEnd(*D)->EvaluateAsInt(SemaRef.Context);
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001512 IndexExpr = DIE->getArrayRangeEnd(*D);
Douglas Gregor34e79462009-01-28 23:36:17 +00001513
Chris Lattner3bf68932009-04-25 21:59:05 +00001514 if (DesignatedStartIndex.getZExtValue() !=DesignatedEndIndex.getZExtValue())
Douglas Gregora9c87802009-01-29 19:42:23 +00001515 FullyStructuredList->sawArrayRangeDesignator();
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001516 }
1517
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001518 if (isa<ConstantArrayType>(AT)) {
1519 llvm::APSInt MaxElements(cast<ConstantArrayType>(AT)->getSize(), false);
Douglas Gregor34e79462009-01-28 23:36:17 +00001520 DesignatedStartIndex.extOrTrunc(MaxElements.getBitWidth());
1521 DesignatedStartIndex.setIsUnsigned(MaxElements.isUnsigned());
1522 DesignatedEndIndex.extOrTrunc(MaxElements.getBitWidth());
1523 DesignatedEndIndex.setIsUnsigned(MaxElements.isUnsigned());
1524 if (DesignatedEndIndex >= MaxElements) {
Chris Lattner08202542009-02-24 22:50:46 +00001525 SemaRef.Diag(IndexExpr->getSourceRange().getBegin(),
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001526 diag::err_array_designator_too_large)
Douglas Gregor34e79462009-01-28 23:36:17 +00001527 << DesignatedEndIndex.toString(10) << MaxElements.toString(10)
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001528 << IndexExpr->getSourceRange();
1529 ++Index;
1530 return true;
1531 }
Douglas Gregor34e79462009-01-28 23:36:17 +00001532 } else {
1533 // Make sure the bit-widths and signedness match.
1534 if (DesignatedStartIndex.getBitWidth() > DesignatedEndIndex.getBitWidth())
1535 DesignatedEndIndex.extend(DesignatedStartIndex.getBitWidth());
Chris Lattner3bf68932009-04-25 21:59:05 +00001536 else if (DesignatedStartIndex.getBitWidth() <
1537 DesignatedEndIndex.getBitWidth())
Douglas Gregor34e79462009-01-28 23:36:17 +00001538 DesignatedStartIndex.extend(DesignatedEndIndex.getBitWidth());
1539 DesignatedStartIndex.setIsUnsigned(true);
1540 DesignatedEndIndex.setIsUnsigned(true);
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001541 }
Mike Stump1eb44332009-09-09 15:08:12 +00001542
Douglas Gregor4c678342009-01-28 21:54:33 +00001543 // Make sure that our non-designated initializer list has space
1544 // for a subobject corresponding to this array element.
Douglas Gregor34e79462009-01-28 23:36:17 +00001545 if (DesignatedEndIndex.getZExtValue() >= StructuredList->getNumInits())
Mike Stump1eb44332009-09-09 15:08:12 +00001546 StructuredList->resizeInits(SemaRef.Context,
Douglas Gregor34e79462009-01-28 23:36:17 +00001547 DesignatedEndIndex.getZExtValue() + 1);
Douglas Gregor4c678342009-01-28 21:54:33 +00001548
Douglas Gregor34e79462009-01-28 23:36:17 +00001549 // Repeatedly perform subobject initializations in the range
1550 // [DesignatedStartIndex, DesignatedEndIndex].
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001551
Douglas Gregor34e79462009-01-28 23:36:17 +00001552 // Move to the next designator
1553 unsigned ElementIndex = DesignatedStartIndex.getZExtValue();
1554 unsigned OldIndex = Index;
Douglas Gregor34e79462009-01-28 23:36:17 +00001555 while (DesignatedStartIndex <= DesignatedEndIndex) {
1556 // Recurse to check later designated subobjects.
1557 QualType ElementType = AT->getElementType();
1558 Index = OldIndex;
Douglas Gregor71199712009-04-15 04:56:10 +00001559 if (CheckDesignatedInitializer(IList, DIE, DesigIdx + 1, ElementType, 0, 0,
1560 Index, StructuredList, ElementIndex,
Douglas Gregoreeb15d42009-02-04 22:46:25 +00001561 (DesignatedStartIndex == DesignatedEndIndex),
1562 false))
Douglas Gregor34e79462009-01-28 23:36:17 +00001563 return true;
1564
1565 // Move to the next index in the array that we'll be initializing.
1566 ++DesignatedStartIndex;
1567 ElementIndex = DesignatedStartIndex.getZExtValue();
1568 }
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001569
1570 // If this the first designator, our caller will continue checking
1571 // the rest of this array subobject.
1572 if (IsFirstDesignator) {
1573 if (NextElementIndex)
Douglas Gregor34e79462009-01-28 23:36:17 +00001574 *NextElementIndex = DesignatedStartIndex;
Douglas Gregor4c678342009-01-28 21:54:33 +00001575 StructuredIndex = ElementIndex;
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001576 return false;
1577 }
Mike Stump1eb44332009-09-09 15:08:12 +00001578
Douglas Gregor34e79462009-01-28 23:36:17 +00001579 if (!FinishSubobjectInit)
1580 return false;
1581
Douglas Gregor87f55cf2009-01-22 23:26:18 +00001582 // Check the remaining elements within this array subobject.
Douglas Gregor05c13a32009-01-22 00:58:24 +00001583 bool prevHadError = hadError;
Douglas Gregorfdf55692009-02-09 19:45:19 +00001584 CheckArrayType(IList, CurrentObjectType, DesignatedStartIndex, false, Index,
Douglas Gregor4c678342009-01-28 21:54:33 +00001585 StructuredList, ElementIndex);
Mike Stump1eb44332009-09-09 15:08:12 +00001586 return hadError && !prevHadError;
Douglas Gregor05c13a32009-01-22 00:58:24 +00001587}
1588
Douglas Gregor4c678342009-01-28 21:54:33 +00001589// Get the structured initializer list for a subobject of type
1590// @p CurrentObjectType.
1591InitListExpr *
1592InitListChecker::getStructuredSubobjectInit(InitListExpr *IList, unsigned Index,
1593 QualType CurrentObjectType,
1594 InitListExpr *StructuredList,
1595 unsigned StructuredIndex,
1596 SourceRange InitRange) {
1597 Expr *ExistingInit = 0;
1598 if (!StructuredList)
1599 ExistingInit = SyntacticToSemantic[IList];
1600 else if (StructuredIndex < StructuredList->getNumInits())
1601 ExistingInit = StructuredList->getInit(StructuredIndex);
Mike Stump1eb44332009-09-09 15:08:12 +00001602
Douglas Gregor4c678342009-01-28 21:54:33 +00001603 if (InitListExpr *Result = dyn_cast_or_null<InitListExpr>(ExistingInit))
1604 return Result;
1605
1606 if (ExistingInit) {
1607 // We are creating an initializer list that initializes the
1608 // subobjects of the current object, but there was already an
1609 // initialization that completely initialized the current
1610 // subobject, e.g., by a compound literal:
Mike Stump1eb44332009-09-09 15:08:12 +00001611 //
Douglas Gregor4c678342009-01-28 21:54:33 +00001612 // struct X { int a, b; };
1613 // struct X xs[] = { [0] = (struct X) { 1, 2 }, [0].b = 3 };
Mike Stump1eb44332009-09-09 15:08:12 +00001614 //
Douglas Gregor4c678342009-01-28 21:54:33 +00001615 // Here, xs[0].a == 0 and xs[0].b == 3, since the second,
1616 // designated initializer re-initializes the whole
1617 // subobject [0], overwriting previous initializers.
Mike Stump1eb44332009-09-09 15:08:12 +00001618 SemaRef.Diag(InitRange.getBegin(),
Douglas Gregored8a93d2009-03-01 17:12:46 +00001619 diag::warn_subobject_initializer_overrides)
Douglas Gregor4c678342009-01-28 21:54:33 +00001620 << InitRange;
Mike Stump1eb44332009-09-09 15:08:12 +00001621 SemaRef.Diag(ExistingInit->getSourceRange().getBegin(),
Douglas Gregor4c678342009-01-28 21:54:33 +00001622 diag::note_previous_initializer)
Douglas Gregor54f07282009-01-28 23:43:32 +00001623 << /*FIXME:has side effects=*/0
Douglas Gregor4c678342009-01-28 21:54:33 +00001624 << ExistingInit->getSourceRange();
1625 }
1626
Mike Stump1eb44332009-09-09 15:08:12 +00001627 InitListExpr *Result
1628 = new (SemaRef.Context) InitListExpr(InitRange.getBegin(), 0, 0,
Douglas Gregored8a93d2009-03-01 17:12:46 +00001629 InitRange.getEnd());
1630
Douglas Gregor4c678342009-01-28 21:54:33 +00001631 Result->setType(CurrentObjectType);
1632
Douglas Gregorfa219202009-03-20 23:58:33 +00001633 // Pre-allocate storage for the structured initializer list.
1634 unsigned NumElements = 0;
Douglas Gregor08457732009-03-21 18:13:52 +00001635 unsigned NumInits = 0;
1636 if (!StructuredList)
1637 NumInits = IList->getNumInits();
1638 else if (Index < IList->getNumInits()) {
1639 if (InitListExpr *SubList = dyn_cast<InitListExpr>(IList->getInit(Index)))
1640 NumInits = SubList->getNumInits();
1641 }
1642
Mike Stump1eb44332009-09-09 15:08:12 +00001643 if (const ArrayType *AType
Douglas Gregorfa219202009-03-20 23:58:33 +00001644 = SemaRef.Context.getAsArrayType(CurrentObjectType)) {
1645 if (const ConstantArrayType *CAType = dyn_cast<ConstantArrayType>(AType)) {
1646 NumElements = CAType->getSize().getZExtValue();
1647 // Simple heuristic so that we don't allocate a very large
1648 // initializer with many empty entries at the end.
Douglas Gregor08457732009-03-21 18:13:52 +00001649 if (NumInits && NumElements > NumInits)
Douglas Gregorfa219202009-03-20 23:58:33 +00001650 NumElements = 0;
1651 }
John McCall183700f2009-09-21 23:43:11 +00001652 } else if (const VectorType *VType = CurrentObjectType->getAs<VectorType>())
Douglas Gregorfa219202009-03-20 23:58:33 +00001653 NumElements = VType->getNumElements();
Ted Kremenek6217b802009-07-29 21:53:49 +00001654 else if (const RecordType *RType = CurrentObjectType->getAs<RecordType>()) {
Douglas Gregorfa219202009-03-20 23:58:33 +00001655 RecordDecl *RDecl = RType->getDecl();
1656 if (RDecl->isUnion())
1657 NumElements = 1;
1658 else
Mike Stump1eb44332009-09-09 15:08:12 +00001659 NumElements = std::distance(RDecl->field_begin(),
Argyrios Kyrtzidis17945a02009-06-30 02:36:12 +00001660 RDecl->field_end());
Douglas Gregorfa219202009-03-20 23:58:33 +00001661 }
1662
Douglas Gregor08457732009-03-21 18:13:52 +00001663 if (NumElements < NumInits)
Douglas Gregorfa219202009-03-20 23:58:33 +00001664 NumElements = IList->getNumInits();
1665
1666 Result->reserveInits(NumElements);
1667
Douglas Gregor4c678342009-01-28 21:54:33 +00001668 // Link this new initializer list into the structured initializer
1669 // lists.
1670 if (StructuredList)
1671 StructuredList->updateInit(StructuredIndex, Result);
1672 else {
1673 Result->setSyntacticForm(IList);
1674 SyntacticToSemantic[IList] = Result;
1675 }
1676
1677 return Result;
1678}
1679
1680/// Update the initializer at index @p StructuredIndex within the
1681/// structured initializer list to the value @p expr.
1682void InitListChecker::UpdateStructuredListElement(InitListExpr *StructuredList,
1683 unsigned &StructuredIndex,
1684 Expr *expr) {
1685 // No structured initializer list to update
1686 if (!StructuredList)
1687 return;
1688
1689 if (Expr *PrevInit = StructuredList->updateInit(StructuredIndex, expr)) {
1690 // This initializer overwrites a previous initializer. Warn.
Mike Stump1eb44332009-09-09 15:08:12 +00001691 SemaRef.Diag(expr->getSourceRange().getBegin(),
Douglas Gregor4c678342009-01-28 21:54:33 +00001692 diag::warn_initializer_overrides)
1693 << expr->getSourceRange();
Mike Stump1eb44332009-09-09 15:08:12 +00001694 SemaRef.Diag(PrevInit->getSourceRange().getBegin(),
Douglas Gregor4c678342009-01-28 21:54:33 +00001695 diag::note_previous_initializer)
Douglas Gregor54f07282009-01-28 23:43:32 +00001696 << /*FIXME:has side effects=*/0
Douglas Gregor4c678342009-01-28 21:54:33 +00001697 << PrevInit->getSourceRange();
1698 }
Mike Stump1eb44332009-09-09 15:08:12 +00001699
Douglas Gregor4c678342009-01-28 21:54:33 +00001700 ++StructuredIndex;
1701}
1702
Douglas Gregor05c13a32009-01-22 00:58:24 +00001703/// Check that the given Index expression is a valid array designator
1704/// value. This is essentailly just a wrapper around
Chris Lattner3bf68932009-04-25 21:59:05 +00001705/// VerifyIntegerConstantExpression that also checks for negative values
Douglas Gregor05c13a32009-01-22 00:58:24 +00001706/// and produces a reasonable diagnostic if there is a
1707/// failure. Returns true if there was an error, false otherwise. If
1708/// everything went okay, Value will receive the value of the constant
1709/// expression.
Mike Stump1eb44332009-09-09 15:08:12 +00001710static bool
Chris Lattner3bf68932009-04-25 21:59:05 +00001711CheckArrayDesignatorExpr(Sema &S, Expr *Index, llvm::APSInt &Value) {
Douglas Gregor05c13a32009-01-22 00:58:24 +00001712 SourceLocation Loc = Index->getSourceRange().getBegin();
1713
1714 // Make sure this is an integer constant expression.
Chris Lattner3bf68932009-04-25 21:59:05 +00001715 if (S.VerifyIntegerConstantExpression(Index, &Value))
1716 return true;
Douglas Gregor05c13a32009-01-22 00:58:24 +00001717
Chris Lattner3bf68932009-04-25 21:59:05 +00001718 if (Value.isSigned() && Value.isNegative())
1719 return S.Diag(Loc, diag::err_array_designator_negative)
Douglas Gregor05c13a32009-01-22 00:58:24 +00001720 << Value.toString(10) << Index->getSourceRange();
1721
Douglas Gregor53d3d8e2009-01-23 21:04:18 +00001722 Value.setIsUnsigned(true);
Douglas Gregor05c13a32009-01-22 00:58:24 +00001723 return false;
1724}
1725
1726Sema::OwningExprResult Sema::ActOnDesignatedInitializer(Designation &Desig,
1727 SourceLocation Loc,
Douglas Gregoreeae8f02009-03-28 00:41:23 +00001728 bool GNUSyntax,
Douglas Gregor05c13a32009-01-22 00:58:24 +00001729 OwningExprResult Init) {
1730 typedef DesignatedInitExpr::Designator ASTDesignator;
1731
1732 bool Invalid = false;
1733 llvm::SmallVector<ASTDesignator, 32> Designators;
1734 llvm::SmallVector<Expr *, 32> InitExpressions;
1735
1736 // Build designators and check array designator expressions.
1737 for (unsigned Idx = 0; Idx < Desig.getNumDesignators(); ++Idx) {
1738 const Designator &D = Desig.getDesignator(Idx);
1739 switch (D.getKind()) {
1740 case Designator::FieldDesignator:
Mike Stump1eb44332009-09-09 15:08:12 +00001741 Designators.push_back(ASTDesignator(D.getField(), D.getDotLoc(),
Douglas Gregor05c13a32009-01-22 00:58:24 +00001742 D.getFieldLoc()));
1743 break;
1744
1745 case Designator::ArrayDesignator: {
1746 Expr *Index = static_cast<Expr *>(D.getArrayIndex());
1747 llvm::APSInt IndexValue;
Douglas Gregor9ea62762009-05-21 23:17:49 +00001748 if (!Index->isTypeDependent() &&
1749 !Index->isValueDependent() &&
1750 CheckArrayDesignatorExpr(*this, Index, IndexValue))
Douglas Gregor05c13a32009-01-22 00:58:24 +00001751 Invalid = true;
1752 else {
1753 Designators.push_back(ASTDesignator(InitExpressions.size(),
Mike Stump1eb44332009-09-09 15:08:12 +00001754 D.getLBracketLoc(),
Douglas Gregor05c13a32009-01-22 00:58:24 +00001755 D.getRBracketLoc()));
1756 InitExpressions.push_back(Index);
1757 }
1758 break;
1759 }
1760
1761 case Designator::ArrayRangeDesignator: {
1762 Expr *StartIndex = static_cast<Expr *>(D.getArrayRangeStart());
1763 Expr *EndIndex = static_cast<Expr *>(D.getArrayRangeEnd());
1764 llvm::APSInt StartValue;
1765 llvm::APSInt EndValue;
Douglas Gregor9ea62762009-05-21 23:17:49 +00001766 bool StartDependent = StartIndex->isTypeDependent() ||
1767 StartIndex->isValueDependent();
1768 bool EndDependent = EndIndex->isTypeDependent() ||
1769 EndIndex->isValueDependent();
1770 if ((!StartDependent &&
1771 CheckArrayDesignatorExpr(*this, StartIndex, StartValue)) ||
1772 (!EndDependent &&
1773 CheckArrayDesignatorExpr(*this, EndIndex, EndValue)))
Douglas Gregor05c13a32009-01-22 00:58:24 +00001774 Invalid = true;
Douglas Gregord6f584f2009-01-23 22:22:29 +00001775 else {
1776 // Make sure we're comparing values with the same bit width.
Douglas Gregor9ea62762009-05-21 23:17:49 +00001777 if (StartDependent || EndDependent) {
1778 // Nothing to compute.
1779 } else if (StartValue.getBitWidth() > EndValue.getBitWidth())
Douglas Gregord6f584f2009-01-23 22:22:29 +00001780 EndValue.extend(StartValue.getBitWidth());
1781 else if (StartValue.getBitWidth() < EndValue.getBitWidth())
1782 StartValue.extend(EndValue.getBitWidth());
1783
Douglas Gregorc4bb7bf2009-05-21 23:30:39 +00001784 if (!StartDependent && !EndDependent && EndValue < StartValue) {
Douglas Gregord6f584f2009-01-23 22:22:29 +00001785 Diag(D.getEllipsisLoc(), diag::err_array_designator_empty_range)
Mike Stump1eb44332009-09-09 15:08:12 +00001786 << StartValue.toString(10) << EndValue.toString(10)
Douglas Gregord6f584f2009-01-23 22:22:29 +00001787 << StartIndex->getSourceRange() << EndIndex->getSourceRange();
1788 Invalid = true;
1789 } else {
1790 Designators.push_back(ASTDesignator(InitExpressions.size(),
Mike Stump1eb44332009-09-09 15:08:12 +00001791 D.getLBracketLoc(),
Douglas Gregord6f584f2009-01-23 22:22:29 +00001792 D.getEllipsisLoc(),
1793 D.getRBracketLoc()));
1794 InitExpressions.push_back(StartIndex);
1795 InitExpressions.push_back(EndIndex);
1796 }
Douglas Gregor05c13a32009-01-22 00:58:24 +00001797 }
1798 break;
1799 }
1800 }
1801 }
1802
1803 if (Invalid || Init.isInvalid())
1804 return ExprError();
1805
1806 // Clear out the expressions within the designation.
1807 Desig.ClearExprs(*this);
1808
1809 DesignatedInitExpr *DIE
Jay Foadbeaaccd2009-05-21 09:52:38 +00001810 = DesignatedInitExpr::Create(Context,
1811 Designators.data(), Designators.size(),
1812 InitExpressions.data(), InitExpressions.size(),
Anders Carlssone9146f22009-05-01 19:49:17 +00001813 Loc, GNUSyntax, Init.takeAs<Expr>());
Douglas Gregor05c13a32009-01-22 00:58:24 +00001814 return Owned(DIE);
1815}
Douglas Gregorc34ee5e2009-01-29 00:45:39 +00001816
Douglas Gregorcb57fb92009-12-16 06:35:08 +00001817bool Sema::CheckInitList(const InitializedEntity &Entity,
1818 InitListExpr *&InitList, QualType &DeclType) {
1819 InitListChecker CheckInitList(*this, Entity, InitList, DeclType);
Douglas Gregorc34ee5e2009-01-29 00:45:39 +00001820 if (!CheckInitList.HadError())
1821 InitList = CheckInitList.getFullyStructuredList();
1822
1823 return CheckInitList.HadError();
1824}
Douglas Gregor87fd7032009-02-02 17:43:21 +00001825
Douglas Gregor20093b42009-12-09 23:02:17 +00001826//===----------------------------------------------------------------------===//
1827// Initialization entity
1828//===----------------------------------------------------------------------===//
1829
Douglas Gregorcb57fb92009-12-16 06:35:08 +00001830InitializedEntity::InitializedEntity(ASTContext &Context, unsigned Index,
1831 const InitializedEntity &Parent)
Anders Carlssond3d824d2010-01-23 04:34:47 +00001832 : Parent(&Parent), Index(Index)
Douglas Gregorcb57fb92009-12-16 06:35:08 +00001833{
Anders Carlssond3d824d2010-01-23 04:34:47 +00001834 if (const ArrayType *AT = Context.getAsArrayType(Parent.getType())) {
1835 Kind = EK_ArrayElement;
Douglas Gregord6542d82009-12-22 15:35:07 +00001836 Type = AT->getElementType();
Anders Carlssond3d824d2010-01-23 04:34:47 +00001837 } else {
1838 Kind = EK_VectorElement;
Douglas Gregord6542d82009-12-22 15:35:07 +00001839 Type = Parent.getType()->getAs<VectorType>()->getElementType();
Anders Carlssond3d824d2010-01-23 04:34:47 +00001840 }
Douglas Gregor20093b42009-12-09 23:02:17 +00001841}
1842
1843InitializedEntity InitializedEntity::InitializeBase(ASTContext &Context,
1844 CXXBaseSpecifier *Base)
1845{
1846 InitializedEntity Result;
1847 Result.Kind = EK_Base;
1848 Result.Base = Base;
Douglas Gregord6542d82009-12-22 15:35:07 +00001849 Result.Type = Base->getType();
Douglas Gregor20093b42009-12-09 23:02:17 +00001850 return Result;
1851}
1852
Douglas Gregor99a2e602009-12-16 01:38:02 +00001853DeclarationName InitializedEntity::getName() const {
1854 switch (getKind()) {
Douglas Gregor99a2e602009-12-16 01:38:02 +00001855 case EK_Parameter:
Douglas Gregora188ff22009-12-22 16:09:06 +00001856 if (!VariableOrMember)
1857 return DeclarationName();
1858 // Fall through
1859
1860 case EK_Variable:
Douglas Gregor99a2e602009-12-16 01:38:02 +00001861 case EK_Member:
1862 return VariableOrMember->getDeclName();
1863
1864 case EK_Result:
1865 case EK_Exception:
Douglas Gregor18ef5e22009-12-18 05:02:21 +00001866 case EK_New:
Douglas Gregor99a2e602009-12-16 01:38:02 +00001867 case EK_Temporary:
1868 case EK_Base:
Anders Carlssond3d824d2010-01-23 04:34:47 +00001869 case EK_ArrayElement:
1870 case EK_VectorElement:
Douglas Gregor99a2e602009-12-16 01:38:02 +00001871 return DeclarationName();
1872 }
1873
1874 // Silence GCC warning
1875 return DeclarationName();
1876}
1877
Douglas Gregor7abfbdb2009-12-19 03:01:41 +00001878DeclaratorDecl *InitializedEntity::getDecl() const {
1879 switch (getKind()) {
1880 case EK_Variable:
1881 case EK_Parameter:
1882 case EK_Member:
1883 return VariableOrMember;
1884
1885 case EK_Result:
1886 case EK_Exception:
1887 case EK_New:
1888 case EK_Temporary:
1889 case EK_Base:
Anders Carlssond3d824d2010-01-23 04:34:47 +00001890 case EK_ArrayElement:
1891 case EK_VectorElement:
Douglas Gregor7abfbdb2009-12-19 03:01:41 +00001892 return 0;
1893 }
1894
1895 // Silence GCC warning
1896 return 0;
1897}
1898
Douglas Gregor20093b42009-12-09 23:02:17 +00001899//===----------------------------------------------------------------------===//
1900// Initialization sequence
1901//===----------------------------------------------------------------------===//
1902
1903void InitializationSequence::Step::Destroy() {
1904 switch (Kind) {
1905 case SK_ResolveAddressOfOverloadedFunction:
1906 case SK_CastDerivedToBaseRValue:
1907 case SK_CastDerivedToBaseLValue:
1908 case SK_BindReference:
1909 case SK_BindReferenceToTemporary:
1910 case SK_UserConversion:
1911 case SK_QualificationConversionRValue:
1912 case SK_QualificationConversionLValue:
Douglas Gregord87b61f2009-12-10 17:56:55 +00001913 case SK_ListInitialization:
Douglas Gregor51c56d62009-12-14 20:49:26 +00001914 case SK_ConstructorInitialization:
Douglas Gregor71d17402009-12-15 00:01:57 +00001915 case SK_ZeroInitialization:
Douglas Gregor18ef5e22009-12-18 05:02:21 +00001916 case SK_CAssignment:
Eli Friedmancfdc81a2009-12-19 08:11:05 +00001917 case SK_StringInit:
Douglas Gregor20093b42009-12-09 23:02:17 +00001918 break;
1919
1920 case SK_ConversionSequence:
1921 delete ICS;
1922 }
1923}
1924
1925void InitializationSequence::AddAddressOverloadResolutionStep(
1926 FunctionDecl *Function) {
1927 Step S;
1928 S.Kind = SK_ResolveAddressOfOverloadedFunction;
1929 S.Type = Function->getType();
1930 S.Function = Function;
1931 Steps.push_back(S);
1932}
1933
1934void InitializationSequence::AddDerivedToBaseCastStep(QualType BaseType,
1935 bool IsLValue) {
1936 Step S;
1937 S.Kind = IsLValue? SK_CastDerivedToBaseLValue : SK_CastDerivedToBaseRValue;
1938 S.Type = BaseType;
1939 Steps.push_back(S);
1940}
1941
1942void InitializationSequence::AddReferenceBindingStep(QualType T,
1943 bool BindingTemporary) {
1944 Step S;
1945 S.Kind = BindingTemporary? SK_BindReferenceToTemporary : SK_BindReference;
1946 S.Type = T;
1947 Steps.push_back(S);
1948}
1949
Eli Friedman03981012009-12-11 02:42:07 +00001950void InitializationSequence::AddUserConversionStep(FunctionDecl *Function,
1951 QualType T) {
Douglas Gregor20093b42009-12-09 23:02:17 +00001952 Step S;
1953 S.Kind = SK_UserConversion;
Eli Friedman03981012009-12-11 02:42:07 +00001954 S.Type = T;
Douglas Gregor20093b42009-12-09 23:02:17 +00001955 S.Function = Function;
1956 Steps.push_back(S);
1957}
1958
1959void InitializationSequence::AddQualificationConversionStep(QualType Ty,
1960 bool IsLValue) {
1961 Step S;
1962 S.Kind = IsLValue? SK_QualificationConversionLValue
1963 : SK_QualificationConversionRValue;
1964 S.Type = Ty;
1965 Steps.push_back(S);
1966}
1967
1968void InitializationSequence::AddConversionSequenceStep(
1969 const ImplicitConversionSequence &ICS,
1970 QualType T) {
1971 Step S;
1972 S.Kind = SK_ConversionSequence;
1973 S.Type = T;
1974 S.ICS = new ImplicitConversionSequence(ICS);
1975 Steps.push_back(S);
1976}
1977
Douglas Gregord87b61f2009-12-10 17:56:55 +00001978void InitializationSequence::AddListInitializationStep(QualType T) {
1979 Step S;
1980 S.Kind = SK_ListInitialization;
1981 S.Type = T;
1982 Steps.push_back(S);
1983}
1984
Douglas Gregor51c56d62009-12-14 20:49:26 +00001985void
1986InitializationSequence::AddConstructorInitializationStep(
1987 CXXConstructorDecl *Constructor,
1988 QualType T) {
1989 Step S;
1990 S.Kind = SK_ConstructorInitialization;
1991 S.Type = T;
1992 S.Function = Constructor;
1993 Steps.push_back(S);
1994}
1995
Douglas Gregor71d17402009-12-15 00:01:57 +00001996void InitializationSequence::AddZeroInitializationStep(QualType T) {
1997 Step S;
1998 S.Kind = SK_ZeroInitialization;
1999 S.Type = T;
2000 Steps.push_back(S);
2001}
2002
Douglas Gregor18ef5e22009-12-18 05:02:21 +00002003void InitializationSequence::AddCAssignmentStep(QualType T) {
2004 Step S;
2005 S.Kind = SK_CAssignment;
2006 S.Type = T;
2007 Steps.push_back(S);
2008}
2009
Eli Friedmancfdc81a2009-12-19 08:11:05 +00002010void InitializationSequence::AddStringInitStep(QualType T) {
2011 Step S;
2012 S.Kind = SK_StringInit;
2013 S.Type = T;
2014 Steps.push_back(S);
2015}
2016
Douglas Gregor20093b42009-12-09 23:02:17 +00002017void InitializationSequence::SetOverloadFailure(FailureKind Failure,
2018 OverloadingResult Result) {
2019 SequenceKind = FailedSequence;
2020 this->Failure = Failure;
2021 this->FailedOverloadResult = Result;
2022}
2023
2024//===----------------------------------------------------------------------===//
2025// Attempt initialization
2026//===----------------------------------------------------------------------===//
2027
2028/// \brief Attempt list initialization (C++0x [dcl.init.list])
Douglas Gregord87b61f2009-12-10 17:56:55 +00002029static void TryListInitialization(Sema &S,
Douglas Gregor20093b42009-12-09 23:02:17 +00002030 const InitializedEntity &Entity,
2031 const InitializationKind &Kind,
2032 InitListExpr *InitList,
2033 InitializationSequence &Sequence) {
Douglas Gregord87b61f2009-12-10 17:56:55 +00002034 // FIXME: We only perform rudimentary checking of list
2035 // initializations at this point, then assume that any list
2036 // initialization of an array, aggregate, or scalar will be
2037 // well-formed. We we actually "perform" list initialization, we'll
2038 // do all of the necessary checking. C++0x initializer lists will
2039 // force us to perform more checking here.
2040 Sequence.setSequenceKind(InitializationSequence::ListInitialization);
2041
Douglas Gregord6542d82009-12-22 15:35:07 +00002042 QualType DestType = Entity.getType();
Douglas Gregord87b61f2009-12-10 17:56:55 +00002043
2044 // C++ [dcl.init]p13:
2045 // If T is a scalar type, then a declaration of the form
2046 //
2047 // T x = { a };
2048 //
2049 // is equivalent to
2050 //
2051 // T x = a;
2052 if (DestType->isScalarType()) {
2053 if (InitList->getNumInits() > 1 && S.getLangOptions().CPlusPlus) {
2054 Sequence.SetFailed(InitializationSequence::FK_TooManyInitsForScalar);
2055 return;
2056 }
2057
2058 // Assume scalar initialization from a single value works.
2059 } else if (DestType->isAggregateType()) {
2060 // Assume aggregate initialization works.
2061 } else if (DestType->isVectorType()) {
2062 // Assume vector initialization works.
2063 } else if (DestType->isReferenceType()) {
2064 // FIXME: C++0x defines behavior for this.
2065 Sequence.SetFailed(InitializationSequence::FK_ReferenceBindingToInitList);
2066 return;
2067 } else if (DestType->isRecordType()) {
2068 // FIXME: C++0x defines behavior for this
2069 Sequence.SetFailed(InitializationSequence::FK_InitListBadDestinationType);
2070 }
2071
2072 // Add a general "list initialization" step.
2073 Sequence.AddListInitializationStep(DestType);
Douglas Gregor20093b42009-12-09 23:02:17 +00002074}
2075
2076/// \brief Try a reference initialization that involves calling a conversion
2077/// function.
2078///
2079/// FIXME: look intos DRs 656, 896
2080static OverloadingResult TryRefInitWithConversionFunction(Sema &S,
2081 const InitializedEntity &Entity,
2082 const InitializationKind &Kind,
2083 Expr *Initializer,
2084 bool AllowRValues,
2085 InitializationSequence &Sequence) {
Douglas Gregord6542d82009-12-22 15:35:07 +00002086 QualType DestType = Entity.getType();
Douglas Gregor20093b42009-12-09 23:02:17 +00002087 QualType cv1T1 = DestType->getAs<ReferenceType>()->getPointeeType();
2088 QualType T1 = cv1T1.getUnqualifiedType();
2089 QualType cv2T2 = Initializer->getType();
2090 QualType T2 = cv2T2.getUnqualifiedType();
2091
2092 bool DerivedToBase;
2093 assert(!S.CompareReferenceRelationship(Initializer->getLocStart(),
2094 T1, T2, DerivedToBase) &&
2095 "Must have incompatible references when binding via conversion");
Chandler Carruth60cfcec2009-12-13 01:37:04 +00002096 (void)DerivedToBase;
Douglas Gregor20093b42009-12-09 23:02:17 +00002097
2098 // Build the candidate set directly in the initialization sequence
2099 // structure, so that it will persist if we fail.
2100 OverloadCandidateSet &CandidateSet = Sequence.getFailedCandidateSet();
2101 CandidateSet.clear();
2102
2103 // Determine whether we are allowed to call explicit constructors or
2104 // explicit conversion operators.
2105 bool AllowExplicit = Kind.getKind() == InitializationKind::IK_Direct;
2106
2107 const RecordType *T1RecordType = 0;
2108 if (AllowRValues && (T1RecordType = T1->getAs<RecordType>())) {
2109 // The type we're converting to is a class type. Enumerate its constructors
2110 // to see if there is a suitable conversion.
2111 CXXRecordDecl *T1RecordDecl = cast<CXXRecordDecl>(T1RecordType->getDecl());
2112
2113 DeclarationName ConstructorName
2114 = S.Context.DeclarationNames.getCXXConstructorName(
2115 S.Context.getCanonicalType(T1).getUnqualifiedType());
2116 DeclContext::lookup_iterator Con, ConEnd;
2117 for (llvm::tie(Con, ConEnd) = T1RecordDecl->lookup(ConstructorName);
2118 Con != ConEnd; ++Con) {
2119 // Find the constructor (which may be a template).
2120 CXXConstructorDecl *Constructor = 0;
2121 FunctionTemplateDecl *ConstructorTmpl
2122 = dyn_cast<FunctionTemplateDecl>(*Con);
2123 if (ConstructorTmpl)
2124 Constructor = cast<CXXConstructorDecl>(
2125 ConstructorTmpl->getTemplatedDecl());
2126 else
2127 Constructor = cast<CXXConstructorDecl>(*Con);
2128
2129 if (!Constructor->isInvalidDecl() &&
2130 Constructor->isConvertingConstructor(AllowExplicit)) {
2131 if (ConstructorTmpl)
2132 S.AddTemplateOverloadCandidate(ConstructorTmpl, /*ExplicitArgs*/ 0,
2133 &Initializer, 1, CandidateSet);
2134 else
2135 S.AddOverloadCandidate(Constructor, &Initializer, 1, CandidateSet);
2136 }
2137 }
2138 }
2139
2140 if (const RecordType *T2RecordType = T2->getAs<RecordType>()) {
2141 // The type we're converting from is a class type, enumerate its conversion
2142 // functions.
2143 CXXRecordDecl *T2RecordDecl = cast<CXXRecordDecl>(T2RecordType->getDecl());
2144
2145 // Determine the type we are converting to. If we are allowed to
2146 // convert to an rvalue, take the type that the destination type
2147 // refers to.
2148 QualType ToType = AllowRValues? cv1T1 : DestType;
2149
John McCalleec51cf2010-01-20 00:46:10 +00002150 const UnresolvedSetImpl *Conversions
Douglas Gregor20093b42009-12-09 23:02:17 +00002151 = T2RecordDecl->getVisibleConversionFunctions();
John McCalleec51cf2010-01-20 00:46:10 +00002152 for (UnresolvedSetImpl::const_iterator I = Conversions->begin(),
2153 E = Conversions->end(); I != E; ++I) {
Douglas Gregor20093b42009-12-09 23:02:17 +00002154 NamedDecl *D = *I;
2155 CXXRecordDecl *ActingDC = cast<CXXRecordDecl>(D->getDeclContext());
2156 if (isa<UsingShadowDecl>(D))
2157 D = cast<UsingShadowDecl>(D)->getTargetDecl();
2158
2159 FunctionTemplateDecl *ConvTemplate = dyn_cast<FunctionTemplateDecl>(D);
2160 CXXConversionDecl *Conv;
2161 if (ConvTemplate)
2162 Conv = cast<CXXConversionDecl>(ConvTemplate->getTemplatedDecl());
2163 else
2164 Conv = cast<CXXConversionDecl>(*I);
2165
2166 // If the conversion function doesn't return a reference type,
2167 // it can't be considered for this conversion unless we're allowed to
2168 // consider rvalues.
2169 // FIXME: Do we need to make sure that we only consider conversion
2170 // candidates with reference-compatible results? That might be needed to
2171 // break recursion.
2172 if ((AllowExplicit || !Conv->isExplicit()) &&
2173 (AllowRValues || Conv->getConversionType()->isLValueReferenceType())){
2174 if (ConvTemplate)
2175 S.AddTemplateConversionCandidate(ConvTemplate, ActingDC, Initializer,
2176 ToType, CandidateSet);
2177 else
2178 S.AddConversionCandidate(Conv, ActingDC, Initializer, cv1T1,
2179 CandidateSet);
2180 }
2181 }
2182 }
2183
2184 SourceLocation DeclLoc = Initializer->getLocStart();
2185
2186 // Perform overload resolution. If it fails, return the failed result.
2187 OverloadCandidateSet::iterator Best;
2188 if (OverloadingResult Result
2189 = S.BestViableFunction(CandidateSet, DeclLoc, Best))
2190 return Result;
Eli Friedman03981012009-12-11 02:42:07 +00002191
Douglas Gregor20093b42009-12-09 23:02:17 +00002192 FunctionDecl *Function = Best->Function;
Eli Friedman03981012009-12-11 02:42:07 +00002193
2194 // Compute the returned type of the conversion.
Douglas Gregor20093b42009-12-09 23:02:17 +00002195 if (isa<CXXConversionDecl>(Function))
2196 T2 = Function->getResultType();
2197 else
2198 T2 = cv1T1;
Eli Friedman03981012009-12-11 02:42:07 +00002199
2200 // Add the user-defined conversion step.
2201 Sequence.AddUserConversionStep(Function, T2.getNonReferenceType());
2202
2203 // Determine whether we need to perform derived-to-base or
2204 // cv-qualification adjustments.
Douglas Gregor20093b42009-12-09 23:02:17 +00002205 bool NewDerivedToBase = false;
2206 Sema::ReferenceCompareResult NewRefRelationship
2207 = S.CompareReferenceRelationship(DeclLoc, T1, T2.getNonReferenceType(),
2208 NewDerivedToBase);
2209 assert(NewRefRelationship != Sema::Ref_Incompatible &&
2210 "Overload resolution picked a bad conversion function");
2211 (void)NewRefRelationship;
2212 if (NewDerivedToBase)
2213 Sequence.AddDerivedToBaseCastStep(
2214 S.Context.getQualifiedType(T1,
2215 T2.getNonReferenceType().getQualifiers()),
2216 /*isLValue=*/true);
2217
2218 if (cv1T1.getQualifiers() != T2.getNonReferenceType().getQualifiers())
2219 Sequence.AddQualificationConversionStep(cv1T1, T2->isReferenceType());
2220
2221 Sequence.AddReferenceBindingStep(cv1T1, !T2->isReferenceType());
2222 return OR_Success;
2223}
2224
2225/// \brief Attempt reference initialization (C++0x [dcl.init.list])
2226static void TryReferenceInitialization(Sema &S,
2227 const InitializedEntity &Entity,
2228 const InitializationKind &Kind,
2229 Expr *Initializer,
2230 InitializationSequence &Sequence) {
2231 Sequence.setSequenceKind(InitializationSequence::ReferenceBinding);
2232
Douglas Gregord6542d82009-12-22 15:35:07 +00002233 QualType DestType = Entity.getType();
Douglas Gregor20093b42009-12-09 23:02:17 +00002234 QualType cv1T1 = DestType->getAs<ReferenceType>()->getPointeeType();
Chandler Carruth5535c382010-01-12 20:32:25 +00002235 Qualifiers T1Quals;
2236 QualType T1 = S.Context.getUnqualifiedArrayType(cv1T1, T1Quals);
Douglas Gregor20093b42009-12-09 23:02:17 +00002237 QualType cv2T2 = Initializer->getType();
Chandler Carruth5535c382010-01-12 20:32:25 +00002238 Qualifiers T2Quals;
2239 QualType T2 = S.Context.getUnqualifiedArrayType(cv2T2, T2Quals);
Douglas Gregor20093b42009-12-09 23:02:17 +00002240 SourceLocation DeclLoc = Initializer->getLocStart();
2241
2242 // If the initializer is the address of an overloaded function, try
2243 // to resolve the overloaded function. If all goes well, T2 is the
2244 // type of the resulting function.
2245 if (S.Context.getCanonicalType(T2) == S.Context.OverloadTy) {
2246 FunctionDecl *Fn = S.ResolveAddressOfOverloadedFunction(Initializer,
2247 T1,
2248 false);
2249 if (!Fn) {
2250 Sequence.SetFailed(InitializationSequence::FK_AddressOfOverloadFailed);
2251 return;
2252 }
2253
2254 Sequence.AddAddressOverloadResolutionStep(Fn);
2255 cv2T2 = Fn->getType();
2256 T2 = cv2T2.getUnqualifiedType();
2257 }
2258
2259 // FIXME: Rvalue references
2260 bool ForceRValue = false;
2261
2262 // Compute some basic properties of the types and the initializer.
2263 bool isLValueRef = DestType->isLValueReferenceType();
2264 bool isRValueRef = !isLValueRef;
2265 bool DerivedToBase = false;
2266 Expr::isLvalueResult InitLvalue = ForceRValue ? Expr::LV_InvalidExpression :
2267 Initializer->isLvalue(S.Context);
2268 Sema::ReferenceCompareResult RefRelationship
2269 = S.CompareReferenceRelationship(DeclLoc, cv1T1, cv2T2, DerivedToBase);
2270
2271 // C++0x [dcl.init.ref]p5:
2272 // A reference to type "cv1 T1" is initialized by an expression of type
2273 // "cv2 T2" as follows:
2274 //
2275 // - If the reference is an lvalue reference and the initializer
2276 // expression
2277 OverloadingResult ConvOvlResult = OR_Success;
2278 if (isLValueRef) {
2279 if (InitLvalue == Expr::LV_Valid &&
2280 RefRelationship >= Sema::Ref_Compatible_With_Added_Qualification) {
2281 // - is an lvalue (but is not a bit-field), and "cv1 T1" is
2282 // reference-compatible with "cv2 T2," or
2283 //
2284 // Per C++ [over.best.ics]p2, we ignore whether the lvalue is a
2285 // bit-field when we're determining whether the reference initialization
2286 // can occur. This property will be checked by PerformInitialization.
2287 if (DerivedToBase)
2288 Sequence.AddDerivedToBaseCastStep(
Chandler Carruth5535c382010-01-12 20:32:25 +00002289 S.Context.getQualifiedType(T1, T2Quals),
Douglas Gregor20093b42009-12-09 23:02:17 +00002290 /*isLValue=*/true);
Chandler Carruth5535c382010-01-12 20:32:25 +00002291 if (T1Quals != T2Quals)
Douglas Gregor20093b42009-12-09 23:02:17 +00002292 Sequence.AddQualificationConversionStep(cv1T1, /*IsLValue=*/true);
2293 Sequence.AddReferenceBindingStep(cv1T1, /*bindingTemporary=*/false);
2294 return;
2295 }
2296
2297 // - has a class type (i.e., T2 is a class type), where T1 is not
2298 // reference-related to T2, and can be implicitly converted to an
2299 // lvalue of type "cv3 T3," where "cv1 T1" is reference-compatible
2300 // with "cv3 T3" (this conversion is selected by enumerating the
2301 // applicable conversion functions (13.3.1.6) and choosing the best
2302 // one through overload resolution (13.3)),
2303 if (RefRelationship == Sema::Ref_Incompatible && T2->isRecordType()) {
2304 ConvOvlResult = TryRefInitWithConversionFunction(S, Entity, Kind,
2305 Initializer,
2306 /*AllowRValues=*/false,
2307 Sequence);
2308 if (ConvOvlResult == OR_Success)
2309 return;
John McCall1d318332010-01-12 00:44:57 +00002310 if (ConvOvlResult != OR_No_Viable_Function) {
2311 Sequence.SetOverloadFailure(
2312 InitializationSequence::FK_ReferenceInitOverloadFailed,
2313 ConvOvlResult);
2314 }
Douglas Gregor20093b42009-12-09 23:02:17 +00002315 }
2316 }
2317
2318 // - Otherwise, the reference shall be an lvalue reference to a
2319 // non-volatile const type (i.e., cv1 shall be const), or the reference
2320 // shall be an rvalue reference and the initializer expression shall
2321 // be an rvalue.
Chandler Carruth5535c382010-01-12 20:32:25 +00002322 if (!((isLValueRef && T1Quals.hasConst()) ||
Douglas Gregor20093b42009-12-09 23:02:17 +00002323 (isRValueRef && InitLvalue != Expr::LV_Valid))) {
2324 if (ConvOvlResult && !Sequence.getFailedCandidateSet().empty())
2325 Sequence.SetOverloadFailure(
2326 InitializationSequence::FK_ReferenceInitOverloadFailed,
2327 ConvOvlResult);
2328 else if (isLValueRef)
2329 Sequence.SetFailed(InitLvalue == Expr::LV_Valid
2330 ? (RefRelationship == Sema::Ref_Related
2331 ? InitializationSequence::FK_ReferenceInitDropsQualifiers
2332 : InitializationSequence::FK_NonConstLValueReferenceBindingToUnrelated)
2333 : InitializationSequence::FK_NonConstLValueReferenceBindingToTemporary);
2334 else
2335 Sequence.SetFailed(
2336 InitializationSequence::FK_RValueReferenceBindingToLValue);
2337
2338 return;
2339 }
2340
2341 // - If T1 and T2 are class types and
2342 if (T1->isRecordType() && T2->isRecordType()) {
2343 // - the initializer expression is an rvalue and "cv1 T1" is
2344 // reference-compatible with "cv2 T2", or
2345 if (InitLvalue != Expr::LV_Valid &&
2346 RefRelationship >= Sema::Ref_Compatible_With_Added_Qualification) {
2347 if (DerivedToBase)
2348 Sequence.AddDerivedToBaseCastStep(
Chandler Carruth5535c382010-01-12 20:32:25 +00002349 S.Context.getQualifiedType(T1, T2Quals),
Douglas Gregor20093b42009-12-09 23:02:17 +00002350 /*isLValue=*/false);
Chandler Carruth5535c382010-01-12 20:32:25 +00002351 if (T1Quals != T2Quals)
Douglas Gregor20093b42009-12-09 23:02:17 +00002352 Sequence.AddQualificationConversionStep(cv1T1, /*IsLValue=*/false);
2353 Sequence.AddReferenceBindingStep(cv1T1, /*bindingTemporary=*/true);
2354 return;
2355 }
2356
2357 // - T1 is not reference-related to T2 and the initializer expression
2358 // can be implicitly converted to an rvalue of type "cv3 T3" (this
2359 // conversion is selected by enumerating the applicable conversion
2360 // functions (13.3.1.6) and choosing the best one through overload
2361 // resolution (13.3)),
2362 if (RefRelationship == Sema::Ref_Incompatible) {
2363 ConvOvlResult = TryRefInitWithConversionFunction(S, Entity,
2364 Kind, Initializer,
2365 /*AllowRValues=*/true,
2366 Sequence);
2367 if (ConvOvlResult)
2368 Sequence.SetOverloadFailure(
2369 InitializationSequence::FK_ReferenceInitOverloadFailed,
2370 ConvOvlResult);
2371
2372 return;
2373 }
2374
2375 Sequence.SetFailed(InitializationSequence::FK_ReferenceInitDropsQualifiers);
2376 return;
2377 }
2378
2379 // - If the initializer expression is an rvalue, with T2 an array type,
2380 // and "cv1 T1" is reference-compatible with "cv2 T2," the reference
2381 // is bound to the object represented by the rvalue (see 3.10).
2382 // FIXME: How can an array type be reference-compatible with anything?
2383 // Don't we mean the element types of T1 and T2?
2384
2385 // - Otherwise, a temporary of type “cv1 T1” is created and initialized
2386 // from the initializer expression using the rules for a non-reference
2387 // copy initialization (8.5). The reference is then bound to the
2388 // temporary. [...]
2389 // Determine whether we are allowed to call explicit constructors or
2390 // explicit conversion operators.
2391 bool AllowExplicit = (Kind.getKind() == InitializationKind::IK_Direct);
2392 ImplicitConversionSequence ICS
2393 = S.TryImplicitConversion(Initializer, cv1T1,
2394 /*SuppressUserConversions=*/false, AllowExplicit,
2395 /*ForceRValue=*/false,
2396 /*FIXME:InOverloadResolution=*/false,
2397 /*UserCast=*/Kind.isExplicitCast());
2398
John McCall1d318332010-01-12 00:44:57 +00002399 if (ICS.isBad()) {
Douglas Gregor20093b42009-12-09 23:02:17 +00002400 // FIXME: Use the conversion function set stored in ICS to turn
2401 // this into an overloading ambiguity diagnostic. However, we need
2402 // to keep that set as an OverloadCandidateSet rather than as some
2403 // other kind of set.
Douglas Gregor18ef5e22009-12-18 05:02:21 +00002404 if (ConvOvlResult && !Sequence.getFailedCandidateSet().empty())
2405 Sequence.SetOverloadFailure(
2406 InitializationSequence::FK_ReferenceInitOverloadFailed,
2407 ConvOvlResult);
2408 else
2409 Sequence.SetFailed(InitializationSequence::FK_ReferenceInitFailed);
Douglas Gregor20093b42009-12-09 23:02:17 +00002410 return;
2411 }
2412
2413 // [...] If T1 is reference-related to T2, cv1 must be the
2414 // same cv-qualification as, or greater cv-qualification
2415 // than, cv2; otherwise, the program is ill-formed.
Chandler Carruth5535c382010-01-12 20:32:25 +00002416 unsigned T1CVRQuals = T1Quals.getCVRQualifiers();
2417 unsigned T2CVRQuals = T2Quals.getCVRQualifiers();
Douglas Gregor20093b42009-12-09 23:02:17 +00002418 if (RefRelationship == Sema::Ref_Related &&
Chandler Carruth5535c382010-01-12 20:32:25 +00002419 (T1CVRQuals | T2CVRQuals) != T1CVRQuals) {
Douglas Gregor20093b42009-12-09 23:02:17 +00002420 Sequence.SetFailed(InitializationSequence::FK_ReferenceInitDropsQualifiers);
2421 return;
2422 }
2423
2424 // Perform the actual conversion.
2425 Sequence.AddConversionSequenceStep(ICS, cv1T1);
2426 Sequence.AddReferenceBindingStep(cv1T1, /*bindingTemporary=*/true);
2427 return;
2428}
2429
2430/// \brief Attempt character array initialization from a string literal
2431/// (C++ [dcl.init.string], C99 6.7.8).
2432static void TryStringLiteralInitialization(Sema &S,
2433 const InitializedEntity &Entity,
2434 const InitializationKind &Kind,
2435 Expr *Initializer,
2436 InitializationSequence &Sequence) {
Eli Friedmancfdc81a2009-12-19 08:11:05 +00002437 Sequence.setSequenceKind(InitializationSequence::StringInit);
Douglas Gregord6542d82009-12-22 15:35:07 +00002438 Sequence.AddStringInitStep(Entity.getType());
Douglas Gregor20093b42009-12-09 23:02:17 +00002439}
2440
Douglas Gregor20093b42009-12-09 23:02:17 +00002441/// \brief Attempt initialization by constructor (C++ [dcl.init]), which
2442/// enumerates the constructors of the initialized entity and performs overload
2443/// resolution to select the best.
2444static void TryConstructorInitialization(Sema &S,
2445 const InitializedEntity &Entity,
2446 const InitializationKind &Kind,
2447 Expr **Args, unsigned NumArgs,
Douglas Gregor71d17402009-12-15 00:01:57 +00002448 QualType DestType,
Douglas Gregor20093b42009-12-09 23:02:17 +00002449 InitializationSequence &Sequence) {
Douglas Gregor18ef5e22009-12-18 05:02:21 +00002450 if (Kind.getKind() == InitializationKind::IK_Copy)
2451 Sequence.setSequenceKind(InitializationSequence::UserDefinedConversion);
2452 else
2453 Sequence.setSequenceKind(InitializationSequence::ConstructorInitialization);
Douglas Gregor51c56d62009-12-14 20:49:26 +00002454
2455 // Build the candidate set directly in the initialization sequence
2456 // structure, so that it will persist if we fail.
2457 OverloadCandidateSet &CandidateSet = Sequence.getFailedCandidateSet();
2458 CandidateSet.clear();
2459
2460 // Determine whether we are allowed to call explicit constructors or
2461 // explicit conversion operators.
2462 bool AllowExplicit = (Kind.getKind() == InitializationKind::IK_Direct ||
2463 Kind.getKind() == InitializationKind::IK_Value ||
2464 Kind.getKind() == InitializationKind::IK_Default);
2465
2466 // The type we're converting to is a class type. Enumerate its constructors
2467 // to see if one is suitable.
Douglas Gregor51c56d62009-12-14 20:49:26 +00002468 const RecordType *DestRecordType = DestType->getAs<RecordType>();
2469 assert(DestRecordType && "Constructor initialization requires record type");
2470 CXXRecordDecl *DestRecordDecl
2471 = cast<CXXRecordDecl>(DestRecordType->getDecl());
2472
2473 DeclarationName ConstructorName
2474 = S.Context.DeclarationNames.getCXXConstructorName(
2475 S.Context.getCanonicalType(DestType).getUnqualifiedType());
2476 DeclContext::lookup_iterator Con, ConEnd;
2477 for (llvm::tie(Con, ConEnd) = DestRecordDecl->lookup(ConstructorName);
2478 Con != ConEnd; ++Con) {
2479 // Find the constructor (which may be a template).
2480 CXXConstructorDecl *Constructor = 0;
2481 FunctionTemplateDecl *ConstructorTmpl
2482 = dyn_cast<FunctionTemplateDecl>(*Con);
2483 if (ConstructorTmpl)
2484 Constructor = cast<CXXConstructorDecl>(
2485 ConstructorTmpl->getTemplatedDecl());
2486 else
2487 Constructor = cast<CXXConstructorDecl>(*Con);
2488
2489 if (!Constructor->isInvalidDecl() &&
Douglas Gregor99a2e602009-12-16 01:38:02 +00002490 (AllowExplicit || !Constructor->isExplicit())) {
Douglas Gregor51c56d62009-12-14 20:49:26 +00002491 if (ConstructorTmpl)
2492 S.AddTemplateOverloadCandidate(ConstructorTmpl, /*ExplicitArgs*/ 0,
2493 Args, NumArgs, CandidateSet);
2494 else
2495 S.AddOverloadCandidate(Constructor, Args, NumArgs, CandidateSet);
2496 }
2497 }
2498
2499 SourceLocation DeclLoc = Kind.getLocation();
2500
2501 // Perform overload resolution. If it fails, return the failed result.
2502 OverloadCandidateSet::iterator Best;
2503 if (OverloadingResult Result
2504 = S.BestViableFunction(CandidateSet, DeclLoc, Best)) {
2505 Sequence.SetOverloadFailure(
2506 InitializationSequence::FK_ConstructorOverloadFailed,
2507 Result);
2508 return;
2509 }
2510
2511 // Add the constructor initialization step. Any cv-qualification conversion is
2512 // subsumed by the initialization.
Douglas Gregor18ef5e22009-12-18 05:02:21 +00002513 if (Kind.getKind() == InitializationKind::IK_Copy) {
2514 Sequence.AddUserConversionStep(Best->Function, DestType);
2515 } else {
2516 Sequence.AddConstructorInitializationStep(
Douglas Gregor51c56d62009-12-14 20:49:26 +00002517 cast<CXXConstructorDecl>(Best->Function),
Douglas Gregor18ef5e22009-12-18 05:02:21 +00002518 DestType);
2519 }
Douglas Gregor20093b42009-12-09 23:02:17 +00002520}
2521
Douglas Gregor71d17402009-12-15 00:01:57 +00002522/// \brief Attempt value initialization (C++ [dcl.init]p7).
2523static void TryValueInitialization(Sema &S,
2524 const InitializedEntity &Entity,
2525 const InitializationKind &Kind,
2526 InitializationSequence &Sequence) {
2527 // C++ [dcl.init]p5:
2528 //
2529 // To value-initialize an object of type T means:
Douglas Gregord6542d82009-12-22 15:35:07 +00002530 QualType T = Entity.getType();
Douglas Gregor71d17402009-12-15 00:01:57 +00002531
2532 // -- if T is an array type, then each element is value-initialized;
2533 while (const ArrayType *AT = S.Context.getAsArrayType(T))
2534 T = AT->getElementType();
2535
2536 if (const RecordType *RT = T->getAs<RecordType>()) {
2537 if (CXXRecordDecl *ClassDecl = dyn_cast<CXXRecordDecl>(RT->getDecl())) {
2538 // -- if T is a class type (clause 9) with a user-declared
2539 // constructor (12.1), then the default constructor for T is
2540 // called (and the initialization is ill-formed if T has no
2541 // accessible default constructor);
2542 //
2543 // FIXME: we really want to refer to a single subobject of the array,
2544 // but Entity doesn't have a way to capture that (yet).
2545 if (ClassDecl->hasUserDeclaredConstructor())
2546 return TryConstructorInitialization(S, Entity, Kind, 0, 0, T, Sequence);
2547
Douglas Gregor16006c92009-12-16 18:50:27 +00002548 // -- if T is a (possibly cv-qualified) non-union class type
2549 // without a user-provided constructor, then the object is
2550 // zero-initialized and, if T’s implicitly-declared default
2551 // constructor is non-trivial, that constructor is called.
2552 if ((ClassDecl->getTagKind() == TagDecl::TK_class ||
2553 ClassDecl->getTagKind() == TagDecl::TK_struct) &&
2554 !ClassDecl->hasTrivialConstructor()) {
Douglas Gregord6542d82009-12-22 15:35:07 +00002555 Sequence.AddZeroInitializationStep(Entity.getType());
Douglas Gregor16006c92009-12-16 18:50:27 +00002556 return TryConstructorInitialization(S, Entity, Kind, 0, 0, T, Sequence);
2557 }
Douglas Gregor71d17402009-12-15 00:01:57 +00002558 }
2559 }
2560
Douglas Gregord6542d82009-12-22 15:35:07 +00002561 Sequence.AddZeroInitializationStep(Entity.getType());
Douglas Gregor71d17402009-12-15 00:01:57 +00002562 Sequence.setSequenceKind(InitializationSequence::ZeroInitialization);
2563}
2564
Douglas Gregor99a2e602009-12-16 01:38:02 +00002565/// \brief Attempt default initialization (C++ [dcl.init]p6).
2566static void TryDefaultInitialization(Sema &S,
2567 const InitializedEntity &Entity,
2568 const InitializationKind &Kind,
2569 InitializationSequence &Sequence) {
2570 assert(Kind.getKind() == InitializationKind::IK_Default);
2571
2572 // C++ [dcl.init]p6:
2573 // To default-initialize an object of type T means:
2574 // - if T is an array type, each element is default-initialized;
Douglas Gregord6542d82009-12-22 15:35:07 +00002575 QualType DestType = Entity.getType();
Douglas Gregor99a2e602009-12-16 01:38:02 +00002576 while (const ArrayType *Array = S.Context.getAsArrayType(DestType))
2577 DestType = Array->getElementType();
2578
2579 // - if T is a (possibly cv-qualified) class type (Clause 9), the default
2580 // constructor for T is called (and the initialization is ill-formed if
2581 // T has no accessible default constructor);
2582 if (DestType->isRecordType()) {
2583 // FIXME: If a program calls for the default initialization of an object of
2584 // a const-qualified type T, T shall be a class type with a user-provided
2585 // default constructor.
2586 return TryConstructorInitialization(S, Entity, Kind, 0, 0, DestType,
2587 Sequence);
2588 }
2589
2590 // - otherwise, no initialization is performed.
2591 Sequence.setSequenceKind(InitializationSequence::NoInitialization);
2592
2593 // If a program calls for the default initialization of an object of
2594 // a const-qualified type T, T shall be a class type with a user-provided
2595 // default constructor.
2596 if (DestType.isConstQualified())
2597 Sequence.SetFailed(InitializationSequence::FK_DefaultInitOfConst);
2598}
2599
Douglas Gregor20093b42009-12-09 23:02:17 +00002600/// \brief Attempt a user-defined conversion between two types (C++ [dcl.init]),
2601/// which enumerates all conversion functions and performs overload resolution
2602/// to select the best.
2603static void TryUserDefinedConversion(Sema &S,
2604 const InitializedEntity &Entity,
2605 const InitializationKind &Kind,
2606 Expr *Initializer,
2607 InitializationSequence &Sequence) {
Douglas Gregor4a520a22009-12-14 17:27:33 +00002608 Sequence.setSequenceKind(InitializationSequence::UserDefinedConversion);
2609
Douglas Gregord6542d82009-12-22 15:35:07 +00002610 QualType DestType = Entity.getType();
Douglas Gregor4a520a22009-12-14 17:27:33 +00002611 assert(!DestType->isReferenceType() && "References are handled elsewhere");
2612 QualType SourceType = Initializer->getType();
2613 assert((DestType->isRecordType() || SourceType->isRecordType()) &&
2614 "Must have a class type to perform a user-defined conversion");
2615
2616 // Build the candidate set directly in the initialization sequence
2617 // structure, so that it will persist if we fail.
2618 OverloadCandidateSet &CandidateSet = Sequence.getFailedCandidateSet();
2619 CandidateSet.clear();
2620
2621 // Determine whether we are allowed to call explicit constructors or
2622 // explicit conversion operators.
2623 bool AllowExplicit = Kind.getKind() == InitializationKind::IK_Direct;
2624
2625 if (const RecordType *DestRecordType = DestType->getAs<RecordType>()) {
2626 // The type we're converting to is a class type. Enumerate its constructors
2627 // to see if there is a suitable conversion.
2628 CXXRecordDecl *DestRecordDecl
2629 = cast<CXXRecordDecl>(DestRecordType->getDecl());
2630
2631 DeclarationName ConstructorName
2632 = S.Context.DeclarationNames.getCXXConstructorName(
2633 S.Context.getCanonicalType(DestType).getUnqualifiedType());
2634 DeclContext::lookup_iterator Con, ConEnd;
2635 for (llvm::tie(Con, ConEnd) = DestRecordDecl->lookup(ConstructorName);
2636 Con != ConEnd; ++Con) {
2637 // Find the constructor (which may be a template).
2638 CXXConstructorDecl *Constructor = 0;
2639 FunctionTemplateDecl *ConstructorTmpl
2640 = dyn_cast<FunctionTemplateDecl>(*Con);
2641 if (ConstructorTmpl)
2642 Constructor = cast<CXXConstructorDecl>(
2643 ConstructorTmpl->getTemplatedDecl());
2644 else
2645 Constructor = cast<CXXConstructorDecl>(*Con);
2646
2647 if (!Constructor->isInvalidDecl() &&
2648 Constructor->isConvertingConstructor(AllowExplicit)) {
2649 if (ConstructorTmpl)
2650 S.AddTemplateOverloadCandidate(ConstructorTmpl, /*ExplicitArgs*/ 0,
2651 &Initializer, 1, CandidateSet);
2652 else
2653 S.AddOverloadCandidate(Constructor, &Initializer, 1, CandidateSet);
2654 }
2655 }
2656 }
Eli Friedmancfdc81a2009-12-19 08:11:05 +00002657
2658 SourceLocation DeclLoc = Initializer->getLocStart();
2659
Douglas Gregor4a520a22009-12-14 17:27:33 +00002660 if (const RecordType *SourceRecordType = SourceType->getAs<RecordType>()) {
2661 // The type we're converting from is a class type, enumerate its conversion
2662 // functions.
Eli Friedmancfdc81a2009-12-19 08:11:05 +00002663
Eli Friedman33c2da92009-12-20 22:12:03 +00002664 // We can only enumerate the conversion functions for a complete type; if
2665 // the type isn't complete, simply skip this step.
2666 if (!S.RequireCompleteType(DeclLoc, SourceType, 0)) {
2667 CXXRecordDecl *SourceRecordDecl
2668 = cast<CXXRecordDecl>(SourceRecordType->getDecl());
Douglas Gregor4a520a22009-12-14 17:27:33 +00002669
John McCalleec51cf2010-01-20 00:46:10 +00002670 const UnresolvedSetImpl *Conversions
Eli Friedman33c2da92009-12-20 22:12:03 +00002671 = SourceRecordDecl->getVisibleConversionFunctions();
John McCalleec51cf2010-01-20 00:46:10 +00002672 for (UnresolvedSetImpl::const_iterator I = Conversions->begin(),
Eli Friedman33c2da92009-12-20 22:12:03 +00002673 E = Conversions->end();
2674 I != E; ++I) {
2675 NamedDecl *D = *I;
2676 CXXRecordDecl *ActingDC = cast<CXXRecordDecl>(D->getDeclContext());
2677 if (isa<UsingShadowDecl>(D))
2678 D = cast<UsingShadowDecl>(D)->getTargetDecl();
2679
2680 FunctionTemplateDecl *ConvTemplate = dyn_cast<FunctionTemplateDecl>(D);
2681 CXXConversionDecl *Conv;
Douglas Gregor4a520a22009-12-14 17:27:33 +00002682 if (ConvTemplate)
Eli Friedman33c2da92009-12-20 22:12:03 +00002683 Conv = cast<CXXConversionDecl>(ConvTemplate->getTemplatedDecl());
Douglas Gregor4a520a22009-12-14 17:27:33 +00002684 else
Eli Friedman33c2da92009-12-20 22:12:03 +00002685 Conv = cast<CXXConversionDecl>(*I);
2686
2687 if (AllowExplicit || !Conv->isExplicit()) {
2688 if (ConvTemplate)
2689 S.AddTemplateConversionCandidate(ConvTemplate, ActingDC,
2690 Initializer, DestType,
2691 CandidateSet);
2692 else
2693 S.AddConversionCandidate(Conv, ActingDC, Initializer, DestType,
2694 CandidateSet);
2695 }
Douglas Gregor4a520a22009-12-14 17:27:33 +00002696 }
2697 }
2698 }
2699
Douglas Gregor4a520a22009-12-14 17:27:33 +00002700 // Perform overload resolution. If it fails, return the failed result.
2701 OverloadCandidateSet::iterator Best;
John McCall1d318332010-01-12 00:44:57 +00002702 if (OverloadingResult Result
Douglas Gregor4a520a22009-12-14 17:27:33 +00002703 = S.BestViableFunction(CandidateSet, DeclLoc, Best)) {
2704 Sequence.SetOverloadFailure(
2705 InitializationSequence::FK_UserConversionOverloadFailed,
2706 Result);
2707 return;
2708 }
John McCall1d318332010-01-12 00:44:57 +00002709
Douglas Gregor4a520a22009-12-14 17:27:33 +00002710 FunctionDecl *Function = Best->Function;
2711
2712 if (isa<CXXConstructorDecl>(Function)) {
2713 // Add the user-defined conversion step. Any cv-qualification conversion is
2714 // subsumed by the initialization.
2715 Sequence.AddUserConversionStep(Function, DestType);
2716 return;
2717 }
2718
2719 // Add the user-defined conversion step that calls the conversion function.
2720 QualType ConvType = Function->getResultType().getNonReferenceType();
2721 Sequence.AddUserConversionStep(Function, ConvType);
2722
2723 // If the conversion following the call to the conversion function is
2724 // interesting, add it as a separate step.
2725 if (Best->FinalConversion.First || Best->FinalConversion.Second ||
2726 Best->FinalConversion.Third) {
2727 ImplicitConversionSequence ICS;
John McCall1d318332010-01-12 00:44:57 +00002728 ICS.setStandard();
Douglas Gregor4a520a22009-12-14 17:27:33 +00002729 ICS.Standard = Best->FinalConversion;
2730 Sequence.AddConversionSequenceStep(ICS, DestType);
2731 }
Douglas Gregor20093b42009-12-09 23:02:17 +00002732}
2733
2734/// \brief Attempt an implicit conversion (C++ [conv]) converting from one
2735/// non-class type to another.
2736static void TryImplicitConversion(Sema &S,
2737 const InitializedEntity &Entity,
2738 const InitializationKind &Kind,
2739 Expr *Initializer,
2740 InitializationSequence &Sequence) {
2741 ImplicitConversionSequence ICS
Douglas Gregord6542d82009-12-22 15:35:07 +00002742 = S.TryImplicitConversion(Initializer, Entity.getType(),
Douglas Gregor20093b42009-12-09 23:02:17 +00002743 /*SuppressUserConversions=*/true,
2744 /*AllowExplicit=*/false,
2745 /*ForceRValue=*/false,
2746 /*FIXME:InOverloadResolution=*/false,
2747 /*UserCast=*/Kind.isExplicitCast());
2748
John McCall1d318332010-01-12 00:44:57 +00002749 if (ICS.isBad()) {
Douglas Gregor20093b42009-12-09 23:02:17 +00002750 Sequence.SetFailed(InitializationSequence::FK_ConversionFailed);
2751 return;
2752 }
2753
Douglas Gregord6542d82009-12-22 15:35:07 +00002754 Sequence.AddConversionSequenceStep(ICS, Entity.getType());
Douglas Gregor20093b42009-12-09 23:02:17 +00002755}
2756
2757InitializationSequence::InitializationSequence(Sema &S,
2758 const InitializedEntity &Entity,
2759 const InitializationKind &Kind,
2760 Expr **Args,
2761 unsigned NumArgs) {
2762 ASTContext &Context = S.Context;
2763
2764 // C++0x [dcl.init]p16:
2765 // The semantics of initializers are as follows. The destination type is
2766 // the type of the object or reference being initialized and the source
2767 // type is the type of the initializer expression. The source type is not
2768 // defined when the initializer is a braced-init-list or when it is a
2769 // parenthesized list of expressions.
Douglas Gregord6542d82009-12-22 15:35:07 +00002770 QualType DestType = Entity.getType();
Douglas Gregor20093b42009-12-09 23:02:17 +00002771
2772 if (DestType->isDependentType() ||
2773 Expr::hasAnyTypeDependentArguments(Args, NumArgs)) {
2774 SequenceKind = DependentSequence;
2775 return;
2776 }
2777
2778 QualType SourceType;
2779 Expr *Initializer = 0;
Douglas Gregor99a2e602009-12-16 01:38:02 +00002780 if (NumArgs == 1) {
Douglas Gregor20093b42009-12-09 23:02:17 +00002781 Initializer = Args[0];
2782 if (!isa<InitListExpr>(Initializer))
2783 SourceType = Initializer->getType();
2784 }
2785
2786 // - If the initializer is a braced-init-list, the object is
2787 // list-initialized (8.5.4).
2788 if (InitListExpr *InitList = dyn_cast_or_null<InitListExpr>(Initializer)) {
2789 TryListInitialization(S, Entity, Kind, InitList, *this);
Douglas Gregord87b61f2009-12-10 17:56:55 +00002790 return;
Douglas Gregor20093b42009-12-09 23:02:17 +00002791 }
2792
2793 // - If the destination type is a reference type, see 8.5.3.
2794 if (DestType->isReferenceType()) {
2795 // C++0x [dcl.init.ref]p1:
2796 // A variable declared to be a T& or T&&, that is, "reference to type T"
2797 // (8.3.2), shall be initialized by an object, or function, of type T or
2798 // by an object that can be converted into a T.
2799 // (Therefore, multiple arguments are not permitted.)
2800 if (NumArgs != 1)
2801 SetFailed(FK_TooManyInitsForReference);
2802 else
2803 TryReferenceInitialization(S, Entity, Kind, Args[0], *this);
2804 return;
2805 }
2806
2807 // - If the destination type is an array of characters, an array of
2808 // char16_t, an array of char32_t, or an array of wchar_t, and the
2809 // initializer is a string literal, see 8.5.2.
2810 if (Initializer && IsStringInit(Initializer, DestType, Context)) {
2811 TryStringLiteralInitialization(S, Entity, Kind, Initializer, *this);
2812 return;
2813 }
2814
2815 // - If the initializer is (), the object is value-initialized.
Douglas Gregor99a2e602009-12-16 01:38:02 +00002816 if (Kind.getKind() == InitializationKind::IK_Value ||
2817 (Kind.getKind() == InitializationKind::IK_Direct && NumArgs == 0)) {
Douglas Gregor20093b42009-12-09 23:02:17 +00002818 TryValueInitialization(S, Entity, Kind, *this);
2819 return;
2820 }
2821
Douglas Gregor99a2e602009-12-16 01:38:02 +00002822 // Handle default initialization.
2823 if (Kind.getKind() == InitializationKind::IK_Default){
2824 TryDefaultInitialization(S, Entity, Kind, *this);
2825 return;
2826 }
Douglas Gregor18ef5e22009-12-18 05:02:21 +00002827
Douglas Gregor20093b42009-12-09 23:02:17 +00002828 // - Otherwise, if the destination type is an array, the program is
2829 // ill-formed.
2830 if (const ArrayType *AT = Context.getAsArrayType(DestType)) {
2831 if (AT->getElementType()->isAnyCharacterType())
2832 SetFailed(FK_ArrayNeedsInitListOrStringLiteral);
2833 else
2834 SetFailed(FK_ArrayNeedsInitList);
2835
2836 return;
2837 }
Eli Friedmancfdc81a2009-12-19 08:11:05 +00002838
2839 // Handle initialization in C
2840 if (!S.getLangOptions().CPlusPlus) {
2841 setSequenceKind(CAssignment);
2842 AddCAssignmentStep(DestType);
2843 return;
2844 }
Douglas Gregor20093b42009-12-09 23:02:17 +00002845
2846 // - If the destination type is a (possibly cv-qualified) class type:
2847 if (DestType->isRecordType()) {
2848 // - If the initialization is direct-initialization, or if it is
2849 // copy-initialization where the cv-unqualified version of the
2850 // source type is the same class as, or a derived class of, the
2851 // class of the destination, constructors are considered. [...]
2852 if (Kind.getKind() == InitializationKind::IK_Direct ||
2853 (Kind.getKind() == InitializationKind::IK_Copy &&
2854 (Context.hasSameUnqualifiedType(SourceType, DestType) ||
2855 S.IsDerivedFrom(SourceType, DestType))))
Douglas Gregor71d17402009-12-15 00:01:57 +00002856 TryConstructorInitialization(S, Entity, Kind, Args, NumArgs,
Douglas Gregord6542d82009-12-22 15:35:07 +00002857 Entity.getType(), *this);
Douglas Gregor20093b42009-12-09 23:02:17 +00002858 // - Otherwise (i.e., for the remaining copy-initialization cases),
2859 // user-defined conversion sequences that can convert from the source
2860 // type to the destination type or (when a conversion function is
2861 // used) to a derived class thereof are enumerated as described in
2862 // 13.3.1.4, and the best one is chosen through overload resolution
2863 // (13.3).
2864 else
2865 TryUserDefinedConversion(S, Entity, Kind, Initializer, *this);
2866 return;
2867 }
2868
Douglas Gregor99a2e602009-12-16 01:38:02 +00002869 if (NumArgs > 1) {
2870 SetFailed(FK_TooManyInitsForScalar);
2871 return;
2872 }
2873 assert(NumArgs == 1 && "Zero-argument case handled above");
2874
Douglas Gregor20093b42009-12-09 23:02:17 +00002875 // - Otherwise, if the source type is a (possibly cv-qualified) class
2876 // type, conversion functions are considered.
Douglas Gregor99a2e602009-12-16 01:38:02 +00002877 if (!SourceType.isNull() && SourceType->isRecordType()) {
Douglas Gregor20093b42009-12-09 23:02:17 +00002878 TryUserDefinedConversion(S, Entity, Kind, Initializer, *this);
2879 return;
2880 }
2881
2882 // - Otherwise, the initial value of the object being initialized is the
Douglas Gregor4a520a22009-12-14 17:27:33 +00002883 // (possibly converted) value of the initializer expression. Standard
Douglas Gregor20093b42009-12-09 23:02:17 +00002884 // conversions (Clause 4) will be used, if necessary, to convert the
2885 // initializer expression to the cv-unqualified version of the
2886 // destination type; no user-defined conversions are considered.
Douglas Gregor99a2e602009-12-16 01:38:02 +00002887 setSequenceKind(StandardConversion);
Douglas Gregor20093b42009-12-09 23:02:17 +00002888 TryImplicitConversion(S, Entity, Kind, Initializer, *this);
2889}
2890
2891InitializationSequence::~InitializationSequence() {
2892 for (llvm::SmallVectorImpl<Step>::iterator Step = Steps.begin(),
2893 StepEnd = Steps.end();
2894 Step != StepEnd; ++Step)
2895 Step->Destroy();
2896}
2897
2898//===----------------------------------------------------------------------===//
2899// Perform initialization
2900//===----------------------------------------------------------------------===//
Douglas Gregor18ef5e22009-12-18 05:02:21 +00002901static Sema::AssignmentAction
2902getAssignmentAction(const InitializedEntity &Entity) {
2903 switch(Entity.getKind()) {
2904 case InitializedEntity::EK_Variable:
2905 case InitializedEntity::EK_New:
2906 return Sema::AA_Initializing;
2907
2908 case InitializedEntity::EK_Parameter:
2909 // FIXME: Can we tell when we're sending vs. passing?
2910 return Sema::AA_Passing;
2911
2912 case InitializedEntity::EK_Result:
2913 return Sema::AA_Returning;
2914
2915 case InitializedEntity::EK_Exception:
2916 case InitializedEntity::EK_Base:
2917 llvm_unreachable("No assignment action for C++-specific initialization");
2918 break;
2919
2920 case InitializedEntity::EK_Temporary:
2921 // FIXME: Can we tell apart casting vs. converting?
2922 return Sema::AA_Casting;
2923
2924 case InitializedEntity::EK_Member:
Anders Carlssond3d824d2010-01-23 04:34:47 +00002925 case InitializedEntity::EK_ArrayElement:
2926 case InitializedEntity::EK_VectorElement:
Douglas Gregor18ef5e22009-12-18 05:02:21 +00002927 return Sema::AA_Initializing;
2928 }
2929
2930 return Sema::AA_Converting;
2931}
2932
2933static bool shouldBindAsTemporary(const InitializedEntity &Entity,
2934 bool IsCopy) {
2935 switch (Entity.getKind()) {
2936 case InitializedEntity::EK_Result:
2937 case InitializedEntity::EK_Exception:
2938 return !IsCopy;
2939
2940 case InitializedEntity::EK_New:
2941 case InitializedEntity::EK_Variable:
2942 case InitializedEntity::EK_Base:
2943 case InitializedEntity::EK_Member:
Anders Carlssond3d824d2010-01-23 04:34:47 +00002944 case InitializedEntity::EK_ArrayElement:
2945 case InitializedEntity::EK_VectorElement:
Douglas Gregor18ef5e22009-12-18 05:02:21 +00002946 return false;
2947
2948 case InitializedEntity::EK_Parameter:
2949 case InitializedEntity::EK_Temporary:
2950 return true;
2951 }
2952
2953 llvm_unreachable("missed an InitializedEntity kind?");
2954}
2955
2956/// \brief If we need to perform an additional copy of the initialized object
2957/// for this kind of entity (e.g., the result of a function or an object being
2958/// thrown), make the copy.
2959static Sema::OwningExprResult CopyIfRequiredForEntity(Sema &S,
2960 const InitializedEntity &Entity,
Douglas Gregor7abfbdb2009-12-19 03:01:41 +00002961 const InitializationKind &Kind,
Douglas Gregor18ef5e22009-12-18 05:02:21 +00002962 Sema::OwningExprResult CurInit) {
2963 SourceLocation Loc;
Douglas Gregor18ef5e22009-12-18 05:02:21 +00002964
2965 switch (Entity.getKind()) {
2966 case InitializedEntity::EK_Result:
Douglas Gregord6542d82009-12-22 15:35:07 +00002967 if (Entity.getType()->isReferenceType())
Douglas Gregor18ef5e22009-12-18 05:02:21 +00002968 return move(CurInit);
Douglas Gregor18ef5e22009-12-18 05:02:21 +00002969 Loc = Entity.getReturnLoc();
2970 break;
2971
2972 case InitializedEntity::EK_Exception:
Douglas Gregor18ef5e22009-12-18 05:02:21 +00002973 Loc = Entity.getThrowLoc();
2974 break;
2975
2976 case InitializedEntity::EK_Variable:
Douglas Gregord6542d82009-12-22 15:35:07 +00002977 if (Entity.getType()->isReferenceType() ||
Douglas Gregor7abfbdb2009-12-19 03:01:41 +00002978 Kind.getKind() != InitializationKind::IK_Copy)
2979 return move(CurInit);
2980 Loc = Entity.getDecl()->getLocation();
2981 break;
2982
Douglas Gregor18ef5e22009-12-18 05:02:21 +00002983 case InitializedEntity::EK_Parameter:
Douglas Gregor7abfbdb2009-12-19 03:01:41 +00002984 // FIXME: Do we need this initialization for a parameter?
2985 return move(CurInit);
2986
Douglas Gregor18ef5e22009-12-18 05:02:21 +00002987 case InitializedEntity::EK_New:
2988 case InitializedEntity::EK_Temporary:
2989 case InitializedEntity::EK_Base:
2990 case InitializedEntity::EK_Member:
Anders Carlssond3d824d2010-01-23 04:34:47 +00002991 case InitializedEntity::EK_ArrayElement:
2992 case InitializedEntity::EK_VectorElement:
Douglas Gregor18ef5e22009-12-18 05:02:21 +00002993 // We don't need to copy for any of these initialized entities.
2994 return move(CurInit);
2995 }
2996
2997 Expr *CurInitExpr = (Expr *)CurInit.get();
2998 CXXRecordDecl *Class = 0;
2999 if (const RecordType *Record = CurInitExpr->getType()->getAs<RecordType>())
3000 Class = cast<CXXRecordDecl>(Record->getDecl());
3001 if (!Class)
3002 return move(CurInit);
3003
3004 // Perform overload resolution using the class's copy constructors.
3005 DeclarationName ConstructorName
3006 = S.Context.DeclarationNames.getCXXConstructorName(
3007 S.Context.getCanonicalType(S.Context.getTypeDeclType(Class)));
3008 DeclContext::lookup_iterator Con, ConEnd;
3009 OverloadCandidateSet CandidateSet;
3010 for (llvm::tie(Con, ConEnd) = Class->lookup(ConstructorName);
3011 Con != ConEnd; ++Con) {
3012 // Find the constructor (which may be a template).
3013 CXXConstructorDecl *Constructor = dyn_cast<CXXConstructorDecl>(*Con);
3014 if (!Constructor || Constructor->isInvalidDecl() ||
Douglas Gregor9e9199d2009-12-22 00:34:07 +00003015 !Constructor->isCopyConstructor())
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003016 continue;
3017
3018 S.AddOverloadCandidate(Constructor, &CurInitExpr, 1, CandidateSet);
3019 }
3020
3021 OverloadCandidateSet::iterator Best;
3022 switch (S.BestViableFunction(CandidateSet, Loc, Best)) {
3023 case OR_Success:
3024 break;
3025
3026 case OR_No_Viable_Function:
3027 S.Diag(Loc, diag::err_temp_copy_no_viable)
Douglas Gregor7abfbdb2009-12-19 03:01:41 +00003028 << (int)Entity.getKind() << CurInitExpr->getType()
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003029 << CurInitExpr->getSourceRange();
John McCallcbce6062010-01-12 07:18:19 +00003030 S.PrintOverloadCandidates(CandidateSet, Sema::OCD_AllCandidates,
3031 &CurInitExpr, 1);
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003032 return S.ExprError();
3033
3034 case OR_Ambiguous:
3035 S.Diag(Loc, diag::err_temp_copy_ambiguous)
Douglas Gregor7abfbdb2009-12-19 03:01:41 +00003036 << (int)Entity.getKind() << CurInitExpr->getType()
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003037 << CurInitExpr->getSourceRange();
John McCallcbce6062010-01-12 07:18:19 +00003038 S.PrintOverloadCandidates(CandidateSet, Sema::OCD_ViableCandidates,
3039 &CurInitExpr, 1);
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003040 return S.ExprError();
3041
3042 case OR_Deleted:
3043 S.Diag(Loc, diag::err_temp_copy_deleted)
Douglas Gregor7abfbdb2009-12-19 03:01:41 +00003044 << (int)Entity.getKind() << CurInitExpr->getType()
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003045 << CurInitExpr->getSourceRange();
3046 S.Diag(Best->Function->getLocation(), diag::note_unavailable_here)
3047 << Best->Function->isDeleted();
3048 return S.ExprError();
3049 }
3050
3051 CurInit.release();
3052 return S.BuildCXXConstructExpr(Loc, CurInitExpr->getType(),
3053 cast<CXXConstructorDecl>(Best->Function),
3054 /*Elidable=*/true,
3055 Sema::MultiExprArg(S,
3056 (void**)&CurInitExpr, 1));
3057}
Douglas Gregor20093b42009-12-09 23:02:17 +00003058
3059Action::OwningExprResult
3060InitializationSequence::Perform(Sema &S,
3061 const InitializedEntity &Entity,
3062 const InitializationKind &Kind,
Douglas Gregord87b61f2009-12-10 17:56:55 +00003063 Action::MultiExprArg Args,
3064 QualType *ResultType) {
Douglas Gregor20093b42009-12-09 23:02:17 +00003065 if (SequenceKind == FailedSequence) {
3066 unsigned NumArgs = Args.size();
3067 Diagnose(S, Entity, Kind, (Expr **)Args.release(), NumArgs);
3068 return S.ExprError();
3069 }
3070
3071 if (SequenceKind == DependentSequence) {
Douglas Gregord87b61f2009-12-10 17:56:55 +00003072 // If the declaration is a non-dependent, incomplete array type
3073 // that has an initializer, then its type will be completed once
3074 // the initializer is instantiated.
Douglas Gregord6542d82009-12-22 15:35:07 +00003075 if (ResultType && !Entity.getType()->isDependentType() &&
Douglas Gregord87b61f2009-12-10 17:56:55 +00003076 Args.size() == 1) {
Douglas Gregord6542d82009-12-22 15:35:07 +00003077 QualType DeclType = Entity.getType();
Douglas Gregord87b61f2009-12-10 17:56:55 +00003078 if (const IncompleteArrayType *ArrayT
3079 = S.Context.getAsIncompleteArrayType(DeclType)) {
3080 // FIXME: We don't currently have the ability to accurately
3081 // compute the length of an initializer list without
3082 // performing full type-checking of the initializer list
3083 // (since we have to determine where braces are implicitly
3084 // introduced and such). So, we fall back to making the array
3085 // type a dependently-sized array type with no specified
3086 // bound.
3087 if (isa<InitListExpr>((Expr *)Args.get()[0])) {
3088 SourceRange Brackets;
Douglas Gregord6542d82009-12-22 15:35:07 +00003089
Douglas Gregord87b61f2009-12-10 17:56:55 +00003090 // Scavange the location of the brackets from the entity, if we can.
Douglas Gregord6542d82009-12-22 15:35:07 +00003091 if (DeclaratorDecl *DD = Entity.getDecl()) {
3092 if (TypeSourceInfo *TInfo = DD->getTypeSourceInfo()) {
3093 TypeLoc TL = TInfo->getTypeLoc();
3094 if (IncompleteArrayTypeLoc *ArrayLoc
3095 = dyn_cast<IncompleteArrayTypeLoc>(&TL))
3096 Brackets = ArrayLoc->getBracketsRange();
3097 }
Douglas Gregord87b61f2009-12-10 17:56:55 +00003098 }
3099
3100 *ResultType
3101 = S.Context.getDependentSizedArrayType(ArrayT->getElementType(),
3102 /*NumElts=*/0,
3103 ArrayT->getSizeModifier(),
3104 ArrayT->getIndexTypeCVRQualifiers(),
3105 Brackets);
3106 }
3107
3108 }
3109 }
3110
Eli Friedman08544622009-12-22 02:35:53 +00003111 if (Kind.getKind() == InitializationKind::IK_Copy || Kind.isExplicitCast())
Douglas Gregor20093b42009-12-09 23:02:17 +00003112 return Sema::OwningExprResult(S, Args.release()[0]);
3113
3114 unsigned NumArgs = Args.size();
3115 return S.Owned(new (S.Context) ParenListExpr(S.Context,
3116 SourceLocation(),
3117 (Expr **)Args.release(),
3118 NumArgs,
3119 SourceLocation()));
3120 }
3121
Douglas Gregor99a2e602009-12-16 01:38:02 +00003122 if (SequenceKind == NoInitialization)
3123 return S.Owned((Expr *)0);
3124
Douglas Gregord6542d82009-12-22 15:35:07 +00003125 QualType DestType = Entity.getType().getNonReferenceType();
3126 // FIXME: Ugly hack around the fact that Entity.getType() is not
Eli Friedmana91eb542009-12-22 02:10:53 +00003127 // the same as Entity.getDecl()->getType() in cases involving type merging,
3128 // and we want latter when it makes sense.
Douglas Gregord87b61f2009-12-10 17:56:55 +00003129 if (ResultType)
Eli Friedmana91eb542009-12-22 02:10:53 +00003130 *ResultType = Entity.getDecl() ? Entity.getDecl()->getType() :
Douglas Gregord6542d82009-12-22 15:35:07 +00003131 Entity.getType();
Douglas Gregor20093b42009-12-09 23:02:17 +00003132
Douglas Gregor99a2e602009-12-16 01:38:02 +00003133 Sema::OwningExprResult CurInit = S.Owned((Expr *)0);
3134
3135 assert(!Steps.empty() && "Cannot have an empty initialization sequence");
3136
3137 // For initialization steps that start with a single initializer,
3138 // grab the only argument out the Args and place it into the "current"
3139 // initializer.
3140 switch (Steps.front().Kind) {
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003141 case SK_ResolveAddressOfOverloadedFunction:
3142 case SK_CastDerivedToBaseRValue:
3143 case SK_CastDerivedToBaseLValue:
3144 case SK_BindReference:
3145 case SK_BindReferenceToTemporary:
3146 case SK_UserConversion:
3147 case SK_QualificationConversionLValue:
3148 case SK_QualificationConversionRValue:
3149 case SK_ConversionSequence:
3150 case SK_ListInitialization:
3151 case SK_CAssignment:
Eli Friedmancfdc81a2009-12-19 08:11:05 +00003152 case SK_StringInit:
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003153 assert(Args.size() == 1);
3154 CurInit = Sema::OwningExprResult(S, ((Expr **)(Args.get()))[0]->Retain());
3155 if (CurInit.isInvalid())
3156 return S.ExprError();
3157 break;
3158
3159 case SK_ConstructorInitialization:
3160 case SK_ZeroInitialization:
3161 break;
Douglas Gregor20093b42009-12-09 23:02:17 +00003162 }
3163
3164 // Walk through the computed steps for the initialization sequence,
3165 // performing the specified conversions along the way.
Douglas Gregor16006c92009-12-16 18:50:27 +00003166 bool ConstructorInitRequiresZeroInit = false;
Douglas Gregor20093b42009-12-09 23:02:17 +00003167 for (step_iterator Step = step_begin(), StepEnd = step_end();
3168 Step != StepEnd; ++Step) {
3169 if (CurInit.isInvalid())
3170 return S.ExprError();
3171
3172 Expr *CurInitExpr = (Expr *)CurInit.get();
Douglas Gregor99a2e602009-12-16 01:38:02 +00003173 QualType SourceType = CurInitExpr? CurInitExpr->getType() : QualType();
Douglas Gregor20093b42009-12-09 23:02:17 +00003174
3175 switch (Step->Kind) {
3176 case SK_ResolveAddressOfOverloadedFunction:
3177 // Overload resolution determined which function invoke; update the
3178 // initializer to reflect that choice.
3179 CurInit = S.FixOverloadedFunctionReference(move(CurInit), Step->Function);
3180 break;
3181
3182 case SK_CastDerivedToBaseRValue:
3183 case SK_CastDerivedToBaseLValue: {
3184 // We have a derived-to-base cast that produces either an rvalue or an
3185 // lvalue. Perform that cast.
3186
3187 // Casts to inaccessible base classes are allowed with C-style casts.
3188 bool IgnoreBaseAccess = Kind.isCStyleOrFunctionalCast();
3189 if (S.CheckDerivedToBaseConversion(SourceType, Step->Type,
3190 CurInitExpr->getLocStart(),
3191 CurInitExpr->getSourceRange(),
3192 IgnoreBaseAccess))
3193 return S.ExprError();
3194
3195 CurInit = S.Owned(new (S.Context) ImplicitCastExpr(Step->Type,
3196 CastExpr::CK_DerivedToBase,
3197 (Expr*)CurInit.release(),
3198 Step->Kind == SK_CastDerivedToBaseLValue));
3199 break;
3200 }
3201
3202 case SK_BindReference:
3203 if (FieldDecl *BitField = CurInitExpr->getBitField()) {
3204 // References cannot bind to bit fields (C++ [dcl.init.ref]p5).
3205 S.Diag(Kind.getLocation(), diag::err_reference_bind_to_bitfield)
Douglas Gregord6542d82009-12-22 15:35:07 +00003206 << Entity.getType().isVolatileQualified()
Douglas Gregor20093b42009-12-09 23:02:17 +00003207 << BitField->getDeclName()
3208 << CurInitExpr->getSourceRange();
3209 S.Diag(BitField->getLocation(), diag::note_bitfield_decl);
3210 return S.ExprError();
3211 }
3212
3213 // Reference binding does not have any corresponding ASTs.
3214
3215 // Check exception specifications
3216 if (S.CheckExceptionSpecCompatibility(CurInitExpr, DestType))
3217 return S.ExprError();
3218 break;
3219
3220 case SK_BindReferenceToTemporary:
3221 // Check exception specifications
3222 if (S.CheckExceptionSpecCompatibility(CurInitExpr, DestType))
3223 return S.ExprError();
3224
3225 // FIXME: At present, we have no AST to describe when we need to make a
3226 // temporary to bind a reference to. We should.
3227 break;
3228
3229 case SK_UserConversion: {
3230 // We have a user-defined conversion that invokes either a constructor
3231 // or a conversion function.
3232 CastExpr::CastKind CastKind = CastExpr::CK_Unknown;
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003233 bool IsCopy = false;
Douglas Gregor20093b42009-12-09 23:02:17 +00003234 if (CXXConstructorDecl *Constructor
3235 = dyn_cast<CXXConstructorDecl>(Step->Function)) {
3236 // Build a call to the selected constructor.
3237 ASTOwningVector<&ActionBase::DeleteExpr> ConstructorArgs(S);
3238 SourceLocation Loc = CurInitExpr->getLocStart();
3239 CurInit.release(); // Ownership transferred into MultiExprArg, below.
3240
3241 // Determine the arguments required to actually perform the constructor
3242 // call.
3243 if (S.CompleteConstructorCall(Constructor,
3244 Sema::MultiExprArg(S,
3245 (void **)&CurInitExpr,
3246 1),
3247 Loc, ConstructorArgs))
3248 return S.ExprError();
3249
3250 // Build the an expression that constructs a temporary.
3251 CurInit = S.BuildCXXConstructExpr(Loc, Step->Type, Constructor,
3252 move_arg(ConstructorArgs));
3253 if (CurInit.isInvalid())
3254 return S.ExprError();
3255
3256 CastKind = CastExpr::CK_ConstructorConversion;
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003257 QualType Class = S.Context.getTypeDeclType(Constructor->getParent());
3258 if (S.Context.hasSameUnqualifiedType(SourceType, Class) ||
3259 S.IsDerivedFrom(SourceType, Class))
3260 IsCopy = true;
Douglas Gregor20093b42009-12-09 23:02:17 +00003261 } else {
3262 // Build a call to the conversion function.
3263 CXXConversionDecl *Conversion = cast<CXXConversionDecl>(Step->Function);
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003264
Douglas Gregor20093b42009-12-09 23:02:17 +00003265 // FIXME: Should we move this initialization into a separate
3266 // derived-to-base conversion? I believe the answer is "no", because
3267 // we don't want to turn off access control here for c-style casts.
3268 if (S.PerformObjectArgumentInitialization(CurInitExpr, Conversion))
3269 return S.ExprError();
3270
3271 // Do a little dance to make sure that CurInit has the proper
3272 // pointer.
3273 CurInit.release();
3274
3275 // Build the actual call to the conversion function.
3276 CurInit = S.Owned(S.BuildCXXMemberCallExpr(CurInitExpr, Conversion));
3277 if (CurInit.isInvalid() || !CurInit.get())
3278 return S.ExprError();
3279
3280 CastKind = CastExpr::CK_UserDefinedConversion;
3281 }
3282
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003283 if (shouldBindAsTemporary(Entity, IsCopy))
3284 CurInit = S.MaybeBindToTemporary(CurInit.takeAs<Expr>());
3285
Douglas Gregor20093b42009-12-09 23:02:17 +00003286 CurInitExpr = CurInit.takeAs<Expr>();
3287 CurInit = S.Owned(new (S.Context) ImplicitCastExpr(CurInitExpr->getType(),
3288 CastKind,
3289 CurInitExpr,
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003290 false));
3291
3292 if (!IsCopy)
Douglas Gregor7abfbdb2009-12-19 03:01:41 +00003293 CurInit = CopyIfRequiredForEntity(S, Entity, Kind, move(CurInit));
Douglas Gregor20093b42009-12-09 23:02:17 +00003294 break;
3295 }
3296
3297 case SK_QualificationConversionLValue:
3298 case SK_QualificationConversionRValue:
3299 // Perform a qualification conversion; these can never go wrong.
3300 S.ImpCastExprToType(CurInitExpr, Step->Type,
3301 CastExpr::CK_NoOp,
3302 Step->Kind == SK_QualificationConversionLValue);
3303 CurInit.release();
3304 CurInit = S.Owned(CurInitExpr);
3305 break;
3306
3307 case SK_ConversionSequence:
Douglas Gregor68647482009-12-16 03:45:30 +00003308 if (S.PerformImplicitConversion(CurInitExpr, Step->Type, Sema::AA_Converting,
Douglas Gregor20093b42009-12-09 23:02:17 +00003309 false, false, *Step->ICS))
3310 return S.ExprError();
3311
3312 CurInit.release();
3313 CurInit = S.Owned(CurInitExpr);
3314 break;
Douglas Gregord87b61f2009-12-10 17:56:55 +00003315
3316 case SK_ListInitialization: {
3317 InitListExpr *InitList = cast<InitListExpr>(CurInitExpr);
3318 QualType Ty = Step->Type;
Douglas Gregorcb57fb92009-12-16 06:35:08 +00003319 if (S.CheckInitList(Entity, InitList, ResultType? *ResultType : Ty))
Douglas Gregord87b61f2009-12-10 17:56:55 +00003320 return S.ExprError();
3321
3322 CurInit.release();
3323 CurInit = S.Owned(InitList);
3324 break;
3325 }
Douglas Gregor51c56d62009-12-14 20:49:26 +00003326
3327 case SK_ConstructorInitialization: {
3328 CXXConstructorDecl *Constructor
3329 = cast<CXXConstructorDecl>(Step->Function);
3330
3331 // Build a call to the selected constructor.
3332 ASTOwningVector<&ActionBase::DeleteExpr> ConstructorArgs(S);
3333 SourceLocation Loc = Kind.getLocation();
3334
3335 // Determine the arguments required to actually perform the constructor
3336 // call.
3337 if (S.CompleteConstructorCall(Constructor, move(Args),
3338 Loc, ConstructorArgs))
3339 return S.ExprError();
3340
3341 // Build the an expression that constructs a temporary.
Douglas Gregord6542d82009-12-22 15:35:07 +00003342 CurInit = S.BuildCXXConstructExpr(Loc, Entity.getType(),
Douglas Gregor745880f2009-12-20 22:01:25 +00003343 Constructor,
Douglas Gregor16006c92009-12-16 18:50:27 +00003344 move_arg(ConstructorArgs),
3345 ConstructorInitRequiresZeroInit);
Douglas Gregor51c56d62009-12-14 20:49:26 +00003346 if (CurInit.isInvalid())
3347 return S.ExprError();
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003348
3349 bool Elidable
3350 = cast<CXXConstructExpr>((Expr *)CurInit.get())->isElidable();
3351 if (shouldBindAsTemporary(Entity, Elidable))
3352 CurInit = S.MaybeBindToTemporary(CurInit.takeAs<Expr>());
3353
3354 if (!Elidable)
Douglas Gregor7abfbdb2009-12-19 03:01:41 +00003355 CurInit = CopyIfRequiredForEntity(S, Entity, Kind, move(CurInit));
Douglas Gregor51c56d62009-12-14 20:49:26 +00003356 break;
3357 }
Douglas Gregor71d17402009-12-15 00:01:57 +00003358
3359 case SK_ZeroInitialization: {
Douglas Gregor16006c92009-12-16 18:50:27 +00003360 step_iterator NextStep = Step;
3361 ++NextStep;
3362 if (NextStep != StepEnd &&
3363 NextStep->Kind == SK_ConstructorInitialization) {
3364 // The need for zero-initialization is recorded directly into
3365 // the call to the object's constructor within the next step.
3366 ConstructorInitRequiresZeroInit = true;
3367 } else if (Kind.getKind() == InitializationKind::IK_Value &&
3368 S.getLangOptions().CPlusPlus &&
3369 !Kind.isImplicitValueInit()) {
Douglas Gregor71d17402009-12-15 00:01:57 +00003370 CurInit = S.Owned(new (S.Context) CXXZeroInitValueExpr(Step->Type,
3371 Kind.getRange().getBegin(),
3372 Kind.getRange().getEnd()));
Douglas Gregor16006c92009-12-16 18:50:27 +00003373 } else {
Douglas Gregor71d17402009-12-15 00:01:57 +00003374 CurInit = S.Owned(new (S.Context) ImplicitValueInitExpr(Step->Type));
Douglas Gregor16006c92009-12-16 18:50:27 +00003375 }
Douglas Gregor71d17402009-12-15 00:01:57 +00003376 break;
3377 }
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003378
3379 case SK_CAssignment: {
3380 QualType SourceType = CurInitExpr->getType();
3381 Sema::AssignConvertType ConvTy =
3382 S.CheckSingleAssignmentConstraints(Step->Type, CurInitExpr);
Douglas Gregoraa037312009-12-22 07:24:36 +00003383
3384 // If this is a call, allow conversion to a transparent union.
3385 if (ConvTy != Sema::Compatible &&
3386 Entity.getKind() == InitializedEntity::EK_Parameter &&
3387 S.CheckTransparentUnionArgumentConstraints(Step->Type, CurInitExpr)
3388 == Sema::Compatible)
3389 ConvTy = Sema::Compatible;
3390
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003391 if (S.DiagnoseAssignmentResult(ConvTy, Kind.getLocation(),
3392 Step->Type, SourceType,
3393 CurInitExpr, getAssignmentAction(Entity)))
3394 return S.ExprError();
3395
3396 CurInit.release();
3397 CurInit = S.Owned(CurInitExpr);
3398 break;
3399 }
Eli Friedmancfdc81a2009-12-19 08:11:05 +00003400
3401 case SK_StringInit: {
3402 QualType Ty = Step->Type;
3403 CheckStringInit(CurInitExpr, ResultType ? *ResultType : Ty, S);
3404 break;
3405 }
Douglas Gregor20093b42009-12-09 23:02:17 +00003406 }
3407 }
3408
3409 return move(CurInit);
3410}
3411
3412//===----------------------------------------------------------------------===//
3413// Diagnose initialization failures
3414//===----------------------------------------------------------------------===//
3415bool InitializationSequence::Diagnose(Sema &S,
3416 const InitializedEntity &Entity,
3417 const InitializationKind &Kind,
3418 Expr **Args, unsigned NumArgs) {
3419 if (SequenceKind != FailedSequence)
3420 return false;
3421
Douglas Gregord6542d82009-12-22 15:35:07 +00003422 QualType DestType = Entity.getType();
Douglas Gregor20093b42009-12-09 23:02:17 +00003423 switch (Failure) {
3424 case FK_TooManyInitsForReference:
3425 S.Diag(Kind.getLocation(), diag::err_reference_has_multiple_inits)
3426 << SourceRange(Args[0]->getLocStart(), Args[NumArgs - 1]->getLocEnd());
3427 break;
3428
3429 case FK_ArrayNeedsInitList:
3430 case FK_ArrayNeedsInitListOrStringLiteral:
3431 S.Diag(Kind.getLocation(), diag::err_array_init_not_init_list)
3432 << (Failure == FK_ArrayNeedsInitListOrStringLiteral);
3433 break;
3434
3435 case FK_AddressOfOverloadFailed:
3436 S.ResolveAddressOfOverloadedFunction(Args[0],
3437 DestType.getNonReferenceType(),
3438 true);
3439 break;
3440
3441 case FK_ReferenceInitOverloadFailed:
Douglas Gregor4a520a22009-12-14 17:27:33 +00003442 case FK_UserConversionOverloadFailed:
Douglas Gregor20093b42009-12-09 23:02:17 +00003443 switch (FailedOverloadResult) {
3444 case OR_Ambiguous:
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003445 if (Failure == FK_UserConversionOverloadFailed)
3446 S.Diag(Kind.getLocation(), diag::err_typecheck_ambiguous_condition)
3447 << Args[0]->getType() << DestType
3448 << Args[0]->getSourceRange();
3449 else
3450 S.Diag(Kind.getLocation(), diag::err_ref_init_ambiguous)
3451 << DestType << Args[0]->getType()
3452 << Args[0]->getSourceRange();
3453
John McCallcbce6062010-01-12 07:18:19 +00003454 S.PrintOverloadCandidates(FailedCandidateSet, Sema::OCD_ViableCandidates,
3455 Args, NumArgs);
Douglas Gregor20093b42009-12-09 23:02:17 +00003456 break;
3457
3458 case OR_No_Viable_Function:
3459 S.Diag(Kind.getLocation(), diag::err_typecheck_nonviable_condition)
3460 << Args[0]->getType() << DestType.getNonReferenceType()
3461 << Args[0]->getSourceRange();
John McCallcbce6062010-01-12 07:18:19 +00003462 S.PrintOverloadCandidates(FailedCandidateSet, Sema::OCD_AllCandidates,
3463 Args, NumArgs);
Douglas Gregor20093b42009-12-09 23:02:17 +00003464 break;
3465
3466 case OR_Deleted: {
3467 S.Diag(Kind.getLocation(), diag::err_typecheck_deleted_function)
3468 << Args[0]->getType() << DestType.getNonReferenceType()
3469 << Args[0]->getSourceRange();
3470 OverloadCandidateSet::iterator Best;
3471 OverloadingResult Ovl = S.BestViableFunction(FailedCandidateSet,
3472 Kind.getLocation(),
3473 Best);
3474 if (Ovl == OR_Deleted) {
3475 S.Diag(Best->Function->getLocation(), diag::note_unavailable_here)
3476 << Best->Function->isDeleted();
3477 } else {
Jeffrey Yasskin9f61aa92009-12-12 05:05:38 +00003478 llvm_unreachable("Inconsistent overload resolution?");
Douglas Gregor20093b42009-12-09 23:02:17 +00003479 }
3480 break;
3481 }
3482
3483 case OR_Success:
Jeffrey Yasskin9f61aa92009-12-12 05:05:38 +00003484 llvm_unreachable("Conversion did not fail!");
Douglas Gregor20093b42009-12-09 23:02:17 +00003485 break;
3486 }
3487 break;
3488
3489 case FK_NonConstLValueReferenceBindingToTemporary:
3490 case FK_NonConstLValueReferenceBindingToUnrelated:
3491 S.Diag(Kind.getLocation(),
3492 Failure == FK_NonConstLValueReferenceBindingToTemporary
3493 ? diag::err_lvalue_reference_bind_to_temporary
3494 : diag::err_lvalue_reference_bind_to_unrelated)
3495 << DestType.getNonReferenceType()
3496 << Args[0]->getType()
3497 << Args[0]->getSourceRange();
3498 break;
3499
3500 case FK_RValueReferenceBindingToLValue:
3501 S.Diag(Kind.getLocation(), diag::err_lvalue_to_rvalue_ref)
3502 << Args[0]->getSourceRange();
3503 break;
3504
3505 case FK_ReferenceInitDropsQualifiers:
3506 S.Diag(Kind.getLocation(), diag::err_reference_bind_drops_quals)
3507 << DestType.getNonReferenceType()
3508 << Args[0]->getType()
3509 << Args[0]->getSourceRange();
3510 break;
3511
3512 case FK_ReferenceInitFailed:
3513 S.Diag(Kind.getLocation(), diag::err_reference_bind_failed)
3514 << DestType.getNonReferenceType()
3515 << (Args[0]->isLvalue(S.Context) == Expr::LV_Valid)
3516 << Args[0]->getType()
3517 << Args[0]->getSourceRange();
3518 break;
3519
3520 case FK_ConversionFailed:
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003521 S.Diag(Kind.getLocation(), diag::err_init_conversion_failed)
3522 << (int)Entity.getKind()
Douglas Gregor20093b42009-12-09 23:02:17 +00003523 << DestType
3524 << (Args[0]->isLvalue(S.Context) == Expr::LV_Valid)
3525 << Args[0]->getType()
3526 << Args[0]->getSourceRange();
Douglas Gregord87b61f2009-12-10 17:56:55 +00003527 break;
3528
3529 case FK_TooManyInitsForScalar: {
Douglas Gregor99a2e602009-12-16 01:38:02 +00003530 SourceRange R;
3531
3532 if (InitListExpr *InitList = dyn_cast<InitListExpr>(Args[0]))
3533 R = SourceRange(InitList->getInit(1)->getLocStart(),
3534 InitList->getLocEnd());
3535 else
3536 R = SourceRange(Args[0]->getLocStart(), Args[NumArgs - 1]->getLocEnd());
Douglas Gregord87b61f2009-12-10 17:56:55 +00003537
3538 S.Diag(Kind.getLocation(), diag::err_excess_initializers)
Douglas Gregor99a2e602009-12-16 01:38:02 +00003539 << /*scalar=*/2 << R;
Douglas Gregord87b61f2009-12-10 17:56:55 +00003540 break;
3541 }
3542
3543 case FK_ReferenceBindingToInitList:
3544 S.Diag(Kind.getLocation(), diag::err_reference_bind_init_list)
3545 << DestType.getNonReferenceType() << Args[0]->getSourceRange();
3546 break;
3547
3548 case FK_InitListBadDestinationType:
3549 S.Diag(Kind.getLocation(), diag::err_init_list_bad_dest_type)
3550 << (DestType->isRecordType()) << DestType << Args[0]->getSourceRange();
3551 break;
Douglas Gregor51c56d62009-12-14 20:49:26 +00003552
3553 case FK_ConstructorOverloadFailed: {
3554 SourceRange ArgsRange;
3555 if (NumArgs)
3556 ArgsRange = SourceRange(Args[0]->getLocStart(),
3557 Args[NumArgs - 1]->getLocEnd());
3558
3559 // FIXME: Using "DestType" for the entity we're printing is probably
3560 // bad.
3561 switch (FailedOverloadResult) {
3562 case OR_Ambiguous:
3563 S.Diag(Kind.getLocation(), diag::err_ovl_ambiguous_init)
3564 << DestType << ArgsRange;
John McCall81201622010-01-08 04:41:39 +00003565 S.PrintOverloadCandidates(FailedCandidateSet,
John McCallcbce6062010-01-12 07:18:19 +00003566 Sema::OCD_ViableCandidates, Args, NumArgs);
Douglas Gregor51c56d62009-12-14 20:49:26 +00003567 break;
3568
3569 case OR_No_Viable_Function:
3570 S.Diag(Kind.getLocation(), diag::err_ovl_no_viable_function_in_init)
3571 << DestType << ArgsRange;
John McCallcbce6062010-01-12 07:18:19 +00003572 S.PrintOverloadCandidates(FailedCandidateSet, Sema::OCD_AllCandidates,
3573 Args, NumArgs);
Douglas Gregor51c56d62009-12-14 20:49:26 +00003574 break;
3575
3576 case OR_Deleted: {
3577 S.Diag(Kind.getLocation(), diag::err_ovl_deleted_init)
3578 << true << DestType << ArgsRange;
3579 OverloadCandidateSet::iterator Best;
3580 OverloadingResult Ovl = S.BestViableFunction(FailedCandidateSet,
3581 Kind.getLocation(),
3582 Best);
3583 if (Ovl == OR_Deleted) {
3584 S.Diag(Best->Function->getLocation(), diag::note_unavailable_here)
3585 << Best->Function->isDeleted();
3586 } else {
3587 llvm_unreachable("Inconsistent overload resolution?");
3588 }
3589 break;
3590 }
3591
3592 case OR_Success:
3593 llvm_unreachable("Conversion did not fail!");
3594 break;
3595 }
3596 break;
3597 }
Douglas Gregor99a2e602009-12-16 01:38:02 +00003598
3599 case FK_DefaultInitOfConst:
3600 S.Diag(Kind.getLocation(), diag::err_default_init_const)
3601 << DestType;
3602 break;
Douglas Gregor20093b42009-12-09 23:02:17 +00003603 }
3604
3605 return true;
3606}
Douglas Gregor18ef5e22009-12-18 05:02:21 +00003607
3608//===----------------------------------------------------------------------===//
3609// Initialization helper functions
3610//===----------------------------------------------------------------------===//
3611Sema::OwningExprResult
3612Sema::PerformCopyInitialization(const InitializedEntity &Entity,
3613 SourceLocation EqualLoc,
3614 OwningExprResult Init) {
3615 if (Init.isInvalid())
3616 return ExprError();
3617
3618 Expr *InitE = (Expr *)Init.get();
3619 assert(InitE && "No initialization expression?");
3620
3621 if (EqualLoc.isInvalid())
3622 EqualLoc = InitE->getLocStart();
3623
3624 InitializationKind Kind = InitializationKind::CreateCopy(InitE->getLocStart(),
3625 EqualLoc);
3626 InitializationSequence Seq(*this, Entity, Kind, &InitE, 1);
3627 Init.release();
3628 return Seq.Perform(*this, Entity, Kind,
3629 MultiExprArg(*this, (void**)&InitE, 1));
3630}