]> CyberLeo.Net >> Repos - FreeBSD/FreeBSD.git/blob - contrib/llvm/tools/clang/lib/Sema/SemaExpr.cpp
Update LLDB snapshot to upstream r241361
[FreeBSD/FreeBSD.git] / contrib / llvm / tools / clang / lib / Sema / SemaExpr.cpp
1 //===--- SemaExpr.cpp - Semantic Analysis for Expressions -----------------===//
2 //
3 //                     The LLVM Compiler Infrastructure
4 //
5 // This file is distributed under the University of Illinois Open Source
6 // License. See LICENSE.TXT for details.
7 //
8 //===----------------------------------------------------------------------===//
9 //
10 //  This file implements semantic analysis for expressions.
11 //
12 //===----------------------------------------------------------------------===//
13
14 #include "clang/Sema/SemaInternal.h"
15 #include "TreeTransform.h"
16 #include "clang/AST/ASTConsumer.h"
17 #include "clang/AST/ASTContext.h"
18 #include "clang/AST/ASTLambda.h"
19 #include "clang/AST/ASTMutationListener.h"
20 #include "clang/AST/CXXInheritance.h"
21 #include "clang/AST/DeclObjC.h"
22 #include "clang/AST/DeclTemplate.h"
23 #include "clang/AST/EvaluatedExprVisitor.h"
24 #include "clang/AST/Expr.h"
25 #include "clang/AST/ExprCXX.h"
26 #include "clang/AST/ExprObjC.h"
27 #include "clang/AST/RecursiveASTVisitor.h"
28 #include "clang/AST/TypeLoc.h"
29 #include "clang/Basic/PartialDiagnostic.h"
30 #include "clang/Basic/SourceManager.h"
31 #include "clang/Basic/TargetInfo.h"
32 #include "clang/Lex/LiteralSupport.h"
33 #include "clang/Lex/Preprocessor.h"
34 #include "clang/Sema/AnalysisBasedWarnings.h"
35 #include "clang/Sema/DeclSpec.h"
36 #include "clang/Sema/DelayedDiagnostic.h"
37 #include "clang/Sema/Designator.h"
38 #include "clang/Sema/Initialization.h"
39 #include "clang/Sema/Lookup.h"
40 #include "clang/Sema/ParsedTemplate.h"
41 #include "clang/Sema/Scope.h"
42 #include "clang/Sema/ScopeInfo.h"
43 #include "clang/Sema/SemaFixItUtils.h"
44 #include "clang/Sema/Template.h"
45 #include "llvm/Support/ConvertUTF.h"
46 using namespace clang;
47 using namespace sema;
48
49 /// \brief Determine whether the use of this declaration is valid, without
50 /// emitting diagnostics.
51 bool Sema::CanUseDecl(NamedDecl *D) {
52   // See if this is an auto-typed variable whose initializer we are parsing.
53   if (ParsingInitForAutoVars.count(D))
54     return false;
55
56   // See if this is a deleted function.
57   if (FunctionDecl *FD = dyn_cast<FunctionDecl>(D)) {
58     if (FD->isDeleted())
59       return false;
60
61     // If the function has a deduced return type, and we can't deduce it,
62     // then we can't use it either.
63     if (getLangOpts().CPlusPlus14 && FD->getReturnType()->isUndeducedType() &&
64         DeduceReturnType(FD, SourceLocation(), /*Diagnose*/ false))
65       return false;
66   }
67
68   // See if this function is unavailable.
69   if (D->getAvailability() == AR_Unavailable &&
70       cast<Decl>(CurContext)->getAvailability() != AR_Unavailable)
71     return false;
72
73   return true;
74 }
75
76 static void DiagnoseUnusedOfDecl(Sema &S, NamedDecl *D, SourceLocation Loc) {
77   // Warn if this is used but marked unused.
78   if (D->hasAttr<UnusedAttr>()) {
79     const Decl *DC = cast_or_null<Decl>(S.getCurObjCLexicalContext());
80     if (DC && !DC->hasAttr<UnusedAttr>())
81       S.Diag(Loc, diag::warn_used_but_marked_unused) << D->getDeclName();
82   }
83 }
84
85 static bool HasRedeclarationWithoutAvailabilityInCategory(const Decl *D) {
86   const auto *OMD = dyn_cast<ObjCMethodDecl>(D);
87   if (!OMD)
88     return false;
89   const ObjCInterfaceDecl *OID = OMD->getClassInterface();
90   if (!OID)
91     return false;
92
93   for (const ObjCCategoryDecl *Cat : OID->visible_categories())
94     if (ObjCMethodDecl *CatMeth =
95             Cat->getMethod(OMD->getSelector(), OMD->isInstanceMethod()))
96       if (!CatMeth->hasAttr<AvailabilityAttr>())
97         return true;
98   return false;
99 }
100
101 static AvailabilityResult
102 DiagnoseAvailabilityOfDecl(Sema &S, NamedDecl *D, SourceLocation Loc,
103                            const ObjCInterfaceDecl *UnknownObjCClass,
104                            bool ObjCPropertyAccess) {
105   // See if this declaration is unavailable or deprecated.
106   std::string Message;
107   AvailabilityResult Result = D->getAvailability(&Message);
108
109   // For typedefs, if the typedef declaration appears available look
110   // to the underlying type to see if it is more restrictive.
111   while (const TypedefNameDecl *TD = dyn_cast<TypedefNameDecl>(D)) {
112     if (Result == AR_Available) {
113       if (const TagType *TT = TD->getUnderlyingType()->getAs<TagType>()) {
114         D = TT->getDecl();
115         Result = D->getAvailability(&Message);
116         continue;
117       }
118     }
119     break;
120   }
121     
122   // Forward class declarations get their attributes from their definition.
123   if (ObjCInterfaceDecl *IDecl = dyn_cast<ObjCInterfaceDecl>(D)) {
124     if (IDecl->getDefinition()) {
125       D = IDecl->getDefinition();
126       Result = D->getAvailability(&Message);
127     }
128   }
129
130   if (const EnumConstantDecl *ECD = dyn_cast<EnumConstantDecl>(D))
131     if (Result == AR_Available) {
132       const DeclContext *DC = ECD->getDeclContext();
133       if (const EnumDecl *TheEnumDecl = dyn_cast<EnumDecl>(DC))
134         Result = TheEnumDecl->getAvailability(&Message);
135     }
136
137   const ObjCPropertyDecl *ObjCPDecl = nullptr;
138   if (Result == AR_Deprecated || Result == AR_Unavailable ||
139       AR_NotYetIntroduced) {
140     if (const ObjCMethodDecl *MD = dyn_cast<ObjCMethodDecl>(D)) {
141       if (const ObjCPropertyDecl *PD = MD->findPropertyDecl()) {
142         AvailabilityResult PDeclResult = PD->getAvailability(nullptr);
143         if (PDeclResult == Result)
144           ObjCPDecl = PD;
145       }
146     }
147   }
148   
149   switch (Result) {
150     case AR_Available:
151       break;
152
153     case AR_Deprecated:
154       if (S.getCurContextAvailability() != AR_Deprecated)
155         S.EmitAvailabilityWarning(Sema::AD_Deprecation,
156                                   D, Message, Loc, UnknownObjCClass, ObjCPDecl,
157                                   ObjCPropertyAccess);
158       break;
159
160     case AR_NotYetIntroduced: {
161       // Don't do this for enums, they can't be redeclared.
162       if (isa<EnumConstantDecl>(D) || isa<EnumDecl>(D))
163         break;
164  
165       bool Warn = !D->getAttr<AvailabilityAttr>()->isInherited();
166       // Objective-C method declarations in categories are not modelled as
167       // redeclarations, so manually look for a redeclaration in a category
168       // if necessary.
169       if (Warn && HasRedeclarationWithoutAvailabilityInCategory(D))
170         Warn = false;
171       // In general, D will point to the most recent redeclaration. However,
172       // for `@class A;` decls, this isn't true -- manually go through the
173       // redecl chain in that case.
174       if (Warn && isa<ObjCInterfaceDecl>(D))
175         for (Decl *Redecl = D->getMostRecentDecl(); Redecl && Warn;
176              Redecl = Redecl->getPreviousDecl())
177           if (!Redecl->hasAttr<AvailabilityAttr>() ||
178               Redecl->getAttr<AvailabilityAttr>()->isInherited())
179             Warn = false;
180  
181       if (Warn)
182         S.EmitAvailabilityWarning(Sema::AD_Partial, D, Message, Loc,
183                                   UnknownObjCClass, ObjCPDecl,
184                                   ObjCPropertyAccess);
185       break;
186     }
187
188     case AR_Unavailable:
189       if (S.getCurContextAvailability() != AR_Unavailable)
190         S.EmitAvailabilityWarning(Sema::AD_Unavailable,
191                                   D, Message, Loc, UnknownObjCClass, ObjCPDecl,
192                                   ObjCPropertyAccess);
193       break;
194
195     }
196     return Result;
197 }
198
199 /// \brief Emit a note explaining that this function is deleted.
200 void Sema::NoteDeletedFunction(FunctionDecl *Decl) {
201   assert(Decl->isDeleted());
202
203   CXXMethodDecl *Method = dyn_cast<CXXMethodDecl>(Decl);
204
205   if (Method && Method->isDeleted() && Method->isDefaulted()) {
206     // If the method was explicitly defaulted, point at that declaration.
207     if (!Method->isImplicit())
208       Diag(Decl->getLocation(), diag::note_implicitly_deleted);
209
210     // Try to diagnose why this special member function was implicitly
211     // deleted. This might fail, if that reason no longer applies.
212     CXXSpecialMember CSM = getSpecialMember(Method);
213     if (CSM != CXXInvalid)
214       ShouldDeleteSpecialMember(Method, CSM, /*Diagnose=*/true);
215
216     return;
217   }
218
219   if (CXXConstructorDecl *CD = dyn_cast<CXXConstructorDecl>(Decl)) {
220     if (CXXConstructorDecl *BaseCD =
221             const_cast<CXXConstructorDecl*>(CD->getInheritedConstructor())) {
222       Diag(Decl->getLocation(), diag::note_inherited_deleted_here);
223       if (BaseCD->isDeleted()) {
224         NoteDeletedFunction(BaseCD);
225       } else {
226         // FIXME: An explanation of why exactly it can't be inherited
227         // would be nice.
228         Diag(BaseCD->getLocation(), diag::note_cannot_inherit);
229       }
230       return;
231     }
232   }
233
234   Diag(Decl->getLocation(), diag::note_availability_specified_here)
235     << Decl << true;
236 }
237
238 /// \brief Determine whether a FunctionDecl was ever declared with an
239 /// explicit storage class.
240 static bool hasAnyExplicitStorageClass(const FunctionDecl *D) {
241   for (auto I : D->redecls()) {
242     if (I->getStorageClass() != SC_None)
243       return true;
244   }
245   return false;
246 }
247
248 /// \brief Check whether we're in an extern inline function and referring to a
249 /// variable or function with internal linkage (C11 6.7.4p3).
250 ///
251 /// This is only a warning because we used to silently accept this code, but
252 /// in many cases it will not behave correctly. This is not enabled in C++ mode
253 /// because the restriction language is a bit weaker (C++11 [basic.def.odr]p6)
254 /// and so while there may still be user mistakes, most of the time we can't
255 /// prove that there are errors.
256 static void diagnoseUseOfInternalDeclInInlineFunction(Sema &S,
257                                                       const NamedDecl *D,
258                                                       SourceLocation Loc) {
259   // This is disabled under C++; there are too many ways for this to fire in
260   // contexts where the warning is a false positive, or where it is technically
261   // correct but benign.
262   if (S.getLangOpts().CPlusPlus)
263     return;
264
265   // Check if this is an inlined function or method.
266   FunctionDecl *Current = S.getCurFunctionDecl();
267   if (!Current)
268     return;
269   if (!Current->isInlined())
270     return;
271   if (!Current->isExternallyVisible())
272     return;
273
274   // Check if the decl has internal linkage.
275   if (D->getFormalLinkage() != InternalLinkage)
276     return;
277
278   // Downgrade from ExtWarn to Extension if
279   //  (1) the supposedly external inline function is in the main file,
280   //      and probably won't be included anywhere else.
281   //  (2) the thing we're referencing is a pure function.
282   //  (3) the thing we're referencing is another inline function.
283   // This last can give us false negatives, but it's better than warning on
284   // wrappers for simple C library functions.
285   const FunctionDecl *UsedFn = dyn_cast<FunctionDecl>(D);
286   bool DowngradeWarning = S.getSourceManager().isInMainFile(Loc);
287   if (!DowngradeWarning && UsedFn)
288     DowngradeWarning = UsedFn->isInlined() || UsedFn->hasAttr<ConstAttr>();
289
290   S.Diag(Loc, DowngradeWarning ? diag::ext_internal_in_extern_inline_quiet
291                                : diag::ext_internal_in_extern_inline)
292     << /*IsVar=*/!UsedFn << D;
293
294   S.MaybeSuggestAddingStaticToDecl(Current);
295
296   S.Diag(D->getCanonicalDecl()->getLocation(), diag::note_entity_declared_at)
297       << D;
298 }
299
300 void Sema::MaybeSuggestAddingStaticToDecl(const FunctionDecl *Cur) {
301   const FunctionDecl *First = Cur->getFirstDecl();
302
303   // Suggest "static" on the function, if possible.
304   if (!hasAnyExplicitStorageClass(First)) {
305     SourceLocation DeclBegin = First->getSourceRange().getBegin();
306     Diag(DeclBegin, diag::note_convert_inline_to_static)
307       << Cur << FixItHint::CreateInsertion(DeclBegin, "static ");
308   }
309 }
310
311 /// \brief Determine whether the use of this declaration is valid, and
312 /// emit any corresponding diagnostics.
313 ///
314 /// This routine diagnoses various problems with referencing
315 /// declarations that can occur when using a declaration. For example,
316 /// it might warn if a deprecated or unavailable declaration is being
317 /// used, or produce an error (and return true) if a C++0x deleted
318 /// function is being used.
319 ///
320 /// \returns true if there was an error (this declaration cannot be
321 /// referenced), false otherwise.
322 ///
323 bool Sema::DiagnoseUseOfDecl(NamedDecl *D, SourceLocation Loc,
324                              const ObjCInterfaceDecl *UnknownObjCClass,
325                              bool ObjCPropertyAccess) {
326   if (getLangOpts().CPlusPlus && isa<FunctionDecl>(D)) {
327     // If there were any diagnostics suppressed by template argument deduction,
328     // emit them now.
329     SuppressedDiagnosticsMap::iterator
330       Pos = SuppressedDiagnostics.find(D->getCanonicalDecl());
331     if (Pos != SuppressedDiagnostics.end()) {
332       SmallVectorImpl<PartialDiagnosticAt> &Suppressed = Pos->second;
333       for (unsigned I = 0, N = Suppressed.size(); I != N; ++I)
334         Diag(Suppressed[I].first, Suppressed[I].second);
335
336       // Clear out the list of suppressed diagnostics, so that we don't emit
337       // them again for this specialization. However, we don't obsolete this
338       // entry from the table, because we want to avoid ever emitting these
339       // diagnostics again.
340       Suppressed.clear();
341     }
342
343     // C++ [basic.start.main]p3:
344     //   The function 'main' shall not be used within a program.
345     if (cast<FunctionDecl>(D)->isMain())
346       Diag(Loc, diag::ext_main_used);
347   }
348
349   // See if this is an auto-typed variable whose initializer we are parsing.
350   if (ParsingInitForAutoVars.count(D)) {
351     Diag(Loc, diag::err_auto_variable_cannot_appear_in_own_initializer)
352       << D->getDeclName();
353     return true;
354   }
355
356   // See if this is a deleted function.
357   if (FunctionDecl *FD = dyn_cast<FunctionDecl>(D)) {
358     if (FD->isDeleted()) {
359       Diag(Loc, diag::err_deleted_function_use);
360       NoteDeletedFunction(FD);
361       return true;
362     }
363
364     // If the function has a deduced return type, and we can't deduce it,
365     // then we can't use it either.
366     if (getLangOpts().CPlusPlus14 && FD->getReturnType()->isUndeducedType() &&
367         DeduceReturnType(FD, Loc))
368       return true;
369   }
370   DiagnoseAvailabilityOfDecl(*this, D, Loc, UnknownObjCClass,
371                              ObjCPropertyAccess);
372
373   DiagnoseUnusedOfDecl(*this, D, Loc);
374
375   diagnoseUseOfInternalDeclInInlineFunction(*this, D, Loc);
376
377   return false;
378 }
379
380 /// \brief Retrieve the message suffix that should be added to a
381 /// diagnostic complaining about the given function being deleted or
382 /// unavailable.
383 std::string Sema::getDeletedOrUnavailableSuffix(const FunctionDecl *FD) {
384   std::string Message;
385   if (FD->getAvailability(&Message))
386     return ": " + Message;
387
388   return std::string();
389 }
390
391 /// DiagnoseSentinelCalls - This routine checks whether a call or
392 /// message-send is to a declaration with the sentinel attribute, and
393 /// if so, it checks that the requirements of the sentinel are
394 /// satisfied.
395 void Sema::DiagnoseSentinelCalls(NamedDecl *D, SourceLocation Loc,
396                                  ArrayRef<Expr *> Args) {
397   const SentinelAttr *attr = D->getAttr<SentinelAttr>();
398   if (!attr)
399     return;
400
401   // The number of formal parameters of the declaration.
402   unsigned numFormalParams;
403
404   // The kind of declaration.  This is also an index into a %select in
405   // the diagnostic.
406   enum CalleeType { CT_Function, CT_Method, CT_Block } calleeType;
407
408   if (ObjCMethodDecl *MD = dyn_cast<ObjCMethodDecl>(D)) {
409     numFormalParams = MD->param_size();
410     calleeType = CT_Method;
411   } else if (FunctionDecl *FD = dyn_cast<FunctionDecl>(D)) {
412     numFormalParams = FD->param_size();
413     calleeType = CT_Function;
414   } else if (isa<VarDecl>(D)) {
415     QualType type = cast<ValueDecl>(D)->getType();
416     const FunctionType *fn = nullptr;
417     if (const PointerType *ptr = type->getAs<PointerType>()) {
418       fn = ptr->getPointeeType()->getAs<FunctionType>();
419       if (!fn) return;
420       calleeType = CT_Function;
421     } else if (const BlockPointerType *ptr = type->getAs<BlockPointerType>()) {
422       fn = ptr->getPointeeType()->castAs<FunctionType>();
423       calleeType = CT_Block;
424     } else {
425       return;
426     }
427
428     if (const FunctionProtoType *proto = dyn_cast<FunctionProtoType>(fn)) {
429       numFormalParams = proto->getNumParams();
430     } else {
431       numFormalParams = 0;
432     }
433   } else {
434     return;
435   }
436
437   // "nullPos" is the number of formal parameters at the end which
438   // effectively count as part of the variadic arguments.  This is
439   // useful if you would prefer to not have *any* formal parameters,
440   // but the language forces you to have at least one.
441   unsigned nullPos = attr->getNullPos();
442   assert((nullPos == 0 || nullPos == 1) && "invalid null position on sentinel");
443   numFormalParams = (nullPos > numFormalParams ? 0 : numFormalParams - nullPos);
444
445   // The number of arguments which should follow the sentinel.
446   unsigned numArgsAfterSentinel = attr->getSentinel();
447
448   // If there aren't enough arguments for all the formal parameters,
449   // the sentinel, and the args after the sentinel, complain.
450   if (Args.size() < numFormalParams + numArgsAfterSentinel + 1) {
451     Diag(Loc, diag::warn_not_enough_argument) << D->getDeclName();
452     Diag(D->getLocation(), diag::note_sentinel_here) << int(calleeType);
453     return;
454   }
455
456   // Otherwise, find the sentinel expression.
457   Expr *sentinelExpr = Args[Args.size() - numArgsAfterSentinel - 1];
458   if (!sentinelExpr) return;
459   if (sentinelExpr->isValueDependent()) return;
460   if (Context.isSentinelNullExpr(sentinelExpr)) return;
461
462   // Pick a reasonable string to insert.  Optimistically use 'nil', 'nullptr',
463   // or 'NULL' if those are actually defined in the context.  Only use
464   // 'nil' for ObjC methods, where it's much more likely that the
465   // variadic arguments form a list of object pointers.
466   SourceLocation MissingNilLoc
467     = PP.getLocForEndOfToken(sentinelExpr->getLocEnd());
468   std::string NullValue;
469   if (calleeType == CT_Method && PP.isMacroDefined("nil"))
470     NullValue = "nil";
471   else if (getLangOpts().CPlusPlus11)
472     NullValue = "nullptr";
473   else if (PP.isMacroDefined("NULL"))
474     NullValue = "NULL";
475   else
476     NullValue = "(void*) 0";
477
478   if (MissingNilLoc.isInvalid())
479     Diag(Loc, diag::warn_missing_sentinel) << int(calleeType);
480   else
481     Diag(MissingNilLoc, diag::warn_missing_sentinel) 
482       << int(calleeType)
483       << FixItHint::CreateInsertion(MissingNilLoc, ", " + NullValue);
484   Diag(D->getLocation(), diag::note_sentinel_here) << int(calleeType);
485 }
486
487 SourceRange Sema::getExprRange(Expr *E) const {
488   return E ? E->getSourceRange() : SourceRange();
489 }
490
491 //===----------------------------------------------------------------------===//
492 //  Standard Promotions and Conversions
493 //===----------------------------------------------------------------------===//
494
495 /// DefaultFunctionArrayConversion (C99 6.3.2.1p3, C99 6.3.2.1p4).
496 ExprResult Sema::DefaultFunctionArrayConversion(Expr *E) {
497   // Handle any placeholder expressions which made it here.
498   if (E->getType()->isPlaceholderType()) {
499     ExprResult result = CheckPlaceholderExpr(E);
500     if (result.isInvalid()) return ExprError();
501     E = result.get();
502   }
503   
504   QualType Ty = E->getType();
505   assert(!Ty.isNull() && "DefaultFunctionArrayConversion - missing type");
506
507   if (Ty->isFunctionType()) {
508     // If we are here, we are not calling a function but taking
509     // its address (which is not allowed in OpenCL v1.0 s6.8.a.3).
510     if (getLangOpts().OpenCL) {
511       Diag(E->getExprLoc(), diag::err_opencl_taking_function_address);
512       return ExprError();
513     }
514     E = ImpCastExprToType(E, Context.getPointerType(Ty),
515                           CK_FunctionToPointerDecay).get();
516   } else if (Ty->isArrayType()) {
517     // In C90 mode, arrays only promote to pointers if the array expression is
518     // an lvalue.  The relevant legalese is C90 6.2.2.1p3: "an lvalue that has
519     // type 'array of type' is converted to an expression that has type 'pointer
520     // to type'...".  In C99 this was changed to: C99 6.3.2.1p3: "an expression
521     // that has type 'array of type' ...".  The relevant change is "an lvalue"
522     // (C90) to "an expression" (C99).
523     //
524     // C++ 4.2p1:
525     // An lvalue or rvalue of type "array of N T" or "array of unknown bound of
526     // T" can be converted to an rvalue of type "pointer to T".
527     //
528     if (getLangOpts().C99 || getLangOpts().CPlusPlus || E->isLValue())
529       E = ImpCastExprToType(E, Context.getArrayDecayedType(Ty),
530                             CK_ArrayToPointerDecay).get();
531   }
532   return E;
533 }
534
535 static void CheckForNullPointerDereference(Sema &S, Expr *E) {
536   // Check to see if we are dereferencing a null pointer.  If so,
537   // and if not volatile-qualified, this is undefined behavior that the
538   // optimizer will delete, so warn about it.  People sometimes try to use this
539   // to get a deterministic trap and are surprised by clang's behavior.  This
540   // only handles the pattern "*null", which is a very syntactic check.
541   if (UnaryOperator *UO = dyn_cast<UnaryOperator>(E->IgnoreParenCasts()))
542     if (UO->getOpcode() == UO_Deref &&
543         UO->getSubExpr()->IgnoreParenCasts()->
544           isNullPointerConstant(S.Context, Expr::NPC_ValueDependentIsNotNull) &&
545         !UO->getType().isVolatileQualified()) {
546     S.DiagRuntimeBehavior(UO->getOperatorLoc(), UO,
547                           S.PDiag(diag::warn_indirection_through_null)
548                             << UO->getSubExpr()->getSourceRange());
549     S.DiagRuntimeBehavior(UO->getOperatorLoc(), UO,
550                         S.PDiag(diag::note_indirection_through_null));
551   }
552 }
553
554 static void DiagnoseDirectIsaAccess(Sema &S, const ObjCIvarRefExpr *OIRE,
555                                     SourceLocation AssignLoc,
556                                     const Expr* RHS) {
557   const ObjCIvarDecl *IV = OIRE->getDecl();
558   if (!IV)
559     return;
560   
561   DeclarationName MemberName = IV->getDeclName();
562   IdentifierInfo *Member = MemberName.getAsIdentifierInfo();
563   if (!Member || !Member->isStr("isa"))
564     return;
565   
566   const Expr *Base = OIRE->getBase();
567   QualType BaseType = Base->getType();
568   if (OIRE->isArrow())
569     BaseType = BaseType->getPointeeType();
570   if (const ObjCObjectType *OTy = BaseType->getAs<ObjCObjectType>())
571     if (ObjCInterfaceDecl *IDecl = OTy->getInterface()) {
572       ObjCInterfaceDecl *ClassDeclared = nullptr;
573       ObjCIvarDecl *IV = IDecl->lookupInstanceVariable(Member, ClassDeclared);
574       if (!ClassDeclared->getSuperClass()
575           && (*ClassDeclared->ivar_begin()) == IV) {
576         if (RHS) {
577           NamedDecl *ObjectSetClass =
578             S.LookupSingleName(S.TUScope,
579                                &S.Context.Idents.get("object_setClass"),
580                                SourceLocation(), S.LookupOrdinaryName);
581           if (ObjectSetClass) {
582             SourceLocation RHSLocEnd = S.PP.getLocForEndOfToken(RHS->getLocEnd());
583             S.Diag(OIRE->getExprLoc(), diag::warn_objc_isa_assign) <<
584             FixItHint::CreateInsertion(OIRE->getLocStart(), "object_setClass(") <<
585             FixItHint::CreateReplacement(SourceRange(OIRE->getOpLoc(),
586                                                      AssignLoc), ",") <<
587             FixItHint::CreateInsertion(RHSLocEnd, ")");
588           }
589           else
590             S.Diag(OIRE->getLocation(), diag::warn_objc_isa_assign);
591         } else {
592           NamedDecl *ObjectGetClass =
593             S.LookupSingleName(S.TUScope,
594                                &S.Context.Idents.get("object_getClass"),
595                                SourceLocation(), S.LookupOrdinaryName);
596           if (ObjectGetClass)
597             S.Diag(OIRE->getExprLoc(), diag::warn_objc_isa_use) <<
598             FixItHint::CreateInsertion(OIRE->getLocStart(), "object_getClass(") <<
599             FixItHint::CreateReplacement(
600                                          SourceRange(OIRE->getOpLoc(),
601                                                      OIRE->getLocEnd()), ")");
602           else
603             S.Diag(OIRE->getLocation(), diag::warn_objc_isa_use);
604         }
605         S.Diag(IV->getLocation(), diag::note_ivar_decl);
606       }
607     }
608 }
609
610 ExprResult Sema::DefaultLvalueConversion(Expr *E) {
611   // Handle any placeholder expressions which made it here.
612   if (E->getType()->isPlaceholderType()) {
613     ExprResult result = CheckPlaceholderExpr(E);
614     if (result.isInvalid()) return ExprError();
615     E = result.get();
616   }
617   
618   // C++ [conv.lval]p1:
619   //   A glvalue of a non-function, non-array type T can be
620   //   converted to a prvalue.
621   if (!E->isGLValue()) return E;
622
623   QualType T = E->getType();
624   assert(!T.isNull() && "r-value conversion on typeless expression?");
625
626   // We don't want to throw lvalue-to-rvalue casts on top of
627   // expressions of certain types in C++.
628   if (getLangOpts().CPlusPlus &&
629       (E->getType() == Context.OverloadTy ||
630        T->isDependentType() ||
631        T->isRecordType()))
632     return E;
633
634   // The C standard is actually really unclear on this point, and
635   // DR106 tells us what the result should be but not why.  It's
636   // generally best to say that void types just doesn't undergo
637   // lvalue-to-rvalue at all.  Note that expressions of unqualified
638   // 'void' type are never l-values, but qualified void can be.
639   if (T->isVoidType())
640     return E;
641
642   // OpenCL usually rejects direct accesses to values of 'half' type.
643   if (getLangOpts().OpenCL && !getOpenCLOptions().cl_khr_fp16 &&
644       T->isHalfType()) {
645     Diag(E->getExprLoc(), diag::err_opencl_half_load_store)
646       << 0 << T;
647     return ExprError();
648   }
649
650   CheckForNullPointerDereference(*this, E);
651   if (const ObjCIsaExpr *OISA = dyn_cast<ObjCIsaExpr>(E->IgnoreParenCasts())) {
652     NamedDecl *ObjectGetClass = LookupSingleName(TUScope,
653                                      &Context.Idents.get("object_getClass"),
654                                      SourceLocation(), LookupOrdinaryName);
655     if (ObjectGetClass)
656       Diag(E->getExprLoc(), diag::warn_objc_isa_use) <<
657         FixItHint::CreateInsertion(OISA->getLocStart(), "object_getClass(") <<
658         FixItHint::CreateReplacement(
659                     SourceRange(OISA->getOpLoc(), OISA->getIsaMemberLoc()), ")");
660     else
661       Diag(E->getExprLoc(), diag::warn_objc_isa_use);
662   }
663   else if (const ObjCIvarRefExpr *OIRE =
664             dyn_cast<ObjCIvarRefExpr>(E->IgnoreParenCasts()))
665     DiagnoseDirectIsaAccess(*this, OIRE, SourceLocation(), /* Expr*/nullptr);
666
667   // C++ [conv.lval]p1:
668   //   [...] If T is a non-class type, the type of the prvalue is the
669   //   cv-unqualified version of T. Otherwise, the type of the
670   //   rvalue is T.
671   //
672   // C99 6.3.2.1p2:
673   //   If the lvalue has qualified type, the value has the unqualified
674   //   version of the type of the lvalue; otherwise, the value has the
675   //   type of the lvalue.
676   if (T.hasQualifiers())
677     T = T.getUnqualifiedType();
678
679   UpdateMarkingForLValueToRValue(E);
680   
681   // Loading a __weak object implicitly retains the value, so we need a cleanup to 
682   // balance that.
683   if (getLangOpts().ObjCAutoRefCount &&
684       E->getType().getObjCLifetime() == Qualifiers::OCL_Weak)
685     ExprNeedsCleanups = true;
686
687   ExprResult Res = ImplicitCastExpr::Create(Context, T, CK_LValueToRValue, E,
688                                             nullptr, VK_RValue);
689
690   // C11 6.3.2.1p2:
691   //   ... if the lvalue has atomic type, the value has the non-atomic version 
692   //   of the type of the lvalue ...
693   if (const AtomicType *Atomic = T->getAs<AtomicType>()) {
694     T = Atomic->getValueType().getUnqualifiedType();
695     Res = ImplicitCastExpr::Create(Context, T, CK_AtomicToNonAtomic, Res.get(),
696                                    nullptr, VK_RValue);
697   }
698   
699   return Res;
700 }
701
702 ExprResult Sema::DefaultFunctionArrayLvalueConversion(Expr *E) {
703   ExprResult Res = DefaultFunctionArrayConversion(E);
704   if (Res.isInvalid())
705     return ExprError();
706   Res = DefaultLvalueConversion(Res.get());
707   if (Res.isInvalid())
708     return ExprError();
709   return Res;
710 }
711
712 /// CallExprUnaryConversions - a special case of an unary conversion
713 /// performed on a function designator of a call expression.
714 ExprResult Sema::CallExprUnaryConversions(Expr *E) {
715   QualType Ty = E->getType();
716   ExprResult Res = E;
717   // Only do implicit cast for a function type, but not for a pointer
718   // to function type.
719   if (Ty->isFunctionType()) {
720     Res = ImpCastExprToType(E, Context.getPointerType(Ty),
721                             CK_FunctionToPointerDecay).get();
722     if (Res.isInvalid())
723       return ExprError();
724   }
725   Res = DefaultLvalueConversion(Res.get());
726   if (Res.isInvalid())
727     return ExprError();
728   return Res.get();
729 }
730
731 /// UsualUnaryConversions - Performs various conversions that are common to most
732 /// operators (C99 6.3). The conversions of array and function types are
733 /// sometimes suppressed. For example, the array->pointer conversion doesn't
734 /// apply if the array is an argument to the sizeof or address (&) operators.
735 /// In these instances, this routine should *not* be called.
736 ExprResult Sema::UsualUnaryConversions(Expr *E) {
737   // First, convert to an r-value.
738   ExprResult Res = DefaultFunctionArrayLvalueConversion(E);
739   if (Res.isInvalid())
740     return ExprError();
741   E = Res.get();
742
743   QualType Ty = E->getType();
744   assert(!Ty.isNull() && "UsualUnaryConversions - missing type");
745
746   // Half FP have to be promoted to float unless it is natively supported
747   if (Ty->isHalfType() && !getLangOpts().NativeHalfType)
748     return ImpCastExprToType(Res.get(), Context.FloatTy, CK_FloatingCast);
749
750   // Try to perform integral promotions if the object has a theoretically
751   // promotable type.
752   if (Ty->isIntegralOrUnscopedEnumerationType()) {
753     // C99 6.3.1.1p2:
754     //
755     //   The following may be used in an expression wherever an int or
756     //   unsigned int may be used:
757     //     - an object or expression with an integer type whose integer
758     //       conversion rank is less than or equal to the rank of int
759     //       and unsigned int.
760     //     - A bit-field of type _Bool, int, signed int, or unsigned int.
761     //
762     //   If an int can represent all values of the original type, the
763     //   value is converted to an int; otherwise, it is converted to an
764     //   unsigned int. These are called the integer promotions. All
765     //   other types are unchanged by the integer promotions.
766
767     QualType PTy = Context.isPromotableBitField(E);
768     if (!PTy.isNull()) {
769       E = ImpCastExprToType(E, PTy, CK_IntegralCast).get();
770       return E;
771     }
772     if (Ty->isPromotableIntegerType()) {
773       QualType PT = Context.getPromotedIntegerType(Ty);
774       E = ImpCastExprToType(E, PT, CK_IntegralCast).get();
775       return E;
776     }
777   }
778   return E;
779 }
780
781 /// DefaultArgumentPromotion (C99 6.5.2.2p6). Used for function calls that
782 /// do not have a prototype. Arguments that have type float or __fp16
783 /// are promoted to double. All other argument types are converted by
784 /// UsualUnaryConversions().
785 ExprResult Sema::DefaultArgumentPromotion(Expr *E) {
786   QualType Ty = E->getType();
787   assert(!Ty.isNull() && "DefaultArgumentPromotion - missing type");
788
789   ExprResult Res = UsualUnaryConversions(E);
790   if (Res.isInvalid())
791     return ExprError();
792   E = Res.get();
793
794   // If this is a 'float' or '__fp16' (CVR qualified or typedef) promote to
795   // double.
796   const BuiltinType *BTy = Ty->getAs<BuiltinType>();
797   if (BTy && (BTy->getKind() == BuiltinType::Half ||
798               BTy->getKind() == BuiltinType::Float))
799     E = ImpCastExprToType(E, Context.DoubleTy, CK_FloatingCast).get();
800
801   // C++ performs lvalue-to-rvalue conversion as a default argument
802   // promotion, even on class types, but note:
803   //   C++11 [conv.lval]p2:
804   //     When an lvalue-to-rvalue conversion occurs in an unevaluated
805   //     operand or a subexpression thereof the value contained in the
806   //     referenced object is not accessed. Otherwise, if the glvalue
807   //     has a class type, the conversion copy-initializes a temporary
808   //     of type T from the glvalue and the result of the conversion
809   //     is a prvalue for the temporary.
810   // FIXME: add some way to gate this entire thing for correctness in
811   // potentially potentially evaluated contexts.
812   if (getLangOpts().CPlusPlus && E->isGLValue() && !isUnevaluatedContext()) {
813     ExprResult Temp = PerformCopyInitialization(
814                        InitializedEntity::InitializeTemporary(E->getType()),
815                                                 E->getExprLoc(), E);
816     if (Temp.isInvalid())
817       return ExprError();
818     E = Temp.get();
819   }
820
821   return E;
822 }
823
824 /// Determine the degree of POD-ness for an expression.
825 /// Incomplete types are considered POD, since this check can be performed
826 /// when we're in an unevaluated context.
827 Sema::VarArgKind Sema::isValidVarArgType(const QualType &Ty) {
828   if (Ty->isIncompleteType()) {
829     // C++11 [expr.call]p7:
830     //   After these conversions, if the argument does not have arithmetic,
831     //   enumeration, pointer, pointer to member, or class type, the program
832     //   is ill-formed.
833     //
834     // Since we've already performed array-to-pointer and function-to-pointer
835     // decay, the only such type in C++ is cv void. This also handles
836     // initializer lists as variadic arguments.
837     if (Ty->isVoidType())
838       return VAK_Invalid;
839
840     if (Ty->isObjCObjectType())
841       return VAK_Invalid;
842     return VAK_Valid;
843   }
844
845   if (Ty.isCXX98PODType(Context))
846     return VAK_Valid;
847
848   // C++11 [expr.call]p7:
849   //   Passing a potentially-evaluated argument of class type (Clause 9)
850   //   having a non-trivial copy constructor, a non-trivial move constructor,
851   //   or a non-trivial destructor, with no corresponding parameter,
852   //   is conditionally-supported with implementation-defined semantics.
853   if (getLangOpts().CPlusPlus11 && !Ty->isDependentType())
854     if (CXXRecordDecl *Record = Ty->getAsCXXRecordDecl())
855       if (!Record->hasNonTrivialCopyConstructor() &&
856           !Record->hasNonTrivialMoveConstructor() &&
857           !Record->hasNonTrivialDestructor())
858         return VAK_ValidInCXX11;
859
860   if (getLangOpts().ObjCAutoRefCount && Ty->isObjCLifetimeType())
861     return VAK_Valid;
862
863   if (Ty->isObjCObjectType())
864     return VAK_Invalid;
865
866   if (getLangOpts().MSVCCompat)
867     return VAK_MSVCUndefined;
868
869   // FIXME: In C++11, these cases are conditionally-supported, meaning we're
870   // permitted to reject them. We should consider doing so.
871   return VAK_Undefined;
872 }
873
874 void Sema::checkVariadicArgument(const Expr *E, VariadicCallType CT) {
875   // Don't allow one to pass an Objective-C interface to a vararg.
876   const QualType &Ty = E->getType();
877   VarArgKind VAK = isValidVarArgType(Ty);
878
879   // Complain about passing non-POD types through varargs.
880   switch (VAK) {
881   case VAK_ValidInCXX11:
882     DiagRuntimeBehavior(
883         E->getLocStart(), nullptr,
884         PDiag(diag::warn_cxx98_compat_pass_non_pod_arg_to_vararg)
885           << Ty << CT);
886     // Fall through.
887   case VAK_Valid:
888     if (Ty->isRecordType()) {
889       // This is unlikely to be what the user intended. If the class has a
890       // 'c_str' member function, the user probably meant to call that.
891       DiagRuntimeBehavior(E->getLocStart(), nullptr,
892                           PDiag(diag::warn_pass_class_arg_to_vararg)
893                             << Ty << CT << hasCStrMethod(E) << ".c_str()");
894     }
895     break;
896
897   case VAK_Undefined:
898   case VAK_MSVCUndefined:
899     DiagRuntimeBehavior(
900         E->getLocStart(), nullptr,
901         PDiag(diag::warn_cannot_pass_non_pod_arg_to_vararg)
902           << getLangOpts().CPlusPlus11 << Ty << CT);
903     break;
904
905   case VAK_Invalid:
906     if (Ty->isObjCObjectType())
907       DiagRuntimeBehavior(
908           E->getLocStart(), nullptr,
909           PDiag(diag::err_cannot_pass_objc_interface_to_vararg)
910             << Ty << CT);
911     else
912       Diag(E->getLocStart(), diag::err_cannot_pass_to_vararg)
913         << isa<InitListExpr>(E) << Ty << CT;
914     break;
915   }
916 }
917
918 /// DefaultVariadicArgumentPromotion - Like DefaultArgumentPromotion, but
919 /// will create a trap if the resulting type is not a POD type.
920 ExprResult Sema::DefaultVariadicArgumentPromotion(Expr *E, VariadicCallType CT,
921                                                   FunctionDecl *FDecl) {
922   if (const BuiltinType *PlaceholderTy = E->getType()->getAsPlaceholderType()) {
923     // Strip the unbridged-cast placeholder expression off, if applicable.
924     if (PlaceholderTy->getKind() == BuiltinType::ARCUnbridgedCast &&
925         (CT == VariadicMethod ||
926          (FDecl && FDecl->hasAttr<CFAuditedTransferAttr>()))) {
927       E = stripARCUnbridgedCast(E);
928
929     // Otherwise, do normal placeholder checking.
930     } else {
931       ExprResult ExprRes = CheckPlaceholderExpr(E);
932       if (ExprRes.isInvalid())
933         return ExprError();
934       E = ExprRes.get();
935     }
936   }
937   
938   ExprResult ExprRes = DefaultArgumentPromotion(E);
939   if (ExprRes.isInvalid())
940     return ExprError();
941   E = ExprRes.get();
942
943   // Diagnostics regarding non-POD argument types are
944   // emitted along with format string checking in Sema::CheckFunctionCall().
945   if (isValidVarArgType(E->getType()) == VAK_Undefined) {
946     // Turn this into a trap.
947     CXXScopeSpec SS;
948     SourceLocation TemplateKWLoc;
949     UnqualifiedId Name;
950     Name.setIdentifier(PP.getIdentifierInfo("__builtin_trap"),
951                        E->getLocStart());
952     ExprResult TrapFn = ActOnIdExpression(TUScope, SS, TemplateKWLoc,
953                                           Name, true, false);
954     if (TrapFn.isInvalid())
955       return ExprError();
956
957     ExprResult Call = ActOnCallExpr(TUScope, TrapFn.get(),
958                                     E->getLocStart(), None,
959                                     E->getLocEnd());
960     if (Call.isInvalid())
961       return ExprError();
962
963     ExprResult Comma = ActOnBinOp(TUScope, E->getLocStart(), tok::comma,
964                                   Call.get(), E);
965     if (Comma.isInvalid())
966       return ExprError();
967     return Comma.get();
968   }
969
970   if (!getLangOpts().CPlusPlus &&
971       RequireCompleteType(E->getExprLoc(), E->getType(),
972                           diag::err_call_incomplete_argument))
973     return ExprError();
974
975   return E;
976 }
977
978 /// \brief Converts an integer to complex float type.  Helper function of
979 /// UsualArithmeticConversions()
980 ///
981 /// \return false if the integer expression is an integer type and is
982 /// successfully converted to the complex type.
983 static bool handleIntegerToComplexFloatConversion(Sema &S, ExprResult &IntExpr,
984                                                   ExprResult &ComplexExpr,
985                                                   QualType IntTy,
986                                                   QualType ComplexTy,
987                                                   bool SkipCast) {
988   if (IntTy->isComplexType() || IntTy->isRealFloatingType()) return true;
989   if (SkipCast) return false;
990   if (IntTy->isIntegerType()) {
991     QualType fpTy = cast<ComplexType>(ComplexTy)->getElementType();
992     IntExpr = S.ImpCastExprToType(IntExpr.get(), fpTy, CK_IntegralToFloating);
993     IntExpr = S.ImpCastExprToType(IntExpr.get(), ComplexTy,
994                                   CK_FloatingRealToComplex);
995   } else {
996     assert(IntTy->isComplexIntegerType());
997     IntExpr = S.ImpCastExprToType(IntExpr.get(), ComplexTy,
998                                   CK_IntegralComplexToFloatingComplex);
999   }
1000   return false;
1001 }
1002
1003 /// \brief Handle arithmetic conversion with complex types.  Helper function of
1004 /// UsualArithmeticConversions()
1005 static QualType handleComplexFloatConversion(Sema &S, ExprResult &LHS,
1006                                              ExprResult &RHS, QualType LHSType,
1007                                              QualType RHSType,
1008                                              bool IsCompAssign) {
1009   // if we have an integer operand, the result is the complex type.
1010   if (!handleIntegerToComplexFloatConversion(S, RHS, LHS, RHSType, LHSType,
1011                                              /*skipCast*/false))
1012     return LHSType;
1013   if (!handleIntegerToComplexFloatConversion(S, LHS, RHS, LHSType, RHSType,
1014                                              /*skipCast*/IsCompAssign))
1015     return RHSType;
1016
1017   // This handles complex/complex, complex/float, or float/complex.
1018   // When both operands are complex, the shorter operand is converted to the
1019   // type of the longer, and that is the type of the result. This corresponds
1020   // to what is done when combining two real floating-point operands.
1021   // The fun begins when size promotion occur across type domains.
1022   // From H&S 6.3.4: When one operand is complex and the other is a real
1023   // floating-point type, the less precise type is converted, within it's
1024   // real or complex domain, to the precision of the other type. For example,
1025   // when combining a "long double" with a "double _Complex", the
1026   // "double _Complex" is promoted to "long double _Complex".
1027
1028   // Compute the rank of the two types, regardless of whether they are complex.
1029   int Order = S.Context.getFloatingTypeOrder(LHSType, RHSType);
1030
1031   auto *LHSComplexType = dyn_cast<ComplexType>(LHSType);
1032   auto *RHSComplexType = dyn_cast<ComplexType>(RHSType);
1033   QualType LHSElementType =
1034       LHSComplexType ? LHSComplexType->getElementType() : LHSType;
1035   QualType RHSElementType =
1036       RHSComplexType ? RHSComplexType->getElementType() : RHSType;
1037
1038   QualType ResultType = S.Context.getComplexType(LHSElementType);
1039   if (Order < 0) {
1040     // Promote the precision of the LHS if not an assignment.
1041     ResultType = S.Context.getComplexType(RHSElementType);
1042     if (!IsCompAssign) {
1043       if (LHSComplexType)
1044         LHS =
1045             S.ImpCastExprToType(LHS.get(), ResultType, CK_FloatingComplexCast);
1046       else
1047         LHS = S.ImpCastExprToType(LHS.get(), RHSElementType, CK_FloatingCast);
1048     }
1049   } else if (Order > 0) {
1050     // Promote the precision of the RHS.
1051     if (RHSComplexType)
1052       RHS = S.ImpCastExprToType(RHS.get(), ResultType, CK_FloatingComplexCast);
1053     else
1054       RHS = S.ImpCastExprToType(RHS.get(), LHSElementType, CK_FloatingCast);
1055   }
1056   return ResultType;
1057 }
1058
1059 /// \brief Hande arithmetic conversion from integer to float.  Helper function
1060 /// of UsualArithmeticConversions()
1061 static QualType handleIntToFloatConversion(Sema &S, ExprResult &FloatExpr,
1062                                            ExprResult &IntExpr,
1063                                            QualType FloatTy, QualType IntTy,
1064                                            bool ConvertFloat, bool ConvertInt) {
1065   if (IntTy->isIntegerType()) {
1066     if (ConvertInt)
1067       // Convert intExpr to the lhs floating point type.
1068       IntExpr = S.ImpCastExprToType(IntExpr.get(), FloatTy,
1069                                     CK_IntegralToFloating);
1070     return FloatTy;
1071   }
1072      
1073   // Convert both sides to the appropriate complex float.
1074   assert(IntTy->isComplexIntegerType());
1075   QualType result = S.Context.getComplexType(FloatTy);
1076
1077   // _Complex int -> _Complex float
1078   if (ConvertInt)
1079     IntExpr = S.ImpCastExprToType(IntExpr.get(), result,
1080                                   CK_IntegralComplexToFloatingComplex);
1081
1082   // float -> _Complex float
1083   if (ConvertFloat)
1084     FloatExpr = S.ImpCastExprToType(FloatExpr.get(), result,
1085                                     CK_FloatingRealToComplex);
1086
1087   return result;
1088 }
1089
1090 /// \brief Handle arithmethic conversion with floating point types.  Helper
1091 /// function of UsualArithmeticConversions()
1092 static QualType handleFloatConversion(Sema &S, ExprResult &LHS,
1093                                       ExprResult &RHS, QualType LHSType,
1094                                       QualType RHSType, bool IsCompAssign) {
1095   bool LHSFloat = LHSType->isRealFloatingType();
1096   bool RHSFloat = RHSType->isRealFloatingType();
1097
1098   // If we have two real floating types, convert the smaller operand
1099   // to the bigger result.
1100   if (LHSFloat && RHSFloat) {
1101     int order = S.Context.getFloatingTypeOrder(LHSType, RHSType);
1102     if (order > 0) {
1103       RHS = S.ImpCastExprToType(RHS.get(), LHSType, CK_FloatingCast);
1104       return LHSType;
1105     }
1106
1107     assert(order < 0 && "illegal float comparison");
1108     if (!IsCompAssign)
1109       LHS = S.ImpCastExprToType(LHS.get(), RHSType, CK_FloatingCast);
1110     return RHSType;
1111   }
1112
1113   if (LHSFloat) {
1114     // Half FP has to be promoted to float unless it is natively supported
1115     if (LHSType->isHalfType() && !S.getLangOpts().NativeHalfType)
1116       LHSType = S.Context.FloatTy;
1117
1118     return handleIntToFloatConversion(S, LHS, RHS, LHSType, RHSType,
1119                                       /*convertFloat=*/!IsCompAssign,
1120                                       /*convertInt=*/ true);
1121   }
1122   assert(RHSFloat);
1123   return handleIntToFloatConversion(S, RHS, LHS, RHSType, LHSType,
1124                                     /*convertInt=*/ true,
1125                                     /*convertFloat=*/!IsCompAssign);
1126 }
1127
1128 typedef ExprResult PerformCastFn(Sema &S, Expr *operand, QualType toType);
1129
1130 namespace {
1131 /// These helper callbacks are placed in an anonymous namespace to
1132 /// permit their use as function template parameters.
1133 ExprResult doIntegralCast(Sema &S, Expr *op, QualType toType) {
1134   return S.ImpCastExprToType(op, toType, CK_IntegralCast);
1135 }
1136
1137 ExprResult doComplexIntegralCast(Sema &S, Expr *op, QualType toType) {
1138   return S.ImpCastExprToType(op, S.Context.getComplexType(toType),
1139                              CK_IntegralComplexCast);
1140 }
1141 }
1142
1143 /// \brief Handle integer arithmetic conversions.  Helper function of
1144 /// UsualArithmeticConversions()
1145 template <PerformCastFn doLHSCast, PerformCastFn doRHSCast>
1146 static QualType handleIntegerConversion(Sema &S, ExprResult &LHS,
1147                                         ExprResult &RHS, QualType LHSType,
1148                                         QualType RHSType, bool IsCompAssign) {
1149   // The rules for this case are in C99 6.3.1.8
1150   int order = S.Context.getIntegerTypeOrder(LHSType, RHSType);
1151   bool LHSSigned = LHSType->hasSignedIntegerRepresentation();
1152   bool RHSSigned = RHSType->hasSignedIntegerRepresentation();
1153   if (LHSSigned == RHSSigned) {
1154     // Same signedness; use the higher-ranked type
1155     if (order >= 0) {
1156       RHS = (*doRHSCast)(S, RHS.get(), LHSType);
1157       return LHSType;
1158     } else if (!IsCompAssign)
1159       LHS = (*doLHSCast)(S, LHS.get(), RHSType);
1160     return RHSType;
1161   } else if (order != (LHSSigned ? 1 : -1)) {
1162     // The unsigned type has greater than or equal rank to the
1163     // signed type, so use the unsigned type
1164     if (RHSSigned) {
1165       RHS = (*doRHSCast)(S, RHS.get(), LHSType);
1166       return LHSType;
1167     } else if (!IsCompAssign)
1168       LHS = (*doLHSCast)(S, LHS.get(), RHSType);
1169     return RHSType;
1170   } else if (S.Context.getIntWidth(LHSType) != S.Context.getIntWidth(RHSType)) {
1171     // The two types are different widths; if we are here, that
1172     // means the signed type is larger than the unsigned type, so
1173     // use the signed type.
1174     if (LHSSigned) {
1175       RHS = (*doRHSCast)(S, RHS.get(), LHSType);
1176       return LHSType;
1177     } else if (!IsCompAssign)
1178       LHS = (*doLHSCast)(S, LHS.get(), RHSType);
1179     return RHSType;
1180   } else {
1181     // The signed type is higher-ranked than the unsigned type,
1182     // but isn't actually any bigger (like unsigned int and long
1183     // on most 32-bit systems).  Use the unsigned type corresponding
1184     // to the signed type.
1185     QualType result =
1186       S.Context.getCorrespondingUnsignedType(LHSSigned ? LHSType : RHSType);
1187     RHS = (*doRHSCast)(S, RHS.get(), result);
1188     if (!IsCompAssign)
1189       LHS = (*doLHSCast)(S, LHS.get(), result);
1190     return result;
1191   }
1192 }
1193
1194 /// \brief Handle conversions with GCC complex int extension.  Helper function
1195 /// of UsualArithmeticConversions()
1196 static QualType handleComplexIntConversion(Sema &S, ExprResult &LHS,
1197                                            ExprResult &RHS, QualType LHSType,
1198                                            QualType RHSType,
1199                                            bool IsCompAssign) {
1200   const ComplexType *LHSComplexInt = LHSType->getAsComplexIntegerType();
1201   const ComplexType *RHSComplexInt = RHSType->getAsComplexIntegerType();
1202
1203   if (LHSComplexInt && RHSComplexInt) {
1204     QualType LHSEltType = LHSComplexInt->getElementType();
1205     QualType RHSEltType = RHSComplexInt->getElementType();
1206     QualType ScalarType =
1207       handleIntegerConversion<doComplexIntegralCast, doComplexIntegralCast>
1208         (S, LHS, RHS, LHSEltType, RHSEltType, IsCompAssign);
1209
1210     return S.Context.getComplexType(ScalarType);
1211   }
1212
1213   if (LHSComplexInt) {
1214     QualType LHSEltType = LHSComplexInt->getElementType();
1215     QualType ScalarType =
1216       handleIntegerConversion<doComplexIntegralCast, doIntegralCast>
1217         (S, LHS, RHS, LHSEltType, RHSType, IsCompAssign);
1218     QualType ComplexType = S.Context.getComplexType(ScalarType);
1219     RHS = S.ImpCastExprToType(RHS.get(), ComplexType,
1220                               CK_IntegralRealToComplex);
1221  
1222     return ComplexType;
1223   }
1224
1225   assert(RHSComplexInt);
1226
1227   QualType RHSEltType = RHSComplexInt->getElementType();
1228   QualType ScalarType =
1229     handleIntegerConversion<doIntegralCast, doComplexIntegralCast>
1230       (S, LHS, RHS, LHSType, RHSEltType, IsCompAssign);
1231   QualType ComplexType = S.Context.getComplexType(ScalarType);
1232   
1233   if (!IsCompAssign)
1234     LHS = S.ImpCastExprToType(LHS.get(), ComplexType,
1235                               CK_IntegralRealToComplex);
1236   return ComplexType;
1237 }
1238
1239 /// UsualArithmeticConversions - Performs various conversions that are common to
1240 /// binary operators (C99 6.3.1.8). If both operands aren't arithmetic, this
1241 /// routine returns the first non-arithmetic type found. The client is
1242 /// responsible for emitting appropriate error diagnostics.
1243 QualType Sema::UsualArithmeticConversions(ExprResult &LHS, ExprResult &RHS,
1244                                           bool IsCompAssign) {
1245   if (!IsCompAssign) {
1246     LHS = UsualUnaryConversions(LHS.get());
1247     if (LHS.isInvalid())
1248       return QualType();
1249   }
1250
1251   RHS = UsualUnaryConversions(RHS.get());
1252   if (RHS.isInvalid())
1253     return QualType();
1254
1255   // For conversion purposes, we ignore any qualifiers.
1256   // For example, "const float" and "float" are equivalent.
1257   QualType LHSType =
1258     Context.getCanonicalType(LHS.get()->getType()).getUnqualifiedType();
1259   QualType RHSType =
1260     Context.getCanonicalType(RHS.get()->getType()).getUnqualifiedType();
1261
1262   // For conversion purposes, we ignore any atomic qualifier on the LHS.
1263   if (const AtomicType *AtomicLHS = LHSType->getAs<AtomicType>())
1264     LHSType = AtomicLHS->getValueType();
1265
1266   // If both types are identical, no conversion is needed.
1267   if (LHSType == RHSType)
1268     return LHSType;
1269
1270   // If either side is a non-arithmetic type (e.g. a pointer), we are done.
1271   // The caller can deal with this (e.g. pointer + int).
1272   if (!LHSType->isArithmeticType() || !RHSType->isArithmeticType())
1273     return QualType();
1274
1275   // Apply unary and bitfield promotions to the LHS's type.
1276   QualType LHSUnpromotedType = LHSType;
1277   if (LHSType->isPromotableIntegerType())
1278     LHSType = Context.getPromotedIntegerType(LHSType);
1279   QualType LHSBitfieldPromoteTy = Context.isPromotableBitField(LHS.get());
1280   if (!LHSBitfieldPromoteTy.isNull())
1281     LHSType = LHSBitfieldPromoteTy;
1282   if (LHSType != LHSUnpromotedType && !IsCompAssign)
1283     LHS = ImpCastExprToType(LHS.get(), LHSType, CK_IntegralCast);
1284
1285   // If both types are identical, no conversion is needed.
1286   if (LHSType == RHSType)
1287     return LHSType;
1288
1289   // At this point, we have two different arithmetic types.
1290
1291   // Handle complex types first (C99 6.3.1.8p1).
1292   if (LHSType->isComplexType() || RHSType->isComplexType())
1293     return handleComplexFloatConversion(*this, LHS, RHS, LHSType, RHSType,
1294                                         IsCompAssign);
1295
1296   // Now handle "real" floating types (i.e. float, double, long double).
1297   if (LHSType->isRealFloatingType() || RHSType->isRealFloatingType())
1298     return handleFloatConversion(*this, LHS, RHS, LHSType, RHSType,
1299                                  IsCompAssign);
1300
1301   // Handle GCC complex int extension.
1302   if (LHSType->isComplexIntegerType() || RHSType->isComplexIntegerType())
1303     return handleComplexIntConversion(*this, LHS, RHS, LHSType, RHSType,
1304                                       IsCompAssign);
1305
1306   // Finally, we have two differing integer types.
1307   return handleIntegerConversion<doIntegralCast, doIntegralCast>
1308            (*this, LHS, RHS, LHSType, RHSType, IsCompAssign);
1309 }
1310
1311
1312 //===----------------------------------------------------------------------===//
1313 //  Semantic Analysis for various Expression Types
1314 //===----------------------------------------------------------------------===//
1315
1316
1317 ExprResult
1318 Sema::ActOnGenericSelectionExpr(SourceLocation KeyLoc,
1319                                 SourceLocation DefaultLoc,
1320                                 SourceLocation RParenLoc,
1321                                 Expr *ControllingExpr,
1322                                 ArrayRef<ParsedType> ArgTypes,
1323                                 ArrayRef<Expr *> ArgExprs) {
1324   unsigned NumAssocs = ArgTypes.size();
1325   assert(NumAssocs == ArgExprs.size());
1326
1327   TypeSourceInfo **Types = new TypeSourceInfo*[NumAssocs];
1328   for (unsigned i = 0; i < NumAssocs; ++i) {
1329     if (ArgTypes[i])
1330       (void) GetTypeFromParser(ArgTypes[i], &Types[i]);
1331     else
1332       Types[i] = nullptr;
1333   }
1334
1335   ExprResult ER = CreateGenericSelectionExpr(KeyLoc, DefaultLoc, RParenLoc,
1336                                              ControllingExpr,
1337                                              llvm::makeArrayRef(Types, NumAssocs),
1338                                              ArgExprs);
1339   delete [] Types;
1340   return ER;
1341 }
1342
1343 ExprResult
1344 Sema::CreateGenericSelectionExpr(SourceLocation KeyLoc,
1345                                  SourceLocation DefaultLoc,
1346                                  SourceLocation RParenLoc,
1347                                  Expr *ControllingExpr,
1348                                  ArrayRef<TypeSourceInfo *> Types,
1349                                  ArrayRef<Expr *> Exprs) {
1350   unsigned NumAssocs = Types.size();
1351   assert(NumAssocs == Exprs.size());
1352   if (ControllingExpr->getType()->isPlaceholderType()) {
1353     ExprResult result = CheckPlaceholderExpr(ControllingExpr);
1354     if (result.isInvalid()) return ExprError();
1355     ControllingExpr = result.get();
1356   }
1357
1358   // The controlling expression is an unevaluated operand, so side effects are
1359   // likely unintended.
1360   if (ActiveTemplateInstantiations.empty() &&
1361       ControllingExpr->HasSideEffects(Context, false))
1362     Diag(ControllingExpr->getExprLoc(),
1363          diag::warn_side_effects_unevaluated_context);
1364
1365   bool TypeErrorFound = false,
1366        IsResultDependent = ControllingExpr->isTypeDependent(),
1367        ContainsUnexpandedParameterPack
1368          = ControllingExpr->containsUnexpandedParameterPack();
1369
1370   for (unsigned i = 0; i < NumAssocs; ++i) {
1371     if (Exprs[i]->containsUnexpandedParameterPack())
1372       ContainsUnexpandedParameterPack = true;
1373
1374     if (Types[i]) {
1375       if (Types[i]->getType()->containsUnexpandedParameterPack())
1376         ContainsUnexpandedParameterPack = true;
1377
1378       if (Types[i]->getType()->isDependentType()) {
1379         IsResultDependent = true;
1380       } else {
1381         // C11 6.5.1.1p2 "The type name in a generic association shall specify a
1382         // complete object type other than a variably modified type."
1383         unsigned D = 0;
1384         if (Types[i]->getType()->isIncompleteType())
1385           D = diag::err_assoc_type_incomplete;
1386         else if (!Types[i]->getType()->isObjectType())
1387           D = diag::err_assoc_type_nonobject;
1388         else if (Types[i]->getType()->isVariablyModifiedType())
1389           D = diag::err_assoc_type_variably_modified;
1390
1391         if (D != 0) {
1392           Diag(Types[i]->getTypeLoc().getBeginLoc(), D)
1393             << Types[i]->getTypeLoc().getSourceRange()
1394             << Types[i]->getType();
1395           TypeErrorFound = true;
1396         }
1397
1398         // C11 6.5.1.1p2 "No two generic associations in the same generic
1399         // selection shall specify compatible types."
1400         for (unsigned j = i+1; j < NumAssocs; ++j)
1401           if (Types[j] && !Types[j]->getType()->isDependentType() &&
1402               Context.typesAreCompatible(Types[i]->getType(),
1403                                          Types[j]->getType())) {
1404             Diag(Types[j]->getTypeLoc().getBeginLoc(),
1405                  diag::err_assoc_compatible_types)
1406               << Types[j]->getTypeLoc().getSourceRange()
1407               << Types[j]->getType()
1408               << Types[i]->getType();
1409             Diag(Types[i]->getTypeLoc().getBeginLoc(),
1410                  diag::note_compat_assoc)
1411               << Types[i]->getTypeLoc().getSourceRange()
1412               << Types[i]->getType();
1413             TypeErrorFound = true;
1414           }
1415       }
1416     }
1417   }
1418   if (TypeErrorFound)
1419     return ExprError();
1420
1421   // If we determined that the generic selection is result-dependent, don't
1422   // try to compute the result expression.
1423   if (IsResultDependent)
1424     return new (Context) GenericSelectionExpr(
1425         Context, KeyLoc, ControllingExpr, Types, Exprs, DefaultLoc, RParenLoc,
1426         ContainsUnexpandedParameterPack);
1427
1428   SmallVector<unsigned, 1> CompatIndices;
1429   unsigned DefaultIndex = -1U;
1430   for (unsigned i = 0; i < NumAssocs; ++i) {
1431     if (!Types[i])
1432       DefaultIndex = i;
1433     else if (Context.typesAreCompatible(ControllingExpr->getType(),
1434                                         Types[i]->getType()))
1435       CompatIndices.push_back(i);
1436   }
1437
1438   // C11 6.5.1.1p2 "The controlling expression of a generic selection shall have
1439   // type compatible with at most one of the types named in its generic
1440   // association list."
1441   if (CompatIndices.size() > 1) {
1442     // We strip parens here because the controlling expression is typically
1443     // parenthesized in macro definitions.
1444     ControllingExpr = ControllingExpr->IgnoreParens();
1445     Diag(ControllingExpr->getLocStart(), diag::err_generic_sel_multi_match)
1446       << ControllingExpr->getSourceRange() << ControllingExpr->getType()
1447       << (unsigned) CompatIndices.size();
1448     for (SmallVectorImpl<unsigned>::iterator I = CompatIndices.begin(),
1449          E = CompatIndices.end(); I != E; ++I) {
1450       Diag(Types[*I]->getTypeLoc().getBeginLoc(),
1451            diag::note_compat_assoc)
1452         << Types[*I]->getTypeLoc().getSourceRange()
1453         << Types[*I]->getType();
1454     }
1455     return ExprError();
1456   }
1457
1458   // C11 6.5.1.1p2 "If a generic selection has no default generic association,
1459   // its controlling expression shall have type compatible with exactly one of
1460   // the types named in its generic association list."
1461   if (DefaultIndex == -1U && CompatIndices.size() == 0) {
1462     // We strip parens here because the controlling expression is typically
1463     // parenthesized in macro definitions.
1464     ControllingExpr = ControllingExpr->IgnoreParens();
1465     Diag(ControllingExpr->getLocStart(), diag::err_generic_sel_no_match)
1466       << ControllingExpr->getSourceRange() << ControllingExpr->getType();
1467     return ExprError();
1468   }
1469
1470   // C11 6.5.1.1p3 "If a generic selection has a generic association with a
1471   // type name that is compatible with the type of the controlling expression,
1472   // then the result expression of the generic selection is the expression
1473   // in that generic association. Otherwise, the result expression of the
1474   // generic selection is the expression in the default generic association."
1475   unsigned ResultIndex =
1476     CompatIndices.size() ? CompatIndices[0] : DefaultIndex;
1477
1478   return new (Context) GenericSelectionExpr(
1479       Context, KeyLoc, ControllingExpr, Types, Exprs, DefaultLoc, RParenLoc,
1480       ContainsUnexpandedParameterPack, ResultIndex);
1481 }
1482
1483 /// getUDSuffixLoc - Create a SourceLocation for a ud-suffix, given the
1484 /// location of the token and the offset of the ud-suffix within it.
1485 static SourceLocation getUDSuffixLoc(Sema &S, SourceLocation TokLoc,
1486                                      unsigned Offset) {
1487   return Lexer::AdvanceToTokenCharacter(TokLoc, Offset, S.getSourceManager(),
1488                                         S.getLangOpts());
1489 }
1490
1491 /// BuildCookedLiteralOperatorCall - A user-defined literal was found. Look up
1492 /// the corresponding cooked (non-raw) literal operator, and build a call to it.
1493 static ExprResult BuildCookedLiteralOperatorCall(Sema &S, Scope *Scope,
1494                                                  IdentifierInfo *UDSuffix,
1495                                                  SourceLocation UDSuffixLoc,
1496                                                  ArrayRef<Expr*> Args,
1497                                                  SourceLocation LitEndLoc) {
1498   assert(Args.size() <= 2 && "too many arguments for literal operator");
1499
1500   QualType ArgTy[2];
1501   for (unsigned ArgIdx = 0; ArgIdx != Args.size(); ++ArgIdx) {
1502     ArgTy[ArgIdx] = Args[ArgIdx]->getType();
1503     if (ArgTy[ArgIdx]->isArrayType())
1504       ArgTy[ArgIdx] = S.Context.getArrayDecayedType(ArgTy[ArgIdx]);
1505   }
1506
1507   DeclarationName OpName =
1508     S.Context.DeclarationNames.getCXXLiteralOperatorName(UDSuffix);
1509   DeclarationNameInfo OpNameInfo(OpName, UDSuffixLoc);
1510   OpNameInfo.setCXXLiteralOperatorNameLoc(UDSuffixLoc);
1511
1512   LookupResult R(S, OpName, UDSuffixLoc, Sema::LookupOrdinaryName);
1513   if (S.LookupLiteralOperator(Scope, R, llvm::makeArrayRef(ArgTy, Args.size()),
1514                               /*AllowRaw*/false, /*AllowTemplate*/false,
1515                               /*AllowStringTemplate*/false) == Sema::LOLR_Error)
1516     return ExprError();
1517
1518   return S.BuildLiteralOperatorCall(R, OpNameInfo, Args, LitEndLoc);
1519 }
1520
1521 /// ActOnStringLiteral - The specified tokens were lexed as pasted string
1522 /// fragments (e.g. "foo" "bar" L"baz").  The result string has to handle string
1523 /// concatenation ([C99 5.1.1.2, translation phase #6]), so it may come from
1524 /// multiple tokens.  However, the common case is that StringToks points to one
1525 /// string.
1526 ///
1527 ExprResult
1528 Sema::ActOnStringLiteral(ArrayRef<Token> StringToks, Scope *UDLScope) {
1529   assert(!StringToks.empty() && "Must have at least one string!");
1530
1531   StringLiteralParser Literal(StringToks, PP);
1532   if (Literal.hadError)
1533     return ExprError();
1534
1535   SmallVector<SourceLocation, 4> StringTokLocs;
1536   for (unsigned i = 0; i != StringToks.size(); ++i)
1537     StringTokLocs.push_back(StringToks[i].getLocation());
1538
1539   QualType CharTy = Context.CharTy;
1540   StringLiteral::StringKind Kind = StringLiteral::Ascii;
1541   if (Literal.isWide()) {
1542     CharTy = Context.getWideCharType();
1543     Kind = StringLiteral::Wide;
1544   } else if (Literal.isUTF8()) {
1545     Kind = StringLiteral::UTF8;
1546   } else if (Literal.isUTF16()) {
1547     CharTy = Context.Char16Ty;
1548     Kind = StringLiteral::UTF16;
1549   } else if (Literal.isUTF32()) {
1550     CharTy = Context.Char32Ty;
1551     Kind = StringLiteral::UTF32;
1552   } else if (Literal.isPascal()) {
1553     CharTy = Context.UnsignedCharTy;
1554   }
1555
1556   QualType CharTyConst = CharTy;
1557   // A C++ string literal has a const-qualified element type (C++ 2.13.4p1).
1558   if (getLangOpts().CPlusPlus || getLangOpts().ConstStrings)
1559     CharTyConst.addConst();
1560
1561   // Get an array type for the string, according to C99 6.4.5.  This includes
1562   // the nul terminator character as well as the string length for pascal
1563   // strings.
1564   QualType StrTy = Context.getConstantArrayType(CharTyConst,
1565                                  llvm::APInt(32, Literal.GetNumStringChars()+1),
1566                                  ArrayType::Normal, 0);
1567
1568   // OpenCL v1.1 s6.5.3: a string literal is in the constant address space.
1569   if (getLangOpts().OpenCL) {
1570     StrTy = Context.getAddrSpaceQualType(StrTy, LangAS::opencl_constant);
1571   }
1572
1573   // Pass &StringTokLocs[0], StringTokLocs.size() to factory!
1574   StringLiteral *Lit = StringLiteral::Create(Context, Literal.GetString(),
1575                                              Kind, Literal.Pascal, StrTy,
1576                                              &StringTokLocs[0],
1577                                              StringTokLocs.size());
1578   if (Literal.getUDSuffix().empty())
1579     return Lit;
1580
1581   // We're building a user-defined literal.
1582   IdentifierInfo *UDSuffix = &Context.Idents.get(Literal.getUDSuffix());
1583   SourceLocation UDSuffixLoc =
1584     getUDSuffixLoc(*this, StringTokLocs[Literal.getUDSuffixToken()],
1585                    Literal.getUDSuffixOffset());
1586
1587   // Make sure we're allowed user-defined literals here.
1588   if (!UDLScope)
1589     return ExprError(Diag(UDSuffixLoc, diag::err_invalid_string_udl));
1590
1591   // C++11 [lex.ext]p5: The literal L is treated as a call of the form
1592   //   operator "" X (str, len)
1593   QualType SizeType = Context.getSizeType();
1594
1595   DeclarationName OpName =
1596     Context.DeclarationNames.getCXXLiteralOperatorName(UDSuffix);
1597   DeclarationNameInfo OpNameInfo(OpName, UDSuffixLoc);
1598   OpNameInfo.setCXXLiteralOperatorNameLoc(UDSuffixLoc);
1599
1600   QualType ArgTy[] = {
1601     Context.getArrayDecayedType(StrTy), SizeType
1602   };
1603
1604   LookupResult R(*this, OpName, UDSuffixLoc, LookupOrdinaryName);
1605   switch (LookupLiteralOperator(UDLScope, R, ArgTy,
1606                                 /*AllowRaw*/false, /*AllowTemplate*/false,
1607                                 /*AllowStringTemplate*/true)) {
1608
1609   case LOLR_Cooked: {
1610     llvm::APInt Len(Context.getIntWidth(SizeType), Literal.GetNumStringChars());
1611     IntegerLiteral *LenArg = IntegerLiteral::Create(Context, Len, SizeType,
1612                                                     StringTokLocs[0]);
1613     Expr *Args[] = { Lit, LenArg };
1614
1615     return BuildLiteralOperatorCall(R, OpNameInfo, Args, StringTokLocs.back());
1616   }
1617
1618   case LOLR_StringTemplate: {
1619     TemplateArgumentListInfo ExplicitArgs;
1620
1621     unsigned CharBits = Context.getIntWidth(CharTy);
1622     bool CharIsUnsigned = CharTy->isUnsignedIntegerType();
1623     llvm::APSInt Value(CharBits, CharIsUnsigned);
1624
1625     TemplateArgument TypeArg(CharTy);
1626     TemplateArgumentLocInfo TypeArgInfo(Context.getTrivialTypeSourceInfo(CharTy));
1627     ExplicitArgs.addArgument(TemplateArgumentLoc(TypeArg, TypeArgInfo));
1628
1629     for (unsigned I = 0, N = Lit->getLength(); I != N; ++I) {
1630       Value = Lit->getCodeUnit(I);
1631       TemplateArgument Arg(Context, Value, CharTy);
1632       TemplateArgumentLocInfo ArgInfo;
1633       ExplicitArgs.addArgument(TemplateArgumentLoc(Arg, ArgInfo));
1634     }
1635     return BuildLiteralOperatorCall(R, OpNameInfo, None, StringTokLocs.back(),
1636                                     &ExplicitArgs);
1637   }
1638   case LOLR_Raw:
1639   case LOLR_Template:
1640     llvm_unreachable("unexpected literal operator lookup result");
1641   case LOLR_Error:
1642     return ExprError();
1643   }
1644   llvm_unreachable("unexpected literal operator lookup result");
1645 }
1646
1647 ExprResult
1648 Sema::BuildDeclRefExpr(ValueDecl *D, QualType Ty, ExprValueKind VK,
1649                        SourceLocation Loc,
1650                        const CXXScopeSpec *SS) {
1651   DeclarationNameInfo NameInfo(D->getDeclName(), Loc);
1652   return BuildDeclRefExpr(D, Ty, VK, NameInfo, SS);
1653 }
1654
1655 /// BuildDeclRefExpr - Build an expression that references a
1656 /// declaration that does not require a closure capture.
1657 ExprResult
1658 Sema::BuildDeclRefExpr(ValueDecl *D, QualType Ty, ExprValueKind VK,
1659                        const DeclarationNameInfo &NameInfo,
1660                        const CXXScopeSpec *SS, NamedDecl *FoundD,
1661                        const TemplateArgumentListInfo *TemplateArgs) {
1662   if (getLangOpts().CUDA)
1663     if (const FunctionDecl *Caller = dyn_cast<FunctionDecl>(CurContext))
1664       if (const FunctionDecl *Callee = dyn_cast<FunctionDecl>(D)) {
1665         if (CheckCUDATarget(Caller, Callee)) {
1666           Diag(NameInfo.getLoc(), diag::err_ref_bad_target)
1667             << IdentifyCUDATarget(Callee) << D->getIdentifier()
1668             << IdentifyCUDATarget(Caller);
1669           Diag(D->getLocation(), diag::note_previous_decl)
1670             << D->getIdentifier();
1671           return ExprError();
1672         }
1673       }
1674
1675   bool RefersToCapturedVariable =
1676       isa<VarDecl>(D) &&
1677       NeedToCaptureVariable(cast<VarDecl>(D), NameInfo.getLoc());
1678
1679   DeclRefExpr *E;
1680   if (isa<VarTemplateSpecializationDecl>(D)) {
1681     VarTemplateSpecializationDecl *VarSpec =
1682         cast<VarTemplateSpecializationDecl>(D);
1683
1684     E = DeclRefExpr::Create(Context, SS ? SS->getWithLocInContext(Context)
1685                                         : NestedNameSpecifierLoc(),
1686                             VarSpec->getTemplateKeywordLoc(), D,
1687                             RefersToCapturedVariable, NameInfo.getLoc(), Ty, VK,
1688                             FoundD, TemplateArgs);
1689   } else {
1690     assert(!TemplateArgs && "No template arguments for non-variable"
1691                             " template specialization references");
1692     E = DeclRefExpr::Create(Context, SS ? SS->getWithLocInContext(Context)
1693                                         : NestedNameSpecifierLoc(),
1694                             SourceLocation(), D, RefersToCapturedVariable,
1695                             NameInfo, Ty, VK, FoundD);
1696   }
1697
1698   MarkDeclRefReferenced(E);
1699
1700   if (getLangOpts().ObjCARCWeak && isa<VarDecl>(D) &&
1701       Ty.getObjCLifetime() == Qualifiers::OCL_Weak &&
1702       !Diags.isIgnored(diag::warn_arc_repeated_use_of_weak, E->getLocStart()))
1703       recordUseOfEvaluatedWeak(E);
1704
1705   // Just in case we're building an illegal pointer-to-member.
1706   FieldDecl *FD = dyn_cast<FieldDecl>(D);
1707   if (FD && FD->isBitField())
1708     E->setObjectKind(OK_BitField);
1709
1710   return E;
1711 }
1712
1713 /// Decomposes the given name into a DeclarationNameInfo, its location, and
1714 /// possibly a list of template arguments.
1715 ///
1716 /// If this produces template arguments, it is permitted to call
1717 /// DecomposeTemplateName.
1718 ///
1719 /// This actually loses a lot of source location information for
1720 /// non-standard name kinds; we should consider preserving that in
1721 /// some way.
1722 void
1723 Sema::DecomposeUnqualifiedId(const UnqualifiedId &Id,
1724                              TemplateArgumentListInfo &Buffer,
1725                              DeclarationNameInfo &NameInfo,
1726                              const TemplateArgumentListInfo *&TemplateArgs) {
1727   if (Id.getKind() == UnqualifiedId::IK_TemplateId) {
1728     Buffer.setLAngleLoc(Id.TemplateId->LAngleLoc);
1729     Buffer.setRAngleLoc(Id.TemplateId->RAngleLoc);
1730
1731     ASTTemplateArgsPtr TemplateArgsPtr(Id.TemplateId->getTemplateArgs(),
1732                                        Id.TemplateId->NumArgs);
1733     translateTemplateArguments(TemplateArgsPtr, Buffer);
1734
1735     TemplateName TName = Id.TemplateId->Template.get();
1736     SourceLocation TNameLoc = Id.TemplateId->TemplateNameLoc;
1737     NameInfo = Context.getNameForTemplate(TName, TNameLoc);
1738     TemplateArgs = &Buffer;
1739   } else {
1740     NameInfo = GetNameFromUnqualifiedId(Id);
1741     TemplateArgs = nullptr;
1742   }
1743 }
1744
1745 static void emitEmptyLookupTypoDiagnostic(
1746     const TypoCorrection &TC, Sema &SemaRef, const CXXScopeSpec &SS,
1747     DeclarationName Typo, SourceLocation TypoLoc, ArrayRef<Expr *> Args,
1748     unsigned DiagnosticID, unsigned DiagnosticSuggestID) {
1749   DeclContext *Ctx =
1750       SS.isEmpty() ? nullptr : SemaRef.computeDeclContext(SS, false);
1751   if (!TC) {
1752     // Emit a special diagnostic for failed member lookups.
1753     // FIXME: computing the declaration context might fail here (?)
1754     if (Ctx)
1755       SemaRef.Diag(TypoLoc, diag::err_no_member) << Typo << Ctx
1756                                                  << SS.getRange();
1757     else
1758       SemaRef.Diag(TypoLoc, DiagnosticID) << Typo;
1759     return;
1760   }
1761
1762   std::string CorrectedStr = TC.getAsString(SemaRef.getLangOpts());
1763   bool DroppedSpecifier =
1764       TC.WillReplaceSpecifier() && Typo.getAsString() == CorrectedStr;
1765   unsigned NoteID =
1766       (TC.getCorrectionDecl() && isa<ImplicitParamDecl>(TC.getCorrectionDecl()))
1767           ? diag::note_implicit_param_decl
1768           : diag::note_previous_decl;
1769   if (!Ctx)
1770     SemaRef.diagnoseTypo(TC, SemaRef.PDiag(DiagnosticSuggestID) << Typo,
1771                          SemaRef.PDiag(NoteID));
1772   else
1773     SemaRef.diagnoseTypo(TC, SemaRef.PDiag(diag::err_no_member_suggest)
1774                                  << Typo << Ctx << DroppedSpecifier
1775                                  << SS.getRange(),
1776                          SemaRef.PDiag(NoteID));
1777 }
1778
1779 /// Diagnose an empty lookup.
1780 ///
1781 /// \return false if new lookup candidates were found
1782 bool
1783 Sema::DiagnoseEmptyLookup(Scope *S, CXXScopeSpec &SS, LookupResult &R,
1784                           std::unique_ptr<CorrectionCandidateCallback> CCC,
1785                           TemplateArgumentListInfo *ExplicitTemplateArgs,
1786                           ArrayRef<Expr *> Args, TypoExpr **Out) {
1787   DeclarationName Name = R.getLookupName();
1788
1789   unsigned diagnostic = diag::err_undeclared_var_use;
1790   unsigned diagnostic_suggest = diag::err_undeclared_var_use_suggest;
1791   if (Name.getNameKind() == DeclarationName::CXXOperatorName ||
1792       Name.getNameKind() == DeclarationName::CXXLiteralOperatorName ||
1793       Name.getNameKind() == DeclarationName::CXXConversionFunctionName) {
1794     diagnostic = diag::err_undeclared_use;
1795     diagnostic_suggest = diag::err_undeclared_use_suggest;
1796   }
1797
1798   // If the original lookup was an unqualified lookup, fake an
1799   // unqualified lookup.  This is useful when (for example) the
1800   // original lookup would not have found something because it was a
1801   // dependent name.
1802   DeclContext *DC = (SS.isEmpty() && !CallsUndergoingInstantiation.empty())
1803     ? CurContext : nullptr;
1804   while (DC) {
1805     if (isa<CXXRecordDecl>(DC)) {
1806       LookupQualifiedName(R, DC);
1807
1808       if (!R.empty()) {
1809         // Don't give errors about ambiguities in this lookup.
1810         R.suppressDiagnostics();
1811
1812         // During a default argument instantiation the CurContext points
1813         // to a CXXMethodDecl; but we can't apply a this-> fixit inside a
1814         // function parameter list, hence add an explicit check.
1815         bool isDefaultArgument = !ActiveTemplateInstantiations.empty() &&
1816                               ActiveTemplateInstantiations.back().Kind ==
1817             ActiveTemplateInstantiation::DefaultFunctionArgumentInstantiation;
1818         CXXMethodDecl *CurMethod = dyn_cast<CXXMethodDecl>(CurContext);
1819         bool isInstance = CurMethod &&
1820                           CurMethod->isInstance() &&
1821                           DC == CurMethod->getParent() && !isDefaultArgument;
1822                           
1823
1824         // Give a code modification hint to insert 'this->'.
1825         // TODO: fixit for inserting 'Base<T>::' in the other cases.
1826         // Actually quite difficult!
1827         if (getLangOpts().MSVCCompat)
1828           diagnostic = diag::ext_found_via_dependent_bases_lookup;
1829         if (isInstance) {
1830           Diag(R.getNameLoc(), diagnostic) << Name
1831             << FixItHint::CreateInsertion(R.getNameLoc(), "this->");
1832           UnresolvedLookupExpr *ULE = cast<UnresolvedLookupExpr>(
1833               CallsUndergoingInstantiation.back()->getCallee());
1834
1835           CXXMethodDecl *DepMethod;
1836           if (CurMethod->isDependentContext())
1837             DepMethod = CurMethod;
1838           else if (CurMethod->getTemplatedKind() ==
1839               FunctionDecl::TK_FunctionTemplateSpecialization)
1840             DepMethod = cast<CXXMethodDecl>(CurMethod->getPrimaryTemplate()->
1841                 getInstantiatedFromMemberTemplate()->getTemplatedDecl());
1842           else
1843             DepMethod = cast<CXXMethodDecl>(
1844                 CurMethod->getInstantiatedFromMemberFunction());
1845           assert(DepMethod && "No template pattern found");
1846
1847           QualType DepThisType = DepMethod->getThisType(Context);
1848           CheckCXXThisCapture(R.getNameLoc());
1849           CXXThisExpr *DepThis = new (Context) CXXThisExpr(
1850                                      R.getNameLoc(), DepThisType, false);
1851           TemplateArgumentListInfo TList;
1852           if (ULE->hasExplicitTemplateArgs())
1853             ULE->copyTemplateArgumentsInto(TList);
1854           
1855           CXXScopeSpec SS;
1856           SS.Adopt(ULE->getQualifierLoc());
1857           CXXDependentScopeMemberExpr *DepExpr =
1858               CXXDependentScopeMemberExpr::Create(
1859                   Context, DepThis, DepThisType, true, SourceLocation(),
1860                   SS.getWithLocInContext(Context),
1861                   ULE->getTemplateKeywordLoc(), nullptr,
1862                   R.getLookupNameInfo(),
1863                   ULE->hasExplicitTemplateArgs() ? &TList : nullptr);
1864           CallsUndergoingInstantiation.back()->setCallee(DepExpr);
1865         } else {
1866           Diag(R.getNameLoc(), diagnostic) << Name;
1867         }
1868
1869         // Do we really want to note all of these?
1870         for (LookupResult::iterator I = R.begin(), E = R.end(); I != E; ++I)
1871           Diag((*I)->getLocation(), diag::note_dependent_var_use);
1872
1873         // Return true if we are inside a default argument instantiation
1874         // and the found name refers to an instance member function, otherwise
1875         // the function calling DiagnoseEmptyLookup will try to create an
1876         // implicit member call and this is wrong for default argument.
1877         if (isDefaultArgument && ((*R.begin())->isCXXInstanceMember())) {
1878           Diag(R.getNameLoc(), diag::err_member_call_without_object);
1879           return true;
1880         }
1881
1882         // Tell the callee to try to recover.
1883         return false;
1884       }
1885
1886       R.clear();
1887     }
1888
1889     // In Microsoft mode, if we are performing lookup from within a friend
1890     // function definition declared at class scope then we must set
1891     // DC to the lexical parent to be able to search into the parent
1892     // class.
1893     if (getLangOpts().MSVCCompat && isa<FunctionDecl>(DC) &&
1894         cast<FunctionDecl>(DC)->getFriendObjectKind() &&
1895         DC->getLexicalParent()->isRecord())
1896       DC = DC->getLexicalParent();
1897     else
1898       DC = DC->getParent();
1899   }
1900
1901   // We didn't find anything, so try to correct for a typo.
1902   TypoCorrection Corrected;
1903   if (S && Out) {
1904     SourceLocation TypoLoc = R.getNameLoc();
1905     assert(!ExplicitTemplateArgs &&
1906            "Diagnosing an empty lookup with explicit template args!");
1907     *Out = CorrectTypoDelayed(
1908         R.getLookupNameInfo(), R.getLookupKind(), S, &SS, std::move(CCC),
1909         [=](const TypoCorrection &TC) {
1910           emitEmptyLookupTypoDiagnostic(TC, *this, SS, Name, TypoLoc, Args,
1911                                         diagnostic, diagnostic_suggest);
1912         },
1913         nullptr, CTK_ErrorRecovery);
1914     if (*Out)
1915       return true;
1916   } else if (S && (Corrected =
1917                        CorrectTypo(R.getLookupNameInfo(), R.getLookupKind(), S,
1918                                    &SS, std::move(CCC), CTK_ErrorRecovery))) {
1919     std::string CorrectedStr(Corrected.getAsString(getLangOpts()));
1920     bool DroppedSpecifier =
1921         Corrected.WillReplaceSpecifier() && Name.getAsString() == CorrectedStr;
1922     R.setLookupName(Corrected.getCorrection());
1923
1924     bool AcceptableWithRecovery = false;
1925     bool AcceptableWithoutRecovery = false;
1926     NamedDecl *ND = Corrected.getCorrectionDecl();
1927     if (ND) {
1928       if (Corrected.isOverloaded()) {
1929         OverloadCandidateSet OCS(R.getNameLoc(),
1930                                  OverloadCandidateSet::CSK_Normal);
1931         OverloadCandidateSet::iterator Best;
1932         for (TypoCorrection::decl_iterator CD = Corrected.begin(),
1933                                         CDEnd = Corrected.end();
1934              CD != CDEnd; ++CD) {
1935           if (FunctionTemplateDecl *FTD =
1936                    dyn_cast<FunctionTemplateDecl>(*CD))
1937             AddTemplateOverloadCandidate(
1938                 FTD, DeclAccessPair::make(FTD, AS_none), ExplicitTemplateArgs,
1939                 Args, OCS);
1940           else if (FunctionDecl *FD = dyn_cast<FunctionDecl>(*CD))
1941             if (!ExplicitTemplateArgs || ExplicitTemplateArgs->size() == 0)
1942               AddOverloadCandidate(FD, DeclAccessPair::make(FD, AS_none),
1943                                    Args, OCS);
1944         }
1945         switch (OCS.BestViableFunction(*this, R.getNameLoc(), Best)) {
1946         case OR_Success:
1947           ND = Best->Function;
1948           Corrected.setCorrectionDecl(ND);
1949           break;
1950         default:
1951           // FIXME: Arbitrarily pick the first declaration for the note.
1952           Corrected.setCorrectionDecl(ND);
1953           break;
1954         }
1955       }
1956       R.addDecl(ND);
1957       if (getLangOpts().CPlusPlus && ND->isCXXClassMember()) {
1958         CXXRecordDecl *Record = nullptr;
1959         if (Corrected.getCorrectionSpecifier()) {
1960           const Type *Ty = Corrected.getCorrectionSpecifier()->getAsType();
1961           Record = Ty->getAsCXXRecordDecl();
1962         }
1963         if (!Record)
1964           Record = cast<CXXRecordDecl>(
1965               ND->getDeclContext()->getRedeclContext());
1966         R.setNamingClass(Record);
1967       }
1968
1969       AcceptableWithRecovery =
1970           isa<ValueDecl>(ND) || isa<FunctionTemplateDecl>(ND);
1971       // FIXME: If we ended up with a typo for a type name or
1972       // Objective-C class name, we're in trouble because the parser
1973       // is in the wrong place to recover. Suggest the typo
1974       // correction, but don't make it a fix-it since we're not going
1975       // to recover well anyway.
1976       AcceptableWithoutRecovery =
1977           isa<TypeDecl>(ND) || isa<ObjCInterfaceDecl>(ND);
1978     } else {
1979       // FIXME: We found a keyword. Suggest it, but don't provide a fix-it
1980       // because we aren't able to recover.
1981       AcceptableWithoutRecovery = true;
1982     }
1983
1984     if (AcceptableWithRecovery || AcceptableWithoutRecovery) {
1985       unsigned NoteID = (Corrected.getCorrectionDecl() &&
1986                          isa<ImplicitParamDecl>(Corrected.getCorrectionDecl()))
1987                             ? diag::note_implicit_param_decl
1988                             : diag::note_previous_decl;
1989       if (SS.isEmpty())
1990         diagnoseTypo(Corrected, PDiag(diagnostic_suggest) << Name,
1991                      PDiag(NoteID), AcceptableWithRecovery);
1992       else
1993         diagnoseTypo(Corrected, PDiag(diag::err_no_member_suggest)
1994                                   << Name << computeDeclContext(SS, false)
1995                                   << DroppedSpecifier << SS.getRange(),
1996                      PDiag(NoteID), AcceptableWithRecovery);
1997
1998       // Tell the callee whether to try to recover.
1999       return !AcceptableWithRecovery;
2000     }
2001   }
2002   R.clear();
2003
2004   // Emit a special diagnostic for failed member lookups.
2005   // FIXME: computing the declaration context might fail here (?)
2006   if (!SS.isEmpty()) {
2007     Diag(R.getNameLoc(), diag::err_no_member)
2008       << Name << computeDeclContext(SS, false)
2009       << SS.getRange();
2010     return true;
2011   }
2012
2013   // Give up, we can't recover.
2014   Diag(R.getNameLoc(), diagnostic) << Name;
2015   return true;
2016 }
2017
2018 /// In Microsoft mode, if we are inside a template class whose parent class has
2019 /// dependent base classes, and we can't resolve an unqualified identifier, then
2020 /// assume the identifier is a member of a dependent base class.  We can only
2021 /// recover successfully in static methods, instance methods, and other contexts
2022 /// where 'this' is available.  This doesn't precisely match MSVC's
2023 /// instantiation model, but it's close enough.
2024 static Expr *
2025 recoverFromMSUnqualifiedLookup(Sema &S, ASTContext &Context,
2026                                DeclarationNameInfo &NameInfo,
2027                                SourceLocation TemplateKWLoc,
2028                                const TemplateArgumentListInfo *TemplateArgs) {
2029   // Only try to recover from lookup into dependent bases in static methods or
2030   // contexts where 'this' is available.
2031   QualType ThisType = S.getCurrentThisType();
2032   const CXXRecordDecl *RD = nullptr;
2033   if (!ThisType.isNull())
2034     RD = ThisType->getPointeeType()->getAsCXXRecordDecl();
2035   else if (auto *MD = dyn_cast<CXXMethodDecl>(S.CurContext))
2036     RD = MD->getParent();
2037   if (!RD || !RD->hasAnyDependentBases())
2038     return nullptr;
2039
2040   // Diagnose this as unqualified lookup into a dependent base class.  If 'this'
2041   // is available, suggest inserting 'this->' as a fixit.
2042   SourceLocation Loc = NameInfo.getLoc();
2043   auto DB = S.Diag(Loc, diag::ext_undeclared_unqual_id_with_dependent_base);
2044   DB << NameInfo.getName() << RD;
2045
2046   if (!ThisType.isNull()) {
2047     DB << FixItHint::CreateInsertion(Loc, "this->");
2048     return CXXDependentScopeMemberExpr::Create(
2049         Context, /*This=*/nullptr, ThisType, /*IsArrow=*/true,
2050         /*Op=*/SourceLocation(), NestedNameSpecifierLoc(), TemplateKWLoc,
2051         /*FirstQualifierInScope=*/nullptr, NameInfo, TemplateArgs);
2052   }
2053
2054   // Synthesize a fake NNS that points to the derived class.  This will
2055   // perform name lookup during template instantiation.
2056   CXXScopeSpec SS;
2057   auto *NNS =
2058       NestedNameSpecifier::Create(Context, nullptr, true, RD->getTypeForDecl());
2059   SS.MakeTrivial(Context, NNS, SourceRange(Loc, Loc));
2060   return DependentScopeDeclRefExpr::Create(
2061       Context, SS.getWithLocInContext(Context), TemplateKWLoc, NameInfo,
2062       TemplateArgs);
2063 }
2064
2065 ExprResult
2066 Sema::ActOnIdExpression(Scope *S, CXXScopeSpec &SS,
2067                         SourceLocation TemplateKWLoc, UnqualifiedId &Id,
2068                         bool HasTrailingLParen, bool IsAddressOfOperand,
2069                         std::unique_ptr<CorrectionCandidateCallback> CCC,
2070                         bool IsInlineAsmIdentifier, Token *KeywordReplacement) {
2071   assert(!(IsAddressOfOperand && HasTrailingLParen) &&
2072          "cannot be direct & operand and have a trailing lparen");
2073   if (SS.isInvalid())
2074     return ExprError();
2075
2076   TemplateArgumentListInfo TemplateArgsBuffer;
2077
2078   // Decompose the UnqualifiedId into the following data.
2079   DeclarationNameInfo NameInfo;
2080   const TemplateArgumentListInfo *TemplateArgs;
2081   DecomposeUnqualifiedId(Id, TemplateArgsBuffer, NameInfo, TemplateArgs);
2082
2083   DeclarationName Name = NameInfo.getName();
2084   IdentifierInfo *II = Name.getAsIdentifierInfo();
2085   SourceLocation NameLoc = NameInfo.getLoc();
2086
2087   // C++ [temp.dep.expr]p3:
2088   //   An id-expression is type-dependent if it contains:
2089   //     -- an identifier that was declared with a dependent type,
2090   //        (note: handled after lookup)
2091   //     -- a template-id that is dependent,
2092   //        (note: handled in BuildTemplateIdExpr)
2093   //     -- a conversion-function-id that specifies a dependent type,
2094   //     -- a nested-name-specifier that contains a class-name that
2095   //        names a dependent type.
2096   // Determine whether this is a member of an unknown specialization;
2097   // we need to handle these differently.
2098   bool DependentID = false;
2099   if (Name.getNameKind() == DeclarationName::CXXConversionFunctionName &&
2100       Name.getCXXNameType()->isDependentType()) {
2101     DependentID = true;
2102   } else if (SS.isSet()) {
2103     if (DeclContext *DC = computeDeclContext(SS, false)) {
2104       if (RequireCompleteDeclContext(SS, DC))
2105         return ExprError();
2106     } else {
2107       DependentID = true;
2108     }
2109   }
2110
2111   if (DependentID)
2112     return ActOnDependentIdExpression(SS, TemplateKWLoc, NameInfo,
2113                                       IsAddressOfOperand, TemplateArgs);
2114
2115   // Perform the required lookup.
2116   LookupResult R(*this, NameInfo, 
2117                  (Id.getKind() == UnqualifiedId::IK_ImplicitSelfParam) 
2118                   ? LookupObjCImplicitSelfParam : LookupOrdinaryName);
2119   if (TemplateArgs) {
2120     // Lookup the template name again to correctly establish the context in
2121     // which it was found. This is really unfortunate as we already did the
2122     // lookup to determine that it was a template name in the first place. If
2123     // this becomes a performance hit, we can work harder to preserve those
2124     // results until we get here but it's likely not worth it.
2125     bool MemberOfUnknownSpecialization;
2126     LookupTemplateName(R, S, SS, QualType(), /*EnteringContext=*/false,
2127                        MemberOfUnknownSpecialization);
2128     
2129     if (MemberOfUnknownSpecialization ||
2130         (R.getResultKind() == LookupResult::NotFoundInCurrentInstantiation))
2131       return ActOnDependentIdExpression(SS, TemplateKWLoc, NameInfo,
2132                                         IsAddressOfOperand, TemplateArgs);
2133   } else {
2134     bool IvarLookupFollowUp = II && !SS.isSet() && getCurMethodDecl();
2135     LookupParsedName(R, S, &SS, !IvarLookupFollowUp);
2136
2137     // If the result might be in a dependent base class, this is a dependent 
2138     // id-expression.
2139     if (R.getResultKind() == LookupResult::NotFoundInCurrentInstantiation)
2140       return ActOnDependentIdExpression(SS, TemplateKWLoc, NameInfo,
2141                                         IsAddressOfOperand, TemplateArgs);
2142
2143     // If this reference is in an Objective-C method, then we need to do
2144     // some special Objective-C lookup, too.
2145     if (IvarLookupFollowUp) {
2146       ExprResult E(LookupInObjCMethod(R, S, II, true));
2147       if (E.isInvalid())
2148         return ExprError();
2149
2150       if (Expr *Ex = E.getAs<Expr>())
2151         return Ex;
2152     }
2153   }
2154
2155   if (R.isAmbiguous())
2156     return ExprError();
2157
2158   // This could be an implicitly declared function reference (legal in C90,
2159   // extension in C99, forbidden in C++).
2160   if (R.empty() && HasTrailingLParen && II && !getLangOpts().CPlusPlus) {
2161     NamedDecl *D = ImplicitlyDefineFunction(NameLoc, *II, S);
2162     if (D) R.addDecl(D);
2163   }
2164
2165   // Determine whether this name might be a candidate for
2166   // argument-dependent lookup.
2167   bool ADL = UseArgumentDependentLookup(SS, R, HasTrailingLParen);
2168
2169   if (R.empty() && !ADL) {
2170     if (SS.isEmpty() && getLangOpts().MSVCCompat) {
2171       if (Expr *E = recoverFromMSUnqualifiedLookup(*this, Context, NameInfo,
2172                                                    TemplateKWLoc, TemplateArgs))
2173         return E;
2174     }
2175
2176     // Don't diagnose an empty lookup for inline assembly.
2177     if (IsInlineAsmIdentifier)
2178       return ExprError();
2179
2180     // If this name wasn't predeclared and if this is not a function
2181     // call, diagnose the problem.
2182     TypoExpr *TE = nullptr;
2183     auto DefaultValidator = llvm::make_unique<CorrectionCandidateCallback>(
2184         II, SS.isValid() ? SS.getScopeRep() : nullptr);
2185     DefaultValidator->IsAddressOfOperand = IsAddressOfOperand;
2186     assert((!CCC || CCC->IsAddressOfOperand == IsAddressOfOperand) &&
2187            "Typo correction callback misconfigured");
2188     if (CCC) {
2189       // Make sure the callback knows what the typo being diagnosed is.
2190       CCC->setTypoName(II);
2191       if (SS.isValid())
2192         CCC->setTypoNNS(SS.getScopeRep());
2193     }
2194     if (DiagnoseEmptyLookup(S, SS, R,
2195                             CCC ? std::move(CCC) : std::move(DefaultValidator),
2196                             nullptr, None, &TE)) {
2197       if (TE && KeywordReplacement) {
2198         auto &State = getTypoExprState(TE);
2199         auto BestTC = State.Consumer->getNextCorrection();
2200         if (BestTC.isKeyword()) {
2201           auto *II = BestTC.getCorrectionAsIdentifierInfo();
2202           if (State.DiagHandler)
2203             State.DiagHandler(BestTC);
2204           KeywordReplacement->startToken();
2205           KeywordReplacement->setKind(II->getTokenID());
2206           KeywordReplacement->setIdentifierInfo(II);
2207           KeywordReplacement->setLocation(BestTC.getCorrectionRange().getBegin());
2208           // Clean up the state associated with the TypoExpr, since it has
2209           // now been diagnosed (without a call to CorrectDelayedTyposInExpr).
2210           clearDelayedTypo(TE);
2211           // Signal that a correction to a keyword was performed by returning a
2212           // valid-but-null ExprResult.
2213           return (Expr*)nullptr;
2214         }
2215         State.Consumer->resetCorrectionStream();
2216       }
2217       return TE ? TE : ExprError();
2218     }
2219
2220     assert(!R.empty() &&
2221            "DiagnoseEmptyLookup returned false but added no results");
2222
2223     // If we found an Objective-C instance variable, let
2224     // LookupInObjCMethod build the appropriate expression to
2225     // reference the ivar.
2226     if (ObjCIvarDecl *Ivar = R.getAsSingle<ObjCIvarDecl>()) {
2227       R.clear();
2228       ExprResult E(LookupInObjCMethod(R, S, Ivar->getIdentifier()));
2229       // In a hopelessly buggy code, Objective-C instance variable
2230       // lookup fails and no expression will be built to reference it.
2231       if (!E.isInvalid() && !E.get())
2232         return ExprError();
2233       return E;
2234     }
2235   }
2236
2237   // This is guaranteed from this point on.
2238   assert(!R.empty() || ADL);
2239
2240   // Check whether this might be a C++ implicit instance member access.
2241   // C++ [class.mfct.non-static]p3:
2242   //   When an id-expression that is not part of a class member access
2243   //   syntax and not used to form a pointer to member is used in the
2244   //   body of a non-static member function of class X, if name lookup
2245   //   resolves the name in the id-expression to a non-static non-type
2246   //   member of some class C, the id-expression is transformed into a
2247   //   class member access expression using (*this) as the
2248   //   postfix-expression to the left of the . operator.
2249   //
2250   // But we don't actually need to do this for '&' operands if R
2251   // resolved to a function or overloaded function set, because the
2252   // expression is ill-formed if it actually works out to be a
2253   // non-static member function:
2254   //
2255   // C++ [expr.ref]p4:
2256   //   Otherwise, if E1.E2 refers to a non-static member function. . .
2257   //   [t]he expression can be used only as the left-hand operand of a
2258   //   member function call.
2259   //
2260   // There are other safeguards against such uses, but it's important
2261   // to get this right here so that we don't end up making a
2262   // spuriously dependent expression if we're inside a dependent
2263   // instance method.
2264   if (!R.empty() && (*R.begin())->isCXXClassMember()) {
2265     bool MightBeImplicitMember;
2266     if (!IsAddressOfOperand)
2267       MightBeImplicitMember = true;
2268     else if (!SS.isEmpty())
2269       MightBeImplicitMember = false;
2270     else if (R.isOverloadedResult())
2271       MightBeImplicitMember = false;
2272     else if (R.isUnresolvableResult())
2273       MightBeImplicitMember = true;
2274     else
2275       MightBeImplicitMember = isa<FieldDecl>(R.getFoundDecl()) ||
2276                               isa<IndirectFieldDecl>(R.getFoundDecl()) ||
2277                               isa<MSPropertyDecl>(R.getFoundDecl());
2278
2279     if (MightBeImplicitMember)
2280       return BuildPossibleImplicitMemberExpr(SS, TemplateKWLoc,
2281                                              R, TemplateArgs);
2282   }
2283
2284   if (TemplateArgs || TemplateKWLoc.isValid()) {
2285
2286     // In C++1y, if this is a variable template id, then check it
2287     // in BuildTemplateIdExpr().
2288     // The single lookup result must be a variable template declaration.
2289     if (Id.getKind() == UnqualifiedId::IK_TemplateId && Id.TemplateId &&
2290         Id.TemplateId->Kind == TNK_Var_template) {
2291       assert(R.getAsSingle<VarTemplateDecl>() &&
2292              "There should only be one declaration found.");
2293     }
2294
2295     return BuildTemplateIdExpr(SS, TemplateKWLoc, R, ADL, TemplateArgs);
2296   }
2297
2298   return BuildDeclarationNameExpr(SS, R, ADL);
2299 }
2300
2301 /// BuildQualifiedDeclarationNameExpr - Build a C++ qualified
2302 /// declaration name, generally during template instantiation.
2303 /// There's a large number of things which don't need to be done along
2304 /// this path.
2305 ExprResult
2306 Sema::BuildQualifiedDeclarationNameExpr(CXXScopeSpec &SS,
2307                                         const DeclarationNameInfo &NameInfo,
2308                                         bool IsAddressOfOperand,
2309                                         TypeSourceInfo **RecoveryTSI) {
2310   DeclContext *DC = computeDeclContext(SS, false);
2311   if (!DC)
2312     return BuildDependentDeclRefExpr(SS, /*TemplateKWLoc=*/SourceLocation(),
2313                                      NameInfo, /*TemplateArgs=*/nullptr);
2314
2315   if (RequireCompleteDeclContext(SS, DC))
2316     return ExprError();
2317
2318   LookupResult R(*this, NameInfo, LookupOrdinaryName);
2319   LookupQualifiedName(R, DC);
2320
2321   if (R.isAmbiguous())
2322     return ExprError();
2323
2324   if (R.getResultKind() == LookupResult::NotFoundInCurrentInstantiation)
2325     return BuildDependentDeclRefExpr(SS, /*TemplateKWLoc=*/SourceLocation(),
2326                                      NameInfo, /*TemplateArgs=*/nullptr);
2327
2328   if (R.empty()) {
2329     Diag(NameInfo.getLoc(), diag::err_no_member)
2330       << NameInfo.getName() << DC << SS.getRange();
2331     return ExprError();
2332   }
2333
2334   if (const TypeDecl *TD = R.getAsSingle<TypeDecl>()) {
2335     // Diagnose a missing typename if this resolved unambiguously to a type in
2336     // a dependent context.  If we can recover with a type, downgrade this to
2337     // a warning in Microsoft compatibility mode.
2338     unsigned DiagID = diag::err_typename_missing;
2339     if (RecoveryTSI && getLangOpts().MSVCCompat)
2340       DiagID = diag::ext_typename_missing;
2341     SourceLocation Loc = SS.getBeginLoc();
2342     auto D = Diag(Loc, DiagID);
2343     D << SS.getScopeRep() << NameInfo.getName().getAsString()
2344       << SourceRange(Loc, NameInfo.getEndLoc());
2345
2346     // Don't recover if the caller isn't expecting us to or if we're in a SFINAE
2347     // context.
2348     if (!RecoveryTSI)
2349       return ExprError();
2350
2351     // Only issue the fixit if we're prepared to recover.
2352     D << FixItHint::CreateInsertion(Loc, "typename ");
2353
2354     // Recover by pretending this was an elaborated type.
2355     QualType Ty = Context.getTypeDeclType(TD);
2356     TypeLocBuilder TLB;
2357     TLB.pushTypeSpec(Ty).setNameLoc(NameInfo.getLoc());
2358
2359     QualType ET = getElaboratedType(ETK_None, SS, Ty);
2360     ElaboratedTypeLoc QTL = TLB.push<ElaboratedTypeLoc>(ET);
2361     QTL.setElaboratedKeywordLoc(SourceLocation());
2362     QTL.setQualifierLoc(SS.getWithLocInContext(Context));
2363
2364     *RecoveryTSI = TLB.getTypeSourceInfo(Context, ET);
2365
2366     return ExprEmpty();
2367   }
2368
2369   // Defend against this resolving to an implicit member access. We usually
2370   // won't get here if this might be a legitimate a class member (we end up in
2371   // BuildMemberReferenceExpr instead), but this can be valid if we're forming
2372   // a pointer-to-member or in an unevaluated context in C++11.
2373   if (!R.empty() && (*R.begin())->isCXXClassMember() && !IsAddressOfOperand)
2374     return BuildPossibleImplicitMemberExpr(SS,
2375                                            /*TemplateKWLoc=*/SourceLocation(),
2376                                            R, /*TemplateArgs=*/nullptr);
2377
2378   return BuildDeclarationNameExpr(SS, R, /* ADL */ false);
2379 }
2380
2381 /// LookupInObjCMethod - The parser has read a name in, and Sema has
2382 /// detected that we're currently inside an ObjC method.  Perform some
2383 /// additional lookup.
2384 ///
2385 /// Ideally, most of this would be done by lookup, but there's
2386 /// actually quite a lot of extra work involved.
2387 ///
2388 /// Returns a null sentinel to indicate trivial success.
2389 ExprResult
2390 Sema::LookupInObjCMethod(LookupResult &Lookup, Scope *S,
2391                          IdentifierInfo *II, bool AllowBuiltinCreation) {
2392   SourceLocation Loc = Lookup.getNameLoc();
2393   ObjCMethodDecl *CurMethod = getCurMethodDecl();
2394   
2395   // Check for error condition which is already reported.
2396   if (!CurMethod)
2397     return ExprError();
2398
2399   // There are two cases to handle here.  1) scoped lookup could have failed,
2400   // in which case we should look for an ivar.  2) scoped lookup could have
2401   // found a decl, but that decl is outside the current instance method (i.e.
2402   // a global variable).  In these two cases, we do a lookup for an ivar with
2403   // this name, if the lookup sucedes, we replace it our current decl.
2404
2405   // If we're in a class method, we don't normally want to look for
2406   // ivars.  But if we don't find anything else, and there's an
2407   // ivar, that's an error.
2408   bool IsClassMethod = CurMethod->isClassMethod();
2409
2410   bool LookForIvars;
2411   if (Lookup.empty())
2412     LookForIvars = true;
2413   else if (IsClassMethod)
2414     LookForIvars = false;
2415   else
2416     LookForIvars = (Lookup.isSingleResult() &&
2417                     Lookup.getFoundDecl()->isDefinedOutsideFunctionOrMethod());
2418   ObjCInterfaceDecl *IFace = nullptr;
2419   if (LookForIvars) {
2420     IFace = CurMethod->getClassInterface();
2421     ObjCInterfaceDecl *ClassDeclared;
2422     ObjCIvarDecl *IV = nullptr;
2423     if (IFace && (IV = IFace->lookupInstanceVariable(II, ClassDeclared))) {
2424       // Diagnose using an ivar in a class method.
2425       if (IsClassMethod)
2426         return ExprError(Diag(Loc, diag::error_ivar_use_in_class_method)
2427                          << IV->getDeclName());
2428
2429       // If we're referencing an invalid decl, just return this as a silent
2430       // error node.  The error diagnostic was already emitted on the decl.
2431       if (IV->isInvalidDecl())
2432         return ExprError();
2433
2434       // Check if referencing a field with __attribute__((deprecated)).
2435       if (DiagnoseUseOfDecl(IV, Loc))
2436         return ExprError();
2437
2438       // Diagnose the use of an ivar outside of the declaring class.
2439       if (IV->getAccessControl() == ObjCIvarDecl::Private &&
2440           !declaresSameEntity(ClassDeclared, IFace) &&
2441           !getLangOpts().DebuggerSupport)
2442         Diag(Loc, diag::error_private_ivar_access) << IV->getDeclName();
2443
2444       // FIXME: This should use a new expr for a direct reference, don't
2445       // turn this into Self->ivar, just return a BareIVarExpr or something.
2446       IdentifierInfo &II = Context.Idents.get("self");
2447       UnqualifiedId SelfName;
2448       SelfName.setIdentifier(&II, SourceLocation());
2449       SelfName.setKind(UnqualifiedId::IK_ImplicitSelfParam);
2450       CXXScopeSpec SelfScopeSpec;
2451       SourceLocation TemplateKWLoc;
2452       ExprResult SelfExpr = ActOnIdExpression(S, SelfScopeSpec, TemplateKWLoc,
2453                                               SelfName, false, false);
2454       if (SelfExpr.isInvalid())
2455         return ExprError();
2456
2457       SelfExpr = DefaultLvalueConversion(SelfExpr.get());
2458       if (SelfExpr.isInvalid())
2459         return ExprError();
2460
2461       MarkAnyDeclReferenced(Loc, IV, true);
2462
2463       ObjCMethodFamily MF = CurMethod->getMethodFamily();
2464       if (MF != OMF_init && MF != OMF_dealloc && MF != OMF_finalize &&
2465           !IvarBacksCurrentMethodAccessor(IFace, CurMethod, IV))
2466         Diag(Loc, diag::warn_direct_ivar_access) << IV->getDeclName();
2467
2468       ObjCIvarRefExpr *Result = new (Context)
2469           ObjCIvarRefExpr(IV, IV->getType(), Loc, IV->getLocation(),
2470                           SelfExpr.get(), true, true);
2471
2472       if (getLangOpts().ObjCAutoRefCount) {
2473         if (IV->getType().getObjCLifetime() == Qualifiers::OCL_Weak) {
2474           if (!Diags.isIgnored(diag::warn_arc_repeated_use_of_weak, Loc))
2475             recordUseOfEvaluatedWeak(Result);
2476         }
2477         if (CurContext->isClosure())
2478           Diag(Loc, diag::warn_implicitly_retains_self)
2479             << FixItHint::CreateInsertion(Loc, "self->");
2480       }
2481       
2482       return Result;
2483     }
2484   } else if (CurMethod->isInstanceMethod()) {
2485     // We should warn if a local variable hides an ivar.
2486     if (ObjCInterfaceDecl *IFace = CurMethod->getClassInterface()) {
2487       ObjCInterfaceDecl *ClassDeclared;
2488       if (ObjCIvarDecl *IV = IFace->lookupInstanceVariable(II, ClassDeclared)) {
2489         if (IV->getAccessControl() != ObjCIvarDecl::Private ||
2490             declaresSameEntity(IFace, ClassDeclared))
2491           Diag(Loc, diag::warn_ivar_use_hidden) << IV->getDeclName();
2492       }
2493     }
2494   } else if (Lookup.isSingleResult() &&
2495              Lookup.getFoundDecl()->isDefinedOutsideFunctionOrMethod()) {
2496     // If accessing a stand-alone ivar in a class method, this is an error.
2497     if (const ObjCIvarDecl *IV = dyn_cast<ObjCIvarDecl>(Lookup.getFoundDecl()))
2498       return ExprError(Diag(Loc, diag::error_ivar_use_in_class_method)
2499                        << IV->getDeclName());
2500   }
2501
2502   if (Lookup.empty() && II && AllowBuiltinCreation) {
2503     // FIXME. Consolidate this with similar code in LookupName.
2504     if (unsigned BuiltinID = II->getBuiltinID()) {
2505       if (!(getLangOpts().CPlusPlus &&
2506             Context.BuiltinInfo.isPredefinedLibFunction(BuiltinID))) {
2507         NamedDecl *D = LazilyCreateBuiltin((IdentifierInfo *)II, BuiltinID,
2508                                            S, Lookup.isForRedeclaration(),
2509                                            Lookup.getNameLoc());
2510         if (D) Lookup.addDecl(D);
2511       }
2512     }
2513   }
2514   // Sentinel value saying that we didn't do anything special.
2515   return ExprResult((Expr *)nullptr);
2516 }
2517
2518 /// \brief Cast a base object to a member's actual type.
2519 ///
2520 /// Logically this happens in three phases:
2521 ///
2522 /// * First we cast from the base type to the naming class.
2523 ///   The naming class is the class into which we were looking
2524 ///   when we found the member;  it's the qualifier type if a
2525 ///   qualifier was provided, and otherwise it's the base type.
2526 ///
2527 /// * Next we cast from the naming class to the declaring class.
2528 ///   If the member we found was brought into a class's scope by
2529 ///   a using declaration, this is that class;  otherwise it's
2530 ///   the class declaring the member.
2531 ///
2532 /// * Finally we cast from the declaring class to the "true"
2533 ///   declaring class of the member.  This conversion does not
2534 ///   obey access control.
2535 ExprResult
2536 Sema::PerformObjectMemberConversion(Expr *From,
2537                                     NestedNameSpecifier *Qualifier,
2538                                     NamedDecl *FoundDecl,
2539                                     NamedDecl *Member) {
2540   CXXRecordDecl *RD = dyn_cast<CXXRecordDecl>(Member->getDeclContext());
2541   if (!RD)
2542     return From;
2543
2544   QualType DestRecordType;
2545   QualType DestType;
2546   QualType FromRecordType;
2547   QualType FromType = From->getType();
2548   bool PointerConversions = false;
2549   if (isa<FieldDecl>(Member)) {
2550     DestRecordType = Context.getCanonicalType(Context.getTypeDeclType(RD));
2551
2552     if (FromType->getAs<PointerType>()) {
2553       DestType = Context.getPointerType(DestRecordType);
2554       FromRecordType = FromType->getPointeeType();
2555       PointerConversions = true;
2556     } else {
2557       DestType = DestRecordType;
2558       FromRecordType = FromType;
2559     }
2560   } else if (CXXMethodDecl *Method = dyn_cast<CXXMethodDecl>(Member)) {
2561     if (Method->isStatic())
2562       return From;
2563
2564     DestType = Method->getThisType(Context);
2565     DestRecordType = DestType->getPointeeType();
2566
2567     if (FromType->getAs<PointerType>()) {
2568       FromRecordType = FromType->getPointeeType();
2569       PointerConversions = true;
2570     } else {
2571       FromRecordType = FromType;
2572       DestType = DestRecordType;
2573     }
2574   } else {
2575     // No conversion necessary.
2576     return From;
2577   }
2578
2579   if (DestType->isDependentType() || FromType->isDependentType())
2580     return From;
2581
2582   // If the unqualified types are the same, no conversion is necessary.
2583   if (Context.hasSameUnqualifiedType(FromRecordType, DestRecordType))
2584     return From;
2585
2586   SourceRange FromRange = From->getSourceRange();
2587   SourceLocation FromLoc = FromRange.getBegin();
2588
2589   ExprValueKind VK = From->getValueKind();
2590
2591   // C++ [class.member.lookup]p8:
2592   //   [...] Ambiguities can often be resolved by qualifying a name with its
2593   //   class name.
2594   //
2595   // If the member was a qualified name and the qualified referred to a
2596   // specific base subobject type, we'll cast to that intermediate type
2597   // first and then to the object in which the member is declared. That allows
2598   // one to resolve ambiguities in, e.g., a diamond-shaped hierarchy such as:
2599   //
2600   //   class Base { public: int x; };
2601   //   class Derived1 : public Base { };
2602   //   class Derived2 : public Base { };
2603   //   class VeryDerived : public Derived1, public Derived2 { void f(); };
2604   //
2605   //   void VeryDerived::f() {
2606   //     x = 17; // error: ambiguous base subobjects
2607   //     Derived1::x = 17; // okay, pick the Base subobject of Derived1
2608   //   }
2609   if (Qualifier && Qualifier->getAsType()) {
2610     QualType QType = QualType(Qualifier->getAsType(), 0);
2611     assert(QType->isRecordType() && "lookup done with non-record type");
2612
2613     QualType QRecordType = QualType(QType->getAs<RecordType>(), 0);
2614
2615     // In C++98, the qualifier type doesn't actually have to be a base
2616     // type of the object type, in which case we just ignore it.
2617     // Otherwise build the appropriate casts.
2618     if (IsDerivedFrom(FromRecordType, QRecordType)) {
2619       CXXCastPath BasePath;
2620       if (CheckDerivedToBaseConversion(FromRecordType, QRecordType,
2621                                        FromLoc, FromRange, &BasePath))
2622         return ExprError();
2623
2624       if (PointerConversions)
2625         QType = Context.getPointerType(QType);
2626       From = ImpCastExprToType(From, QType, CK_UncheckedDerivedToBase,
2627                                VK, &BasePath).get();
2628
2629       FromType = QType;
2630       FromRecordType = QRecordType;
2631
2632       // If the qualifier type was the same as the destination type,
2633       // we're done.
2634       if (Context.hasSameUnqualifiedType(FromRecordType, DestRecordType))
2635         return From;
2636     }
2637   }
2638
2639   bool IgnoreAccess = false;
2640
2641   // If we actually found the member through a using declaration, cast
2642   // down to the using declaration's type.
2643   //
2644   // Pointer equality is fine here because only one declaration of a
2645   // class ever has member declarations.
2646   if (FoundDecl->getDeclContext() != Member->getDeclContext()) {
2647     assert(isa<UsingShadowDecl>(FoundDecl));
2648     QualType URecordType = Context.getTypeDeclType(
2649                            cast<CXXRecordDecl>(FoundDecl->getDeclContext()));
2650
2651     // We only need to do this if the naming-class to declaring-class
2652     // conversion is non-trivial.
2653     if (!Context.hasSameUnqualifiedType(FromRecordType, URecordType)) {
2654       assert(IsDerivedFrom(FromRecordType, URecordType));
2655       CXXCastPath BasePath;
2656       if (CheckDerivedToBaseConversion(FromRecordType, URecordType,
2657                                        FromLoc, FromRange, &BasePath))
2658         return ExprError();
2659
2660       QualType UType = URecordType;
2661       if (PointerConversions)
2662         UType = Context.getPointerType(UType);
2663       From = ImpCastExprToType(From, UType, CK_UncheckedDerivedToBase,
2664                                VK, &BasePath).get();
2665       FromType = UType;
2666       FromRecordType = URecordType;
2667     }
2668
2669     // We don't do access control for the conversion from the
2670     // declaring class to the true declaring class.
2671     IgnoreAccess = true;
2672   }
2673
2674   CXXCastPath BasePath;
2675   if (CheckDerivedToBaseConversion(FromRecordType, DestRecordType,
2676                                    FromLoc, FromRange, &BasePath,
2677                                    IgnoreAccess))
2678     return ExprError();
2679
2680   return ImpCastExprToType(From, DestType, CK_UncheckedDerivedToBase,
2681                            VK, &BasePath);
2682 }
2683
2684 bool Sema::UseArgumentDependentLookup(const CXXScopeSpec &SS,
2685                                       const LookupResult &R,
2686                                       bool HasTrailingLParen) {
2687   // Only when used directly as the postfix-expression of a call.
2688   if (!HasTrailingLParen)
2689     return false;
2690
2691   // Never if a scope specifier was provided.
2692   if (SS.isSet())
2693     return false;
2694
2695   // Only in C++ or ObjC++.
2696   if (!getLangOpts().CPlusPlus)
2697     return false;
2698
2699   // Turn off ADL when we find certain kinds of declarations during
2700   // normal lookup:
2701   for (LookupResult::iterator I = R.begin(), E = R.end(); I != E; ++I) {
2702     NamedDecl *D = *I;
2703
2704     // C++0x [basic.lookup.argdep]p3:
2705     //     -- a declaration of a class member
2706     // Since using decls preserve this property, we check this on the
2707     // original decl.
2708     if (D->isCXXClassMember())
2709       return false;
2710
2711     // C++0x [basic.lookup.argdep]p3:
2712     //     -- a block-scope function declaration that is not a
2713     //        using-declaration
2714     // NOTE: we also trigger this for function templates (in fact, we
2715     // don't check the decl type at all, since all other decl types
2716     // turn off ADL anyway).
2717     if (isa<UsingShadowDecl>(D))
2718       D = cast<UsingShadowDecl>(D)->getTargetDecl();
2719     else if (D->getLexicalDeclContext()->isFunctionOrMethod())
2720       return false;
2721
2722     // C++0x [basic.lookup.argdep]p3:
2723     //     -- a declaration that is neither a function or a function
2724     //        template
2725     // And also for builtin functions.
2726     if (isa<FunctionDecl>(D)) {
2727       FunctionDecl *FDecl = cast<FunctionDecl>(D);
2728
2729       // But also builtin functions.
2730       if (FDecl->getBuiltinID() && FDecl->isImplicit())
2731         return false;
2732     } else if (!isa<FunctionTemplateDecl>(D))
2733       return false;
2734   }
2735
2736   return true;
2737 }
2738
2739
2740 /// Diagnoses obvious problems with the use of the given declaration
2741 /// as an expression.  This is only actually called for lookups that
2742 /// were not overloaded, and it doesn't promise that the declaration
2743 /// will in fact be used.
2744 static bool CheckDeclInExpr(Sema &S, SourceLocation Loc, NamedDecl *D) {
2745   if (isa<TypedefNameDecl>(D)) {
2746     S.Diag(Loc, diag::err_unexpected_typedef) << D->getDeclName();
2747     return true;
2748   }
2749
2750   if (isa<ObjCInterfaceDecl>(D)) {
2751     S.Diag(Loc, diag::err_unexpected_interface) << D->getDeclName();
2752     return true;
2753   }
2754
2755   if (isa<NamespaceDecl>(D)) {
2756     S.Diag(Loc, diag::err_unexpected_namespace) << D->getDeclName();
2757     return true;
2758   }
2759
2760   return false;
2761 }
2762
2763 ExprResult Sema::BuildDeclarationNameExpr(const CXXScopeSpec &SS,
2764                                           LookupResult &R, bool NeedsADL,
2765                                           bool AcceptInvalidDecl) {
2766   // If this is a single, fully-resolved result and we don't need ADL,
2767   // just build an ordinary singleton decl ref.
2768   if (!NeedsADL && R.isSingleResult() && !R.getAsSingle<FunctionTemplateDecl>())
2769     return BuildDeclarationNameExpr(SS, R.getLookupNameInfo(), R.getFoundDecl(),
2770                                     R.getRepresentativeDecl(), nullptr,
2771                                     AcceptInvalidDecl);
2772
2773   // We only need to check the declaration if there's exactly one
2774   // result, because in the overloaded case the results can only be
2775   // functions and function templates.
2776   if (R.isSingleResult() &&
2777       CheckDeclInExpr(*this, R.getNameLoc(), R.getFoundDecl()))
2778     return ExprError();
2779
2780   // Otherwise, just build an unresolved lookup expression.  Suppress
2781   // any lookup-related diagnostics; we'll hash these out later, when
2782   // we've picked a target.
2783   R.suppressDiagnostics();
2784
2785   UnresolvedLookupExpr *ULE
2786     = UnresolvedLookupExpr::Create(Context, R.getNamingClass(),
2787                                    SS.getWithLocInContext(Context),
2788                                    R.getLookupNameInfo(),
2789                                    NeedsADL, R.isOverloadedResult(),
2790                                    R.begin(), R.end());
2791
2792   return ULE;
2793 }
2794
2795 /// \brief Complete semantic analysis for a reference to the given declaration.
2796 ExprResult Sema::BuildDeclarationNameExpr(
2797     const CXXScopeSpec &SS, const DeclarationNameInfo &NameInfo, NamedDecl *D,
2798     NamedDecl *FoundD, const TemplateArgumentListInfo *TemplateArgs,
2799     bool AcceptInvalidDecl) {
2800   assert(D && "Cannot refer to a NULL declaration");
2801   assert(!isa<FunctionTemplateDecl>(D) &&
2802          "Cannot refer unambiguously to a function template");
2803
2804   SourceLocation Loc = NameInfo.getLoc();
2805   if (CheckDeclInExpr(*this, Loc, D))
2806     return ExprError();
2807
2808   if (TemplateDecl *Template = dyn_cast<TemplateDecl>(D)) {
2809     // Specifically diagnose references to class templates that are missing
2810     // a template argument list.
2811     Diag(Loc, diag::err_template_decl_ref) << (isa<VarTemplateDecl>(D) ? 1 : 0)
2812                                            << Template << SS.getRange();
2813     Diag(Template->getLocation(), diag::note_template_decl_here);
2814     return ExprError();
2815   }
2816
2817   // Make sure that we're referring to a value.
2818   ValueDecl *VD = dyn_cast<ValueDecl>(D);
2819   if (!VD) {
2820     Diag(Loc, diag::err_ref_non_value)
2821       << D << SS.getRange();
2822     Diag(D->getLocation(), diag::note_declared_at);
2823     return ExprError();
2824   }
2825
2826   // Check whether this declaration can be used. Note that we suppress
2827   // this check when we're going to perform argument-dependent lookup
2828   // on this function name, because this might not be the function
2829   // that overload resolution actually selects.
2830   if (DiagnoseUseOfDecl(VD, Loc))
2831     return ExprError();
2832
2833   // Only create DeclRefExpr's for valid Decl's.
2834   if (VD->isInvalidDecl() && !AcceptInvalidDecl)
2835     return ExprError();
2836
2837   // Handle members of anonymous structs and unions.  If we got here,
2838   // and the reference is to a class member indirect field, then this
2839   // must be the subject of a pointer-to-member expression.
2840   if (IndirectFieldDecl *indirectField = dyn_cast<IndirectFieldDecl>(VD))
2841     if (!indirectField->isCXXClassMember())
2842       return BuildAnonymousStructUnionMemberReference(SS, NameInfo.getLoc(),
2843                                                       indirectField);
2844
2845   {
2846     QualType type = VD->getType();
2847     ExprValueKind valueKind = VK_RValue;
2848
2849     switch (D->getKind()) {
2850     // Ignore all the non-ValueDecl kinds.
2851 #define ABSTRACT_DECL(kind)
2852 #define VALUE(type, base)
2853 #define DECL(type, base) \
2854     case Decl::type:
2855 #include "clang/AST/DeclNodes.inc"
2856       llvm_unreachable("invalid value decl kind");
2857
2858     // These shouldn't make it here.
2859     case Decl::ObjCAtDefsField:
2860     case Decl::ObjCIvar:
2861       llvm_unreachable("forming non-member reference to ivar?");
2862
2863     // Enum constants are always r-values and never references.
2864     // Unresolved using declarations are dependent.
2865     case Decl::EnumConstant:
2866     case Decl::UnresolvedUsingValue:
2867       valueKind = VK_RValue;
2868       break;
2869
2870     // Fields and indirect fields that got here must be for
2871     // pointer-to-member expressions; we just call them l-values for
2872     // internal consistency, because this subexpression doesn't really
2873     // exist in the high-level semantics.
2874     case Decl::Field:
2875     case Decl::IndirectField:
2876       assert(getLangOpts().CPlusPlus &&
2877              "building reference to field in C?");
2878
2879       // These can't have reference type in well-formed programs, but
2880       // for internal consistency we do this anyway.
2881       type = type.getNonReferenceType();
2882       valueKind = VK_LValue;
2883       break;
2884
2885     // Non-type template parameters are either l-values or r-values
2886     // depending on the type.
2887     case Decl::NonTypeTemplateParm: {
2888       if (const ReferenceType *reftype = type->getAs<ReferenceType>()) {
2889         type = reftype->getPointeeType();
2890         valueKind = VK_LValue; // even if the parameter is an r-value reference
2891         break;
2892       }
2893
2894       // For non-references, we need to strip qualifiers just in case
2895       // the template parameter was declared as 'const int' or whatever.
2896       valueKind = VK_RValue;
2897       type = type.getUnqualifiedType();
2898       break;
2899     }
2900
2901     case Decl::Var:
2902     case Decl::VarTemplateSpecialization:
2903     case Decl::VarTemplatePartialSpecialization:
2904       // In C, "extern void blah;" is valid and is an r-value.
2905       if (!getLangOpts().CPlusPlus &&
2906           !type.hasQualifiers() &&
2907           type->isVoidType()) {
2908         valueKind = VK_RValue;
2909         break;
2910       }
2911       // fallthrough
2912
2913     case Decl::ImplicitParam:
2914     case Decl::ParmVar: {
2915       // These are always l-values.
2916       valueKind = VK_LValue;
2917       type = type.getNonReferenceType();
2918
2919       // FIXME: Does the addition of const really only apply in
2920       // potentially-evaluated contexts? Since the variable isn't actually
2921       // captured in an unevaluated context, it seems that the answer is no.
2922       if (!isUnevaluatedContext()) {
2923         QualType CapturedType = getCapturedDeclRefType(cast<VarDecl>(VD), Loc);
2924         if (!CapturedType.isNull())
2925           type = CapturedType;
2926       }
2927       
2928       break;
2929     }
2930         
2931     case Decl::Function: {
2932       if (unsigned BID = cast<FunctionDecl>(VD)->getBuiltinID()) {
2933         if (!Context.BuiltinInfo.isPredefinedLibFunction(BID)) {
2934           type = Context.BuiltinFnTy;
2935           valueKind = VK_RValue;
2936           break;
2937         }
2938       }
2939
2940       const FunctionType *fty = type->castAs<FunctionType>();
2941
2942       // If we're referring to a function with an __unknown_anytype
2943       // result type, make the entire expression __unknown_anytype.
2944       if (fty->getReturnType() == Context.UnknownAnyTy) {
2945         type = Context.UnknownAnyTy;
2946         valueKind = VK_RValue;
2947         break;
2948       }
2949
2950       // Functions are l-values in C++.
2951       if (getLangOpts().CPlusPlus) {
2952         valueKind = VK_LValue;
2953         break;
2954       }
2955       
2956       // C99 DR 316 says that, if a function type comes from a
2957       // function definition (without a prototype), that type is only
2958       // used for checking compatibility. Therefore, when referencing
2959       // the function, we pretend that we don't have the full function
2960       // type.
2961       if (!cast<FunctionDecl>(VD)->hasPrototype() &&
2962           isa<FunctionProtoType>(fty))
2963         type = Context.getFunctionNoProtoType(fty->getReturnType(),
2964                                               fty->getExtInfo());
2965
2966       // Functions are r-values in C.
2967       valueKind = VK_RValue;
2968       break;
2969     }
2970
2971     case Decl::MSProperty:
2972       valueKind = VK_LValue;
2973       break;
2974
2975     case Decl::CXXMethod:
2976       // If we're referring to a method with an __unknown_anytype
2977       // result type, make the entire expression __unknown_anytype.
2978       // This should only be possible with a type written directly.
2979       if (const FunctionProtoType *proto
2980             = dyn_cast<FunctionProtoType>(VD->getType()))
2981         if (proto->getReturnType() == Context.UnknownAnyTy) {
2982           type = Context.UnknownAnyTy;
2983           valueKind = VK_RValue;
2984           break;
2985         }
2986
2987       // C++ methods are l-values if static, r-values if non-static.
2988       if (cast<CXXMethodDecl>(VD)->isStatic()) {
2989         valueKind = VK_LValue;
2990         break;
2991       }
2992       // fallthrough
2993
2994     case Decl::CXXConversion:
2995     case Decl::CXXDestructor:
2996     case Decl::CXXConstructor:
2997       valueKind = VK_RValue;
2998       break;
2999     }
3000
3001     return BuildDeclRefExpr(VD, type, valueKind, NameInfo, &SS, FoundD,
3002                             TemplateArgs);
3003   }
3004 }
3005
3006 static void ConvertUTF8ToWideString(unsigned CharByteWidth, StringRef Source,
3007                                     SmallString<32> &Target) {
3008   Target.resize(CharByteWidth * (Source.size() + 1));
3009   char *ResultPtr = &Target[0];
3010   const UTF8 *ErrorPtr;
3011   bool success = ConvertUTF8toWide(CharByteWidth, Source, ResultPtr, ErrorPtr);
3012   (void)success;
3013   assert(success);
3014   Target.resize(ResultPtr - &Target[0]);
3015 }
3016
3017 ExprResult Sema::BuildPredefinedExpr(SourceLocation Loc,
3018                                      PredefinedExpr::IdentType IT) {
3019   // Pick the current block, lambda, captured statement or function.
3020   Decl *currentDecl = nullptr;
3021   if (const BlockScopeInfo *BSI = getCurBlock())
3022     currentDecl = BSI->TheDecl;
3023   else if (const LambdaScopeInfo *LSI = getCurLambda())
3024     currentDecl = LSI->CallOperator;
3025   else if (const CapturedRegionScopeInfo *CSI = getCurCapturedRegion())
3026     currentDecl = CSI->TheCapturedDecl;
3027   else
3028     currentDecl = getCurFunctionOrMethodDecl();
3029
3030   if (!currentDecl) {
3031     Diag(Loc, diag::ext_predef_outside_function);
3032     currentDecl = Context.getTranslationUnitDecl();
3033   }
3034
3035   QualType ResTy;
3036   StringLiteral *SL = nullptr;
3037   if (cast<DeclContext>(currentDecl)->isDependentContext())
3038     ResTy = Context.DependentTy;
3039   else {
3040     // Pre-defined identifiers are of type char[x], where x is the length of
3041     // the string.
3042     auto Str = PredefinedExpr::ComputeName(IT, currentDecl);
3043     unsigned Length = Str.length();
3044
3045     llvm::APInt LengthI(32, Length + 1);
3046     if (IT == PredefinedExpr::LFunction) {
3047       ResTy = Context.WideCharTy.withConst();
3048       SmallString<32> RawChars;
3049       ConvertUTF8ToWideString(Context.getTypeSizeInChars(ResTy).getQuantity(),
3050                               Str, RawChars);
3051       ResTy = Context.getConstantArrayType(ResTy, LengthI, ArrayType::Normal,
3052                                            /*IndexTypeQuals*/ 0);
3053       SL = StringLiteral::Create(Context, RawChars, StringLiteral::Wide,
3054                                  /*Pascal*/ false, ResTy, Loc);
3055     } else {
3056       ResTy = Context.CharTy.withConst();
3057       ResTy = Context.getConstantArrayType(ResTy, LengthI, ArrayType::Normal,
3058                                            /*IndexTypeQuals*/ 0);
3059       SL = StringLiteral::Create(Context, Str, StringLiteral::Ascii,
3060                                  /*Pascal*/ false, ResTy, Loc);
3061     }
3062   }
3063
3064   return new (Context) PredefinedExpr(Loc, ResTy, IT, SL);
3065 }
3066
3067 ExprResult Sema::ActOnPredefinedExpr(SourceLocation Loc, tok::TokenKind Kind) {
3068   PredefinedExpr::IdentType IT;
3069
3070   switch (Kind) {
3071   default: llvm_unreachable("Unknown simple primary expr!");
3072   case tok::kw___func__: IT = PredefinedExpr::Func; break; // [C99 6.4.2.2]
3073   case tok::kw___FUNCTION__: IT = PredefinedExpr::Function; break;
3074   case tok::kw___FUNCDNAME__: IT = PredefinedExpr::FuncDName; break; // [MS]
3075   case tok::kw___FUNCSIG__: IT = PredefinedExpr::FuncSig; break; // [MS]
3076   case tok::kw_L__FUNCTION__: IT = PredefinedExpr::LFunction; break;
3077   case tok::kw___PRETTY_FUNCTION__: IT = PredefinedExpr::PrettyFunction; break;
3078   }
3079
3080   return BuildPredefinedExpr(Loc, IT);
3081 }
3082
3083 ExprResult Sema::ActOnCharacterConstant(const Token &Tok, Scope *UDLScope) {
3084   SmallString<16> CharBuffer;
3085   bool Invalid = false;
3086   StringRef ThisTok = PP.getSpelling(Tok, CharBuffer, &Invalid);
3087   if (Invalid)
3088     return ExprError();
3089
3090   CharLiteralParser Literal(ThisTok.begin(), ThisTok.end(), Tok.getLocation(),
3091                             PP, Tok.getKind());
3092   if (Literal.hadError())
3093     return ExprError();
3094
3095   QualType Ty;
3096   if (Literal.isWide())
3097     Ty = Context.WideCharTy; // L'x' -> wchar_t in C and C++.
3098   else if (Literal.isUTF16())
3099     Ty = Context.Char16Ty; // u'x' -> char16_t in C11 and C++11.
3100   else if (Literal.isUTF32())
3101     Ty = Context.Char32Ty; // U'x' -> char32_t in C11 and C++11.
3102   else if (!getLangOpts().CPlusPlus || Literal.isMultiChar())
3103     Ty = Context.IntTy;   // 'x' -> int in C, 'wxyz' -> int in C++.
3104   else
3105     Ty = Context.CharTy;  // 'x' -> char in C++
3106
3107   CharacterLiteral::CharacterKind Kind = CharacterLiteral::Ascii;
3108   if (Literal.isWide())
3109     Kind = CharacterLiteral::Wide;
3110   else if (Literal.isUTF16())
3111     Kind = CharacterLiteral::UTF16;
3112   else if (Literal.isUTF32())
3113     Kind = CharacterLiteral::UTF32;
3114
3115   Expr *Lit = new (Context) CharacterLiteral(Literal.getValue(), Kind, Ty,
3116                                              Tok.getLocation());
3117
3118   if (Literal.getUDSuffix().empty())
3119     return Lit;
3120
3121   // We're building a user-defined literal.
3122   IdentifierInfo *UDSuffix = &Context.Idents.get(Literal.getUDSuffix());
3123   SourceLocation UDSuffixLoc =
3124     getUDSuffixLoc(*this, Tok.getLocation(), Literal.getUDSuffixOffset());
3125
3126   // Make sure we're allowed user-defined literals here.
3127   if (!UDLScope)
3128     return ExprError(Diag(UDSuffixLoc, diag::err_invalid_character_udl));
3129
3130   // C++11 [lex.ext]p6: The literal L is treated as a call of the form
3131   //   operator "" X (ch)
3132   return BuildCookedLiteralOperatorCall(*this, UDLScope, UDSuffix, UDSuffixLoc,
3133                                         Lit, Tok.getLocation());
3134 }
3135
3136 ExprResult Sema::ActOnIntegerConstant(SourceLocation Loc, uint64_t Val) {
3137   unsigned IntSize = Context.getTargetInfo().getIntWidth();
3138   return IntegerLiteral::Create(Context, llvm::APInt(IntSize, Val),
3139                                 Context.IntTy, Loc);
3140 }
3141
3142 static Expr *BuildFloatingLiteral(Sema &S, NumericLiteralParser &Literal,
3143                                   QualType Ty, SourceLocation Loc) {
3144   const llvm::fltSemantics &Format = S.Context.getFloatTypeSemantics(Ty);
3145
3146   using llvm::APFloat;
3147   APFloat Val(Format);
3148
3149   APFloat::opStatus result = Literal.GetFloatValue(Val);
3150
3151   // Overflow is always an error, but underflow is only an error if
3152   // we underflowed to zero (APFloat reports denormals as underflow).
3153   if ((result & APFloat::opOverflow) ||
3154       ((result & APFloat::opUnderflow) && Val.isZero())) {
3155     unsigned diagnostic;
3156     SmallString<20> buffer;
3157     if (result & APFloat::opOverflow) {
3158       diagnostic = diag::warn_float_overflow;
3159       APFloat::getLargest(Format).toString(buffer);
3160     } else {
3161       diagnostic = diag::warn_float_underflow;
3162       APFloat::getSmallest(Format).toString(buffer);
3163     }
3164
3165     S.Diag(Loc, diagnostic)
3166       << Ty
3167       << StringRef(buffer.data(), buffer.size());
3168   }
3169
3170   bool isExact = (result == APFloat::opOK);
3171   return FloatingLiteral::Create(S.Context, Val, isExact, Ty, Loc);
3172 }
3173
3174 bool Sema::CheckLoopHintExpr(Expr *E, SourceLocation Loc) {
3175   assert(E && "Invalid expression");
3176
3177   if (E->isValueDependent())
3178     return false;
3179
3180   QualType QT = E->getType();
3181   if (!QT->isIntegerType() || QT->isBooleanType() || QT->isCharType()) {
3182     Diag(E->getExprLoc(), diag::err_pragma_loop_invalid_argument_type) << QT;
3183     return true;
3184   }
3185
3186   llvm::APSInt ValueAPS;
3187   ExprResult R = VerifyIntegerConstantExpression(E, &ValueAPS);
3188
3189   if (R.isInvalid())
3190     return true;
3191
3192   bool ValueIsPositive = ValueAPS.isStrictlyPositive();
3193   if (!ValueIsPositive || ValueAPS.getActiveBits() > 31) {
3194     Diag(E->getExprLoc(), diag::err_pragma_loop_invalid_argument_value)
3195         << ValueAPS.toString(10) << ValueIsPositive;
3196     return true;
3197   }
3198
3199   return false;
3200 }
3201
3202 ExprResult Sema::ActOnNumericConstant(const Token &Tok, Scope *UDLScope) {
3203   // Fast path for a single digit (which is quite common).  A single digit
3204   // cannot have a trigraph, escaped newline, radix prefix, or suffix.
3205   if (Tok.getLength() == 1) {
3206     const char Val = PP.getSpellingOfSingleCharacterNumericConstant(Tok);
3207     return ActOnIntegerConstant(Tok.getLocation(), Val-'0');
3208   }
3209
3210   SmallString<128> SpellingBuffer;
3211   // NumericLiteralParser wants to overread by one character.  Add padding to
3212   // the buffer in case the token is copied to the buffer.  If getSpelling()
3213   // returns a StringRef to the memory buffer, it should have a null char at
3214   // the EOF, so it is also safe.
3215   SpellingBuffer.resize(Tok.getLength() + 1);
3216
3217   // Get the spelling of the token, which eliminates trigraphs, etc.
3218   bool Invalid = false;
3219   StringRef TokSpelling = PP.getSpelling(Tok, SpellingBuffer, &Invalid);
3220   if (Invalid)
3221     return ExprError();
3222
3223   NumericLiteralParser Literal(TokSpelling, Tok.getLocation(), PP);
3224   if (Literal.hadError)
3225     return ExprError();
3226
3227   if (Literal.hasUDSuffix()) {
3228     // We're building a user-defined literal.
3229     IdentifierInfo *UDSuffix = &Context.Idents.get(Literal.getUDSuffix());
3230     SourceLocation UDSuffixLoc =
3231       getUDSuffixLoc(*this, Tok.getLocation(), Literal.getUDSuffixOffset());
3232
3233     // Make sure we're allowed user-defined literals here.
3234     if (!UDLScope)
3235       return ExprError(Diag(UDSuffixLoc, diag::err_invalid_numeric_udl));
3236
3237     QualType CookedTy;
3238     if (Literal.isFloatingLiteral()) {
3239       // C++11 [lex.ext]p4: If S contains a literal operator with parameter type
3240       // long double, the literal is treated as a call of the form
3241       //   operator "" X (f L)
3242       CookedTy = Context.LongDoubleTy;
3243     } else {
3244       // C++11 [lex.ext]p3: If S contains a literal operator with parameter type
3245       // unsigned long long, the literal is treated as a call of the form
3246       //   operator "" X (n ULL)
3247       CookedTy = Context.UnsignedLongLongTy;
3248     }
3249
3250     DeclarationName OpName =
3251       Context.DeclarationNames.getCXXLiteralOperatorName(UDSuffix);
3252     DeclarationNameInfo OpNameInfo(OpName, UDSuffixLoc);
3253     OpNameInfo.setCXXLiteralOperatorNameLoc(UDSuffixLoc);
3254
3255     SourceLocation TokLoc = Tok.getLocation();
3256
3257     // Perform literal operator lookup to determine if we're building a raw
3258     // literal or a cooked one.
3259     LookupResult R(*this, OpName, UDSuffixLoc, LookupOrdinaryName);
3260     switch (LookupLiteralOperator(UDLScope, R, CookedTy,
3261                                   /*AllowRaw*/true, /*AllowTemplate*/true,
3262                                   /*AllowStringTemplate*/false)) {
3263     case LOLR_Error:
3264       return ExprError();
3265
3266     case LOLR_Cooked: {
3267       Expr *Lit;
3268       if (Literal.isFloatingLiteral()) {
3269         Lit = BuildFloatingLiteral(*this, Literal, CookedTy, Tok.getLocation());
3270       } else {
3271         llvm::APInt ResultVal(Context.getTargetInfo().getLongLongWidth(), 0);
3272         if (Literal.GetIntegerValue(ResultVal))
3273           Diag(Tok.getLocation(), diag::err_integer_literal_too_large)
3274               << /* Unsigned */ 1;
3275         Lit = IntegerLiteral::Create(Context, ResultVal, CookedTy,
3276                                      Tok.getLocation());
3277       }
3278       return BuildLiteralOperatorCall(R, OpNameInfo, Lit, TokLoc);
3279     }
3280
3281     case LOLR_Raw: {
3282       // C++11 [lit.ext]p3, p4: If S contains a raw literal operator, the
3283       // literal is treated as a call of the form
3284       //   operator "" X ("n")
3285       unsigned Length = Literal.getUDSuffixOffset();
3286       QualType StrTy = Context.getConstantArrayType(
3287           Context.CharTy.withConst(), llvm::APInt(32, Length + 1),
3288           ArrayType::Normal, 0);
3289       Expr *Lit = StringLiteral::Create(
3290           Context, StringRef(TokSpelling.data(), Length), StringLiteral::Ascii,
3291           /*Pascal*/false, StrTy, &TokLoc, 1);
3292       return BuildLiteralOperatorCall(R, OpNameInfo, Lit, TokLoc);
3293     }
3294
3295     case LOLR_Template: {
3296       // C++11 [lit.ext]p3, p4: Otherwise (S contains a literal operator
3297       // template), L is treated as a call fo the form
3298       //   operator "" X <'c1', 'c2', ... 'ck'>()
3299       // where n is the source character sequence c1 c2 ... ck.
3300       TemplateArgumentListInfo ExplicitArgs;
3301       unsigned CharBits = Context.getIntWidth(Context.CharTy);
3302       bool CharIsUnsigned = Context.CharTy->isUnsignedIntegerType();
3303       llvm::APSInt Value(CharBits, CharIsUnsigned);
3304       for (unsigned I = 0, N = Literal.getUDSuffixOffset(); I != N; ++I) {
3305         Value = TokSpelling[I];
3306         TemplateArgument Arg(Context, Value, Context.CharTy);
3307         TemplateArgumentLocInfo ArgInfo;
3308         ExplicitArgs.addArgument(TemplateArgumentLoc(Arg, ArgInfo));
3309       }
3310       return BuildLiteralOperatorCall(R, OpNameInfo, None, TokLoc,
3311                                       &ExplicitArgs);
3312     }
3313     case LOLR_StringTemplate:
3314       llvm_unreachable("unexpected literal operator lookup result");
3315     }
3316   }
3317
3318   Expr *Res;
3319
3320   if (Literal.isFloatingLiteral()) {
3321     QualType Ty;
3322     if (Literal.isFloat)
3323       Ty = Context.FloatTy;
3324     else if (!Literal.isLong)
3325       Ty = Context.DoubleTy;
3326     else
3327       Ty = Context.LongDoubleTy;
3328
3329     Res = BuildFloatingLiteral(*this, Literal, Ty, Tok.getLocation());
3330
3331     if (Ty == Context.DoubleTy) {
3332       if (getLangOpts().SinglePrecisionConstants) {
3333         Res = ImpCastExprToType(Res, Context.FloatTy, CK_FloatingCast).get();
3334       } else if (getLangOpts().OpenCL &&
3335                  !((getLangOpts().OpenCLVersion >= 120) ||
3336                    getOpenCLOptions().cl_khr_fp64)) {
3337         Diag(Tok.getLocation(), diag::warn_double_const_requires_fp64);
3338         Res = ImpCastExprToType(Res, Context.FloatTy, CK_FloatingCast).get();
3339       }
3340     }
3341   } else if (!Literal.isIntegerLiteral()) {
3342     return ExprError();
3343   } else {
3344     QualType Ty;
3345
3346     // 'long long' is a C99 or C++11 feature.
3347     if (!getLangOpts().C99 && Literal.isLongLong) {
3348       if (getLangOpts().CPlusPlus)
3349         Diag(Tok.getLocation(),
3350              getLangOpts().CPlusPlus11 ?
3351              diag::warn_cxx98_compat_longlong : diag::ext_cxx11_longlong);
3352       else
3353         Diag(Tok.getLocation(), diag::ext_c99_longlong);
3354     }
3355
3356     // Get the value in the widest-possible width.
3357     unsigned MaxWidth = Context.getTargetInfo().getIntMaxTWidth();
3358     // The microsoft literal suffix extensions support 128-bit literals, which
3359     // may be wider than [u]intmax_t.
3360     // FIXME: Actually, they don't. We seem to have accidentally invented the
3361     //        i128 suffix.
3362     if (Literal.MicrosoftInteger == 128 && MaxWidth < 128 &&
3363         Context.getTargetInfo().hasInt128Type())
3364       MaxWidth = 128;
3365     llvm::APInt ResultVal(MaxWidth, 0);
3366
3367     if (Literal.GetIntegerValue(ResultVal)) {
3368       // If this value didn't fit into uintmax_t, error and force to ull.
3369       Diag(Tok.getLocation(), diag::err_integer_literal_too_large)
3370           << /* Unsigned */ 1;
3371       Ty = Context.UnsignedLongLongTy;
3372       assert(Context.getTypeSize(Ty) == ResultVal.getBitWidth() &&
3373              "long long is not intmax_t?");
3374     } else {
3375       // If this value fits into a ULL, try to figure out what else it fits into
3376       // according to the rules of C99 6.4.4.1p5.
3377
3378       // Octal, Hexadecimal, and integers with a U suffix are allowed to
3379       // be an unsigned int.
3380       bool AllowUnsigned = Literal.isUnsigned || Literal.getRadix() != 10;
3381
3382       // Check from smallest to largest, picking the smallest type we can.
3383       unsigned Width = 0;
3384
3385       // Microsoft specific integer suffixes are explicitly sized.
3386       if (Literal.MicrosoftInteger) {
3387         if (Literal.MicrosoftInteger > MaxWidth) {
3388           // If this target doesn't support __int128, error and force to ull.
3389           Diag(Tok.getLocation(), diag::err_int128_unsupported);
3390           Width = MaxWidth;
3391           Ty = Context.getIntMaxType();
3392         } else if (Literal.MicrosoftInteger == 8 && !Literal.isUnsigned) {
3393           Width = 8;
3394           Ty = Context.CharTy;
3395         } else {
3396           Width = Literal.MicrosoftInteger;
3397           Ty = Context.getIntTypeForBitwidth(Width,
3398                                              /*Signed=*/!Literal.isUnsigned);
3399         }
3400       }
3401
3402       if (Ty.isNull() && !Literal.isLong && !Literal.isLongLong) {
3403         // Are int/unsigned possibilities?
3404         unsigned IntSize = Context.getTargetInfo().getIntWidth();
3405
3406         // Does it fit in a unsigned int?
3407         if (ResultVal.isIntN(IntSize)) {
3408           // Does it fit in a signed int?
3409           if (!Literal.isUnsigned && ResultVal[IntSize-1] == 0)
3410             Ty = Context.IntTy;
3411           else if (AllowUnsigned)
3412             Ty = Context.UnsignedIntTy;
3413           Width = IntSize;
3414         }
3415       }
3416
3417       // Are long/unsigned long possibilities?
3418       if (Ty.isNull() && !Literal.isLongLong) {
3419         unsigned LongSize = Context.getTargetInfo().getLongWidth();
3420
3421         // Does it fit in a unsigned long?
3422         if (ResultVal.isIntN(LongSize)) {
3423           // Does it fit in a signed long?
3424           if (!Literal.isUnsigned && ResultVal[LongSize-1] == 0)
3425             Ty = Context.LongTy;
3426           else if (AllowUnsigned)
3427             Ty = Context.UnsignedLongTy;
3428           // Check according to the rules of C90 6.1.3.2p5. C++03 [lex.icon]p2
3429           // is compatible.
3430           else if (!getLangOpts().C99 && !getLangOpts().CPlusPlus11) {
3431             const unsigned LongLongSize =
3432                 Context.getTargetInfo().getLongLongWidth();
3433             Diag(Tok.getLocation(),
3434                  getLangOpts().CPlusPlus
3435                      ? Literal.isLong
3436                            ? diag::warn_old_implicitly_unsigned_long_cxx
3437                            : /*C++98 UB*/ diag::
3438                                  ext_old_implicitly_unsigned_long_cxx
3439                      : diag::warn_old_implicitly_unsigned_long)
3440                 << (LongLongSize > LongSize ? /*will have type 'long long'*/ 0
3441                                             : /*will be ill-formed*/ 1);
3442             Ty = Context.UnsignedLongTy;
3443           }
3444           Width = LongSize;
3445         }
3446       }
3447
3448       // Check long long if needed.
3449       if (Ty.isNull()) {
3450         unsigned LongLongSize = Context.getTargetInfo().getLongLongWidth();
3451
3452         // Does it fit in a unsigned long long?
3453         if (ResultVal.isIntN(LongLongSize)) {
3454           // Does it fit in a signed long long?
3455           // To be compatible with MSVC, hex integer literals ending with the
3456           // LL or i64 suffix are always signed in Microsoft mode.
3457           if (!Literal.isUnsigned && (ResultVal[LongLongSize-1] == 0 ||
3458               (getLangOpts().MicrosoftExt && Literal.isLongLong)))
3459             Ty = Context.LongLongTy;
3460           else if (AllowUnsigned)
3461             Ty = Context.UnsignedLongLongTy;
3462           Width = LongLongSize;
3463         }
3464       }
3465
3466       // If we still couldn't decide a type, we probably have something that
3467       // does not fit in a signed long long, but has no U suffix.
3468       if (Ty.isNull()) {
3469         Diag(Tok.getLocation(), diag::ext_integer_literal_too_large_for_signed);
3470         Ty = Context.UnsignedLongLongTy;
3471         Width = Context.getTargetInfo().getLongLongWidth();
3472       }
3473
3474       if (ResultVal.getBitWidth() != Width)
3475         ResultVal = ResultVal.trunc(Width);
3476     }
3477     Res = IntegerLiteral::Create(Context, ResultVal, Ty, Tok.getLocation());
3478   }
3479
3480   // If this is an imaginary literal, create the ImaginaryLiteral wrapper.
3481   if (Literal.isImaginary)
3482     Res = new (Context) ImaginaryLiteral(Res,
3483                                         Context.getComplexType(Res->getType()));
3484
3485   return Res;
3486 }
3487
3488 ExprResult Sema::ActOnParenExpr(SourceLocation L, SourceLocation R, Expr *E) {
3489   assert(E && "ActOnParenExpr() missing expr");
3490   return new (Context) ParenExpr(L, R, E);
3491 }
3492
3493 static bool CheckVecStepTraitOperandType(Sema &S, QualType T,
3494                                          SourceLocation Loc,
3495                                          SourceRange ArgRange) {
3496   // [OpenCL 1.1 6.11.12] "The vec_step built-in function takes a built-in
3497   // scalar or vector data type argument..."
3498   // Every built-in scalar type (OpenCL 1.1 6.1.1) is either an arithmetic
3499   // type (C99 6.2.5p18) or void.
3500   if (!(T->isArithmeticType() || T->isVoidType() || T->isVectorType())) {
3501     S.Diag(Loc, diag::err_vecstep_non_scalar_vector_type)
3502       << T << ArgRange;
3503     return true;
3504   }
3505
3506   assert((T->isVoidType() || !T->isIncompleteType()) &&
3507          "Scalar types should always be complete");
3508   return false;
3509 }
3510
3511 static bool CheckExtensionTraitOperandType(Sema &S, QualType T,
3512                                            SourceLocation Loc,
3513                                            SourceRange ArgRange,
3514                                            UnaryExprOrTypeTrait TraitKind) {
3515   // Invalid types must be hard errors for SFINAE in C++.
3516   if (S.LangOpts.CPlusPlus)
3517     return true;
3518
3519   // C99 6.5.3.4p1:
3520   if (T->isFunctionType() &&
3521       (TraitKind == UETT_SizeOf || TraitKind == UETT_AlignOf)) {
3522     // sizeof(function)/alignof(function) is allowed as an extension.
3523     S.Diag(Loc, diag::ext_sizeof_alignof_function_type)
3524       << TraitKind << ArgRange;
3525     return false;
3526   }
3527
3528   // Allow sizeof(void)/alignof(void) as an extension, unless in OpenCL where
3529   // this is an error (OpenCL v1.1 s6.3.k)
3530   if (T->isVoidType()) {
3531     unsigned DiagID = S.LangOpts.OpenCL ? diag::err_opencl_sizeof_alignof_type
3532                                         : diag::ext_sizeof_alignof_void_type;
3533     S.Diag(Loc, DiagID) << TraitKind << ArgRange;
3534     return false;
3535   }
3536
3537   return true;
3538 }
3539
3540 static bool CheckObjCTraitOperandConstraints(Sema &S, QualType T,
3541                                              SourceLocation Loc,
3542                                              SourceRange ArgRange,
3543                                              UnaryExprOrTypeTrait TraitKind) {
3544   // Reject sizeof(interface) and sizeof(interface<proto>) if the
3545   // runtime doesn't allow it.
3546   if (!S.LangOpts.ObjCRuntime.allowsSizeofAlignof() && T->isObjCObjectType()) {
3547     S.Diag(Loc, diag::err_sizeof_nonfragile_interface)
3548       << T << (TraitKind == UETT_SizeOf)
3549       << ArgRange;
3550     return true;
3551   }
3552
3553   return false;
3554 }
3555
3556 /// \brief Check whether E is a pointer from a decayed array type (the decayed
3557 /// pointer type is equal to T) and emit a warning if it is.
3558 static void warnOnSizeofOnArrayDecay(Sema &S, SourceLocation Loc, QualType T,
3559                                      Expr *E) {
3560   // Don't warn if the operation changed the type.
3561   if (T != E->getType())
3562     return;
3563
3564   // Now look for array decays.
3565   ImplicitCastExpr *ICE = dyn_cast<ImplicitCastExpr>(E);
3566   if (!ICE || ICE->getCastKind() != CK_ArrayToPointerDecay)
3567     return;
3568
3569   S.Diag(Loc, diag::warn_sizeof_array_decay) << ICE->getSourceRange()
3570                                              << ICE->getType()
3571                                              << ICE->getSubExpr()->getType();
3572 }
3573
3574 /// \brief Check the constraints on expression operands to unary type expression
3575 /// and type traits.
3576 ///
3577 /// Completes any types necessary and validates the constraints on the operand
3578 /// expression. The logic mostly mirrors the type-based overload, but may modify
3579 /// the expression as it completes the type for that expression through template
3580 /// instantiation, etc.
3581 bool Sema::CheckUnaryExprOrTypeTraitOperand(Expr *E,
3582                                             UnaryExprOrTypeTrait ExprKind) {
3583   QualType ExprTy = E->getType();
3584   assert(!ExprTy->isReferenceType());
3585
3586   if (ExprKind == UETT_VecStep)
3587     return CheckVecStepTraitOperandType(*this, ExprTy, E->getExprLoc(),
3588                                         E->getSourceRange());
3589
3590   // Whitelist some types as extensions
3591   if (!CheckExtensionTraitOperandType(*this, ExprTy, E->getExprLoc(),
3592                                       E->getSourceRange(), ExprKind))
3593     return false;
3594
3595   // 'alignof' applied to an expression only requires the base element type of
3596   // the expression to be complete. 'sizeof' requires the expression's type to
3597   // be complete (and will attempt to complete it if it's an array of unknown
3598   // bound).
3599   if (ExprKind == UETT_AlignOf) {
3600     if (RequireCompleteType(E->getExprLoc(),
3601                             Context.getBaseElementType(E->getType()),
3602                             diag::err_sizeof_alignof_incomplete_type, ExprKind,
3603                             E->getSourceRange()))
3604       return true;
3605   } else {
3606     if (RequireCompleteExprType(E, diag::err_sizeof_alignof_incomplete_type,
3607                                 ExprKind, E->getSourceRange()))
3608       return true;
3609   }
3610
3611   // Completing the expression's type may have changed it.
3612   ExprTy = E->getType();
3613   assert(!ExprTy->isReferenceType());
3614
3615   if (ExprTy->isFunctionType()) {
3616     Diag(E->getExprLoc(), diag::err_sizeof_alignof_function_type)
3617       << ExprKind << E->getSourceRange();
3618     return true;
3619   }
3620
3621   // The operand for sizeof and alignof is in an unevaluated expression context,
3622   // so side effects could result in unintended consequences.
3623   if ((ExprKind == UETT_SizeOf || ExprKind == UETT_AlignOf) &&
3624       ActiveTemplateInstantiations.empty() && E->HasSideEffects(Context, false))
3625     Diag(E->getExprLoc(), diag::warn_side_effects_unevaluated_context);
3626
3627   if (CheckObjCTraitOperandConstraints(*this, ExprTy, E->getExprLoc(),
3628                                        E->getSourceRange(), ExprKind))
3629     return true;
3630
3631   if (ExprKind == UETT_SizeOf) {
3632     if (DeclRefExpr *DeclRef = dyn_cast<DeclRefExpr>(E->IgnoreParens())) {
3633       if (ParmVarDecl *PVD = dyn_cast<ParmVarDecl>(DeclRef->getFoundDecl())) {
3634         QualType OType = PVD->getOriginalType();
3635         QualType Type = PVD->getType();
3636         if (Type->isPointerType() && OType->isArrayType()) {
3637           Diag(E->getExprLoc(), diag::warn_sizeof_array_param)
3638             << Type << OType;
3639           Diag(PVD->getLocation(), diag::note_declared_at);
3640         }
3641       }
3642     }
3643
3644     // Warn on "sizeof(array op x)" and "sizeof(x op array)", where the array
3645     // decays into a pointer and returns an unintended result. This is most
3646     // likely a typo for "sizeof(array) op x".
3647     if (BinaryOperator *BO = dyn_cast<BinaryOperator>(E->IgnoreParens())) {
3648       warnOnSizeofOnArrayDecay(*this, BO->getOperatorLoc(), BO->getType(),
3649                                BO->getLHS());
3650       warnOnSizeofOnArrayDecay(*this, BO->getOperatorLoc(), BO->getType(),
3651                                BO->getRHS());
3652     }
3653   }
3654
3655   return false;
3656 }
3657
3658 /// \brief Check the constraints on operands to unary expression and type
3659 /// traits.
3660 ///
3661 /// This will complete any types necessary, and validate the various constraints
3662 /// on those operands.
3663 ///
3664 /// The UsualUnaryConversions() function is *not* called by this routine.
3665 /// C99 6.3.2.1p[2-4] all state:
3666 ///   Except when it is the operand of the sizeof operator ...
3667 ///
3668 /// C++ [expr.sizeof]p4
3669 ///   The lvalue-to-rvalue, array-to-pointer, and function-to-pointer
3670 ///   standard conversions are not applied to the operand of sizeof.
3671 ///
3672 /// This policy is followed for all of the unary trait expressions.
3673 bool Sema::CheckUnaryExprOrTypeTraitOperand(QualType ExprType,
3674                                             SourceLocation OpLoc,
3675                                             SourceRange ExprRange,
3676                                             UnaryExprOrTypeTrait ExprKind) {
3677   if (ExprType->isDependentType())
3678     return false;
3679
3680   // C++ [expr.sizeof]p2:
3681   //     When applied to a reference or a reference type, the result
3682   //     is the size of the referenced type.
3683   // C++11 [expr.alignof]p3:
3684   //     When alignof is applied to a reference type, the result
3685   //     shall be the alignment of the referenced type.
3686   if (const ReferenceType *Ref = ExprType->getAs<ReferenceType>())
3687     ExprType = Ref->getPointeeType();
3688
3689   // C11 6.5.3.4/3, C++11 [expr.alignof]p3:
3690   //   When alignof or _Alignof is applied to an array type, the result
3691   //   is the alignment of the element type.
3692   if (ExprKind == UETT_AlignOf)
3693     ExprType = Context.getBaseElementType(ExprType);
3694
3695   if (ExprKind == UETT_VecStep)
3696     return CheckVecStepTraitOperandType(*this, ExprType, OpLoc, ExprRange);
3697
3698   // Whitelist some types as extensions
3699   if (!CheckExtensionTraitOperandType(*this, ExprType, OpLoc, ExprRange,
3700                                       ExprKind))
3701     return false;
3702
3703   if (RequireCompleteType(OpLoc, ExprType,
3704                           diag::err_sizeof_alignof_incomplete_type,
3705                           ExprKind, ExprRange))
3706     return true;
3707
3708   if (ExprType->isFunctionType()) {
3709     Diag(OpLoc, diag::err_sizeof_alignof_function_type)
3710       << ExprKind << ExprRange;
3711     return true;
3712   }
3713
3714   if (CheckObjCTraitOperandConstraints(*this, ExprType, OpLoc, ExprRange,
3715                                        ExprKind))
3716     return true;
3717
3718   return false;
3719 }
3720
3721 static bool CheckAlignOfExpr(Sema &S, Expr *E) {
3722   E = E->IgnoreParens();
3723
3724   // Cannot know anything else if the expression is dependent.
3725   if (E->isTypeDependent())
3726     return false;
3727
3728   if (E->getObjectKind() == OK_BitField) {
3729     S.Diag(E->getExprLoc(), diag::err_sizeof_alignof_bitfield)
3730        << 1 << E->getSourceRange();
3731     return true;
3732   }
3733
3734   ValueDecl *D = nullptr;
3735   if (DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(E)) {
3736     D = DRE->getDecl();
3737   } else if (MemberExpr *ME = dyn_cast<MemberExpr>(E)) {
3738     D = ME->getMemberDecl();
3739   }
3740
3741   // If it's a field, require the containing struct to have a
3742   // complete definition so that we can compute the layout.
3743   //
3744   // This can happen in C++11 onwards, either by naming the member
3745   // in a way that is not transformed into a member access expression
3746   // (in an unevaluated operand, for instance), or by naming the member
3747   // in a trailing-return-type.
3748   //
3749   // For the record, since __alignof__ on expressions is a GCC
3750   // extension, GCC seems to permit this but always gives the
3751   // nonsensical answer 0.
3752   //
3753   // We don't really need the layout here --- we could instead just
3754   // directly check for all the appropriate alignment-lowing
3755   // attributes --- but that would require duplicating a lot of
3756   // logic that just isn't worth duplicating for such a marginal
3757   // use-case.
3758   if (FieldDecl *FD = dyn_cast_or_null<FieldDecl>(D)) {
3759     // Fast path this check, since we at least know the record has a
3760     // definition if we can find a member of it.
3761     if (!FD->getParent()->isCompleteDefinition()) {
3762       S.Diag(E->getExprLoc(), diag::err_alignof_member_of_incomplete_type)
3763         << E->getSourceRange();
3764       return true;
3765     }
3766
3767     // Otherwise, if it's a field, and the field doesn't have
3768     // reference type, then it must have a complete type (or be a
3769     // flexible array member, which we explicitly want to
3770     // white-list anyway), which makes the following checks trivial.
3771     if (!FD->getType()->isReferenceType())
3772       return false;
3773   }
3774
3775   return S.CheckUnaryExprOrTypeTraitOperand(E, UETT_AlignOf);
3776 }
3777
3778 bool Sema::CheckVecStepExpr(Expr *E) {
3779   E = E->IgnoreParens();
3780
3781   // Cannot know anything else if the expression is dependent.
3782   if (E->isTypeDependent())
3783     return false;
3784
3785   return CheckUnaryExprOrTypeTraitOperand(E, UETT_VecStep);
3786 }
3787
3788 /// \brief Build a sizeof or alignof expression given a type operand.
3789 ExprResult
3790 Sema::CreateUnaryExprOrTypeTraitExpr(TypeSourceInfo *TInfo,
3791                                      SourceLocation OpLoc,
3792                                      UnaryExprOrTypeTrait ExprKind,
3793                                      SourceRange R) {
3794   if (!TInfo)
3795     return ExprError();
3796
3797   QualType T = TInfo->getType();
3798
3799   if (!T->isDependentType() &&
3800       CheckUnaryExprOrTypeTraitOperand(T, OpLoc, R, ExprKind))
3801     return ExprError();
3802
3803   // C99 6.5.3.4p4: the type (an unsigned integer type) is size_t.
3804   return new (Context) UnaryExprOrTypeTraitExpr(
3805       ExprKind, TInfo, Context.getSizeType(), OpLoc, R.getEnd());
3806 }
3807
3808 /// \brief Build a sizeof or alignof expression given an expression
3809 /// operand.
3810 ExprResult
3811 Sema::CreateUnaryExprOrTypeTraitExpr(Expr *E, SourceLocation OpLoc,
3812                                      UnaryExprOrTypeTrait ExprKind) {
3813   ExprResult PE = CheckPlaceholderExpr(E);
3814   if (PE.isInvalid()) 
3815     return ExprError();
3816
3817   E = PE.get();
3818   
3819   // Verify that the operand is valid.
3820   bool isInvalid = false;
3821   if (E->isTypeDependent()) {
3822     // Delay type-checking for type-dependent expressions.
3823   } else if (ExprKind == UETT_AlignOf) {
3824     isInvalid = CheckAlignOfExpr(*this, E);
3825   } else if (ExprKind == UETT_VecStep) {
3826     isInvalid = CheckVecStepExpr(E);
3827   } else if (E->refersToBitField()) {  // C99 6.5.3.4p1.
3828     Diag(E->getExprLoc(), diag::err_sizeof_alignof_bitfield) << 0;
3829     isInvalid = true;
3830   } else {
3831     isInvalid = CheckUnaryExprOrTypeTraitOperand(E, UETT_SizeOf);
3832   }
3833
3834   if (isInvalid)
3835     return ExprError();
3836
3837   if (ExprKind == UETT_SizeOf && E->getType()->isVariableArrayType()) {
3838     PE = TransformToPotentiallyEvaluated(E);
3839     if (PE.isInvalid()) return ExprError();
3840     E = PE.get();
3841   }
3842
3843   // C99 6.5.3.4p4: the type (an unsigned integer type) is size_t.
3844   return new (Context) UnaryExprOrTypeTraitExpr(
3845       ExprKind, E, Context.getSizeType(), OpLoc, E->getSourceRange().getEnd());
3846 }
3847
3848 /// ActOnUnaryExprOrTypeTraitExpr - Handle @c sizeof(type) and @c sizeof @c
3849 /// expr and the same for @c alignof and @c __alignof
3850 /// Note that the ArgRange is invalid if isType is false.
3851 ExprResult
3852 Sema::ActOnUnaryExprOrTypeTraitExpr(SourceLocation OpLoc,
3853                                     UnaryExprOrTypeTrait ExprKind, bool IsType,
3854                                     void *TyOrEx, const SourceRange &ArgRange) {
3855   // If error parsing type, ignore.
3856   if (!TyOrEx) return ExprError();
3857
3858   if (IsType) {
3859     TypeSourceInfo *TInfo;
3860     (void) GetTypeFromParser(ParsedType::getFromOpaquePtr(TyOrEx), &TInfo);
3861     return CreateUnaryExprOrTypeTraitExpr(TInfo, OpLoc, ExprKind, ArgRange);
3862   }
3863
3864   Expr *ArgEx = (Expr *)TyOrEx;
3865   ExprResult Result = CreateUnaryExprOrTypeTraitExpr(ArgEx, OpLoc, ExprKind);
3866   return Result;
3867 }
3868
3869 static QualType CheckRealImagOperand(Sema &S, ExprResult &V, SourceLocation Loc,
3870                                      bool IsReal) {
3871   if (V.get()->isTypeDependent())
3872     return S.Context.DependentTy;
3873
3874   // _Real and _Imag are only l-values for normal l-values.
3875   if (V.get()->getObjectKind() != OK_Ordinary) {
3876     V = S.DefaultLvalueConversion(V.get());
3877     if (V.isInvalid())
3878       return QualType();
3879   }
3880
3881   // These operators return the element type of a complex type.
3882   if (const ComplexType *CT = V.get()->getType()->getAs<ComplexType>())
3883     return CT->getElementType();
3884
3885   // Otherwise they pass through real integer and floating point types here.
3886   if (V.get()->getType()->isArithmeticType())
3887     return V.get()->getType();
3888
3889   // Test for placeholders.
3890   ExprResult PR = S.CheckPlaceholderExpr(V.get());
3891   if (PR.isInvalid()) return QualType();
3892   if (PR.get() != V.get()) {
3893     V = PR;
3894     return CheckRealImagOperand(S, V, Loc, IsReal);
3895   }
3896
3897   // Reject anything else.
3898   S.Diag(Loc, diag::err_realimag_invalid_type) << V.get()->getType()
3899     << (IsReal ? "__real" : "__imag");
3900   return QualType();
3901 }
3902
3903
3904
3905 ExprResult
3906 Sema::ActOnPostfixUnaryOp(Scope *S, SourceLocation OpLoc,
3907                           tok::TokenKind Kind, Expr *Input) {
3908   UnaryOperatorKind Opc;
3909   switch (Kind) {
3910   default: llvm_unreachable("Unknown unary op!");
3911   case tok::plusplus:   Opc = UO_PostInc; break;
3912   case tok::minusminus: Opc = UO_PostDec; break;
3913   }
3914
3915   // Since this might is a postfix expression, get rid of ParenListExprs.
3916   ExprResult Result = MaybeConvertParenListExprToParenExpr(S, Input);
3917   if (Result.isInvalid()) return ExprError();
3918   Input = Result.get();
3919
3920   return BuildUnaryOp(S, OpLoc, Opc, Input);
3921 }
3922
3923 /// \brief Diagnose if arithmetic on the given ObjC pointer is illegal.
3924 ///
3925 /// \return true on error
3926 static bool checkArithmeticOnObjCPointer(Sema &S,
3927                                          SourceLocation opLoc,
3928                                          Expr *op) {
3929   assert(op->getType()->isObjCObjectPointerType());
3930   if (S.LangOpts.ObjCRuntime.allowsPointerArithmetic() &&
3931       !S.LangOpts.ObjCSubscriptingLegacyRuntime)
3932     return false;
3933
3934   S.Diag(opLoc, diag::err_arithmetic_nonfragile_interface)
3935     << op->getType()->castAs<ObjCObjectPointerType>()->getPointeeType()
3936     << op->getSourceRange();
3937   return true;
3938 }
3939
3940 ExprResult
3941 Sema::ActOnArraySubscriptExpr(Scope *S, Expr *base, SourceLocation lbLoc,
3942                               Expr *idx, SourceLocation rbLoc) {
3943   // Since this might be a postfix expression, get rid of ParenListExprs.
3944   if (isa<ParenListExpr>(base)) {
3945     ExprResult result = MaybeConvertParenListExprToParenExpr(S, base);
3946     if (result.isInvalid()) return ExprError();
3947     base = result.get();
3948   }
3949
3950   // Handle any non-overload placeholder types in the base and index
3951   // expressions.  We can't handle overloads here because the other
3952   // operand might be an overloadable type, in which case the overload
3953   // resolution for the operator overload should get the first crack
3954   // at the overload.
3955   if (base->getType()->isNonOverloadPlaceholderType()) {
3956     ExprResult result = CheckPlaceholderExpr(base);
3957     if (result.isInvalid()) return ExprError();
3958     base = result.get();
3959   }
3960   if (idx->getType()->isNonOverloadPlaceholderType()) {
3961     ExprResult result = CheckPlaceholderExpr(idx);
3962     if (result.isInvalid()) return ExprError();
3963     idx = result.get();
3964   }
3965
3966   // Build an unanalyzed expression if either operand is type-dependent.
3967   if (getLangOpts().CPlusPlus &&
3968       (base->isTypeDependent() || idx->isTypeDependent())) {
3969     return new (Context) ArraySubscriptExpr(base, idx, Context.DependentTy,
3970                                             VK_LValue, OK_Ordinary, rbLoc);
3971   }
3972
3973   // Use C++ overloaded-operator rules if either operand has record
3974   // type.  The spec says to do this if either type is *overloadable*,
3975   // but enum types can't declare subscript operators or conversion
3976   // operators, so there's nothing interesting for overload resolution
3977   // to do if there aren't any record types involved.
3978   //
3979   // ObjC pointers have their own subscripting logic that is not tied
3980   // to overload resolution and so should not take this path.
3981   if (getLangOpts().CPlusPlus &&
3982       (base->getType()->isRecordType() ||
3983        (!base->getType()->isObjCObjectPointerType() &&
3984         idx->getType()->isRecordType()))) {
3985     return CreateOverloadedArraySubscriptExpr(lbLoc, rbLoc, base, idx);
3986   }
3987
3988   return CreateBuiltinArraySubscriptExpr(base, lbLoc, idx, rbLoc);
3989 }
3990
3991 ExprResult
3992 Sema::CreateBuiltinArraySubscriptExpr(Expr *Base, SourceLocation LLoc,
3993                                       Expr *Idx, SourceLocation RLoc) {
3994   Expr *LHSExp = Base;
3995   Expr *RHSExp = Idx;
3996
3997   // Perform default conversions.
3998   if (!LHSExp->getType()->getAs<VectorType>()) {
3999     ExprResult Result = DefaultFunctionArrayLvalueConversion(LHSExp);
4000     if (Result.isInvalid())
4001       return ExprError();
4002     LHSExp = Result.get();
4003   }
4004   ExprResult Result = DefaultFunctionArrayLvalueConversion(RHSExp);
4005   if (Result.isInvalid())
4006     return ExprError();
4007   RHSExp = Result.get();
4008
4009   QualType LHSTy = LHSExp->getType(), RHSTy = RHSExp->getType();
4010   ExprValueKind VK = VK_LValue;
4011   ExprObjectKind OK = OK_Ordinary;
4012
4013   // C99 6.5.2.1p2: the expression e1[e2] is by definition precisely equivalent
4014   // to the expression *((e1)+(e2)). This means the array "Base" may actually be
4015   // in the subscript position. As a result, we need to derive the array base
4016   // and index from the expression types.
4017   Expr *BaseExpr, *IndexExpr;
4018   QualType ResultType;
4019   if (LHSTy->isDependentType() || RHSTy->isDependentType()) {
4020     BaseExpr = LHSExp;
4021     IndexExpr = RHSExp;
4022     ResultType = Context.DependentTy;
4023   } else if (const PointerType *PTy = LHSTy->getAs<PointerType>()) {
4024     BaseExpr = LHSExp;
4025     IndexExpr = RHSExp;
4026     ResultType = PTy->getPointeeType();
4027   } else if (const ObjCObjectPointerType *PTy =
4028                LHSTy->getAs<ObjCObjectPointerType>()) {
4029     BaseExpr = LHSExp;
4030     IndexExpr = RHSExp;
4031
4032     // Use custom logic if this should be the pseudo-object subscript
4033     // expression.
4034     if (!LangOpts.isSubscriptPointerArithmetic())
4035       return BuildObjCSubscriptExpression(RLoc, BaseExpr, IndexExpr, nullptr,
4036                                           nullptr);
4037
4038     ResultType = PTy->getPointeeType();
4039   } else if (const PointerType *PTy = RHSTy->getAs<PointerType>()) {
4040      // Handle the uncommon case of "123[Ptr]".
4041     BaseExpr = RHSExp;
4042     IndexExpr = LHSExp;
4043     ResultType = PTy->getPointeeType();
4044   } else if (const ObjCObjectPointerType *PTy =
4045                RHSTy->getAs<ObjCObjectPointerType>()) {
4046      // Handle the uncommon case of "123[Ptr]".
4047     BaseExpr = RHSExp;
4048     IndexExpr = LHSExp;
4049     ResultType = PTy->getPointeeType();
4050     if (!LangOpts.isSubscriptPointerArithmetic()) {
4051       Diag(LLoc, diag::err_subscript_nonfragile_interface)
4052         << ResultType << BaseExpr->getSourceRange();
4053       return ExprError();
4054     }
4055   } else if (const VectorType *VTy = LHSTy->getAs<VectorType>()) {
4056     BaseExpr = LHSExp;    // vectors: V[123]
4057     IndexExpr = RHSExp;
4058     VK = LHSExp->getValueKind();
4059     if (VK != VK_RValue)
4060       OK = OK_VectorComponent;
4061
4062     // FIXME: need to deal with const...
4063     ResultType = VTy->getElementType();
4064   } else if (LHSTy->isArrayType()) {
4065     // If we see an array that wasn't promoted by
4066     // DefaultFunctionArrayLvalueConversion, it must be an array that
4067     // wasn't promoted because of the C90 rule that doesn't
4068     // allow promoting non-lvalue arrays.  Warn, then
4069     // force the promotion here.
4070     Diag(LHSExp->getLocStart(), diag::ext_subscript_non_lvalue) <<
4071         LHSExp->getSourceRange();
4072     LHSExp = ImpCastExprToType(LHSExp, Context.getArrayDecayedType(LHSTy),
4073                                CK_ArrayToPointerDecay).get();
4074     LHSTy = LHSExp->getType();
4075
4076     BaseExpr = LHSExp;
4077     IndexExpr = RHSExp;
4078     ResultType = LHSTy->getAs<PointerType>()->getPointeeType();
4079   } else if (RHSTy->isArrayType()) {
4080     // Same as previous, except for 123[f().a] case
4081     Diag(RHSExp->getLocStart(), diag::ext_subscript_non_lvalue) <<
4082         RHSExp->getSourceRange();
4083     RHSExp = ImpCastExprToType(RHSExp, Context.getArrayDecayedType(RHSTy),
4084                                CK_ArrayToPointerDecay).get();
4085     RHSTy = RHSExp->getType();
4086
4087     BaseExpr = RHSExp;
4088     IndexExpr = LHSExp;
4089     ResultType = RHSTy->getAs<PointerType>()->getPointeeType();
4090   } else {
4091     return ExprError(Diag(LLoc, diag::err_typecheck_subscript_value)
4092        << LHSExp->getSourceRange() << RHSExp->getSourceRange());
4093   }
4094   // C99 6.5.2.1p1
4095   if (!IndexExpr->getType()->isIntegerType() && !IndexExpr->isTypeDependent())
4096     return ExprError(Diag(LLoc, diag::err_typecheck_subscript_not_integer)
4097                      << IndexExpr->getSourceRange());
4098
4099   if ((IndexExpr->getType()->isSpecificBuiltinType(BuiltinType::Char_S) ||
4100        IndexExpr->getType()->isSpecificBuiltinType(BuiltinType::Char_U))
4101          && !IndexExpr->isTypeDependent())
4102     Diag(LLoc, diag::warn_subscript_is_char) << IndexExpr->getSourceRange();
4103
4104   // C99 6.5.2.1p1: "shall have type "pointer to *object* type". Similarly,
4105   // C++ [expr.sub]p1: The type "T" shall be a completely-defined object
4106   // type. Note that Functions are not objects, and that (in C99 parlance)
4107   // incomplete types are not object types.
4108   if (ResultType->isFunctionType()) {
4109     Diag(BaseExpr->getLocStart(), diag::err_subscript_function_type)
4110       << ResultType << BaseExpr->getSourceRange();
4111     return ExprError();
4112   }
4113
4114   if (ResultType->isVoidType() && !getLangOpts().CPlusPlus) {
4115     // GNU extension: subscripting on pointer to void
4116     Diag(LLoc, diag::ext_gnu_subscript_void_type)
4117       << BaseExpr->getSourceRange();
4118
4119     // C forbids expressions of unqualified void type from being l-values.
4120     // See IsCForbiddenLValueType.
4121     if (!ResultType.hasQualifiers()) VK = VK_RValue;
4122   } else if (!ResultType->isDependentType() &&
4123       RequireCompleteType(LLoc, ResultType,
4124                           diag::err_subscript_incomplete_type, BaseExpr))
4125     return ExprError();
4126
4127   assert(VK == VK_RValue || LangOpts.CPlusPlus ||
4128          !ResultType.isCForbiddenLValueType());
4129
4130   return new (Context)
4131       ArraySubscriptExpr(LHSExp, RHSExp, ResultType, VK, OK, RLoc);
4132 }
4133
4134 ExprResult Sema::BuildCXXDefaultArgExpr(SourceLocation CallLoc,
4135                                         FunctionDecl *FD,
4136                                         ParmVarDecl *Param) {
4137   if (Param->hasUnparsedDefaultArg()) {
4138     Diag(CallLoc,
4139          diag::err_use_of_default_argument_to_function_declared_later) <<
4140       FD << cast<CXXRecordDecl>(FD->getDeclContext())->getDeclName();
4141     Diag(UnparsedDefaultArgLocs[Param],
4142          diag::note_default_argument_declared_here);
4143     return ExprError();
4144   }
4145   
4146   if (Param->hasUninstantiatedDefaultArg()) {
4147     Expr *UninstExpr = Param->getUninstantiatedDefaultArg();
4148
4149     EnterExpressionEvaluationContext EvalContext(*this, PotentiallyEvaluated,
4150                                                  Param);
4151
4152     // Instantiate the expression.
4153     MultiLevelTemplateArgumentList MutiLevelArgList
4154       = getTemplateInstantiationArgs(FD, nullptr, /*RelativeToPrimary=*/true);
4155
4156     InstantiatingTemplate Inst(*this, CallLoc, Param,
4157                                MutiLevelArgList.getInnermost());
4158     if (Inst.isInvalid())
4159       return ExprError();
4160
4161     ExprResult Result;
4162     {
4163       // C++ [dcl.fct.default]p5:
4164       //   The names in the [default argument] expression are bound, and
4165       //   the semantic constraints are checked, at the point where the
4166       //   default argument expression appears.
4167       ContextRAII SavedContext(*this, FD);
4168       LocalInstantiationScope Local(*this);
4169       Result = SubstExpr(UninstExpr, MutiLevelArgList);
4170     }
4171     if (Result.isInvalid())
4172       return ExprError();
4173
4174     // Check the expression as an initializer for the parameter.
4175     InitializedEntity Entity
4176       = InitializedEntity::InitializeParameter(Context, Param);
4177     InitializationKind Kind
4178       = InitializationKind::CreateCopy(Param->getLocation(),
4179              /*FIXME:EqualLoc*/UninstExpr->getLocStart());
4180     Expr *ResultE = Result.getAs<Expr>();
4181
4182     InitializationSequence InitSeq(*this, Entity, Kind, ResultE);
4183     Result = InitSeq.Perform(*this, Entity, Kind, ResultE);
4184     if (Result.isInvalid())
4185       return ExprError();
4186
4187     Expr *Arg = Result.getAs<Expr>();
4188     CheckCompletedExpr(Arg, Param->getOuterLocStart());
4189     // Build the default argument expression.
4190     return CXXDefaultArgExpr::Create(Context, CallLoc, Param, Arg);
4191   }
4192
4193   // If the default expression creates temporaries, we need to
4194   // push them to the current stack of expression temporaries so they'll
4195   // be properly destroyed.
4196   // FIXME: We should really be rebuilding the default argument with new
4197   // bound temporaries; see the comment in PR5810.
4198   // We don't need to do that with block decls, though, because
4199   // blocks in default argument expression can never capture anything.
4200   if (isa<ExprWithCleanups>(Param->getInit())) {
4201     // Set the "needs cleanups" bit regardless of whether there are
4202     // any explicit objects.
4203     ExprNeedsCleanups = true;
4204
4205     // Append all the objects to the cleanup list.  Right now, this
4206     // should always be a no-op, because blocks in default argument
4207     // expressions should never be able to capture anything.
4208     assert(!cast<ExprWithCleanups>(Param->getInit())->getNumObjects() &&
4209            "default argument expression has capturing blocks?");
4210   }
4211
4212   // We already type-checked the argument, so we know it works. 
4213   // Just mark all of the declarations in this potentially-evaluated expression
4214   // as being "referenced".
4215   MarkDeclarationsReferencedInExpr(Param->getDefaultArg(),
4216                                    /*SkipLocalVariables=*/true);
4217   return CXXDefaultArgExpr::Create(Context, CallLoc, Param);
4218 }
4219
4220
4221 Sema::VariadicCallType
4222 Sema::getVariadicCallType(FunctionDecl *FDecl, const FunctionProtoType *Proto,
4223                           Expr *Fn) {
4224   if (Proto && Proto->isVariadic()) {
4225     if (dyn_cast_or_null<CXXConstructorDecl>(FDecl))
4226       return VariadicConstructor;
4227     else if (Fn && Fn->getType()->isBlockPointerType())
4228       return VariadicBlock;
4229     else if (FDecl) {
4230       if (CXXMethodDecl *Method = dyn_cast_or_null<CXXMethodDecl>(FDecl))
4231         if (Method->isInstance())
4232           return VariadicMethod;
4233     } else if (Fn && Fn->getType() == Context.BoundMemberTy)
4234       return VariadicMethod;
4235     return VariadicFunction;
4236   }
4237   return VariadicDoesNotApply;
4238 }
4239
4240 namespace {
4241 class FunctionCallCCC : public FunctionCallFilterCCC {
4242 public:
4243   FunctionCallCCC(Sema &SemaRef, const IdentifierInfo *FuncName,
4244                   unsigned NumArgs, MemberExpr *ME)
4245       : FunctionCallFilterCCC(SemaRef, NumArgs, false, ME),
4246         FunctionName(FuncName) {}
4247
4248   bool ValidateCandidate(const TypoCorrection &candidate) override {
4249     if (!candidate.getCorrectionSpecifier() ||
4250         candidate.getCorrectionAsIdentifierInfo() != FunctionName) {
4251       return false;
4252     }
4253
4254     return FunctionCallFilterCCC::ValidateCandidate(candidate);
4255   }
4256
4257 private:
4258   const IdentifierInfo *const FunctionName;
4259 };
4260 }
4261
4262 static TypoCorrection TryTypoCorrectionForCall(Sema &S, Expr *Fn,
4263                                                FunctionDecl *FDecl,
4264                                                ArrayRef<Expr *> Args) {
4265   MemberExpr *ME = dyn_cast<MemberExpr>(Fn);
4266   DeclarationName FuncName = FDecl->getDeclName();
4267   SourceLocation NameLoc = ME ? ME->getMemberLoc() : Fn->getLocStart();
4268
4269   if (TypoCorrection Corrected = S.CorrectTypo(
4270           DeclarationNameInfo(FuncName, NameLoc), Sema::LookupOrdinaryName,
4271           S.getScopeForContext(S.CurContext), nullptr,
4272           llvm::make_unique<FunctionCallCCC>(S, FuncName.getAsIdentifierInfo(),
4273                                              Args.size(), ME),
4274           Sema::CTK_ErrorRecovery)) {
4275     if (NamedDecl *ND = Corrected.getCorrectionDecl()) {
4276       if (Corrected.isOverloaded()) {
4277         OverloadCandidateSet OCS(NameLoc, OverloadCandidateSet::CSK_Normal);
4278         OverloadCandidateSet::iterator Best;
4279         for (TypoCorrection::decl_iterator CD = Corrected.begin(),
4280                                            CDEnd = Corrected.end();
4281              CD != CDEnd; ++CD) {
4282           if (FunctionDecl *FD = dyn_cast<FunctionDecl>(*CD))
4283             S.AddOverloadCandidate(FD, DeclAccessPair::make(FD, AS_none), Args,
4284                                    OCS);
4285         }
4286         switch (OCS.BestViableFunction(S, NameLoc, Best)) {
4287         case OR_Success:
4288           ND = Best->Function;
4289           Corrected.setCorrectionDecl(ND);
4290           break;
4291         default:
4292           break;
4293         }
4294       }
4295       if (isa<ValueDecl>(ND) || isa<FunctionTemplateDecl>(ND)) {
4296         return Corrected;
4297       }
4298     }
4299   }
4300   return TypoCorrection();
4301 }
4302
4303 /// ConvertArgumentsForCall - Converts the arguments specified in
4304 /// Args/NumArgs to the parameter types of the function FDecl with
4305 /// function prototype Proto. Call is the call expression itself, and
4306 /// Fn is the function expression. For a C++ member function, this
4307 /// routine does not attempt to convert the object argument. Returns
4308 /// true if the call is ill-formed.
4309 bool
4310 Sema::ConvertArgumentsForCall(CallExpr *Call, Expr *Fn,
4311                               FunctionDecl *FDecl,
4312                               const FunctionProtoType *Proto,
4313                               ArrayRef<Expr *> Args,
4314                               SourceLocation RParenLoc,
4315                               bool IsExecConfig) {
4316   // Bail out early if calling a builtin with custom typechecking.
4317   // We don't need to do this in the 
4318   if (FDecl)
4319     if (unsigned ID = FDecl->getBuiltinID())
4320       if (Context.BuiltinInfo.hasCustomTypechecking(ID))
4321         return false;
4322
4323   // C99 6.5.2.2p7 - the arguments are implicitly converted, as if by
4324   // assignment, to the types of the corresponding parameter, ...
4325   unsigned NumParams = Proto->getNumParams();
4326   bool Invalid = false;
4327   unsigned MinArgs = FDecl ? FDecl->getMinRequiredArguments() : NumParams;
4328   unsigned FnKind = Fn->getType()->isBlockPointerType()
4329                        ? 1 /* block */
4330                        : (IsExecConfig ? 3 /* kernel function (exec config) */
4331                                        : 0 /* function */);
4332
4333   // If too few arguments are available (and we don't have default
4334   // arguments for the remaining parameters), don't make the call.
4335   if (Args.size() < NumParams) {
4336     if (Args.size() < MinArgs) {
4337       TypoCorrection TC;
4338       if (FDecl && (TC = TryTypoCorrectionForCall(*this, Fn, FDecl, Args))) {
4339         unsigned diag_id =
4340             MinArgs == NumParams && !Proto->isVariadic()
4341                 ? diag::err_typecheck_call_too_few_args_suggest
4342                 : diag::err_typecheck_call_too_few_args_at_least_suggest;
4343         diagnoseTypo(TC, PDiag(diag_id) << FnKind << MinArgs
4344                                         << static_cast<unsigned>(Args.size())
4345                                         << TC.getCorrectionRange());
4346       } else if (MinArgs == 1 && FDecl && FDecl->getParamDecl(0)->getDeclName())
4347         Diag(RParenLoc,
4348              MinArgs == NumParams && !Proto->isVariadic()
4349                  ? diag::err_typecheck_call_too_few_args_one
4350                  : diag::err_typecheck_call_too_few_args_at_least_one)
4351             << FnKind << FDecl->getParamDecl(0) << Fn->getSourceRange();
4352       else
4353         Diag(RParenLoc, MinArgs == NumParams && !Proto->isVariadic()
4354                             ? diag::err_typecheck_call_too_few_args
4355                             : diag::err_typecheck_call_too_few_args_at_least)
4356             << FnKind << MinArgs << static_cast<unsigned>(Args.size())
4357             << Fn->getSourceRange();
4358
4359       // Emit the location of the prototype.
4360       if (!TC && FDecl && !FDecl->getBuiltinID() && !IsExecConfig)
4361         Diag(FDecl->getLocStart(), diag::note_callee_decl)
4362           << FDecl;
4363
4364       return true;
4365     }
4366     Call->setNumArgs(Context, NumParams);
4367   }
4368
4369   // If too many are passed and not variadic, error on the extras and drop
4370   // them.
4371   if (Args.size() > NumParams) {
4372     if (!Proto->isVariadic()) {
4373       TypoCorrection TC;
4374       if (FDecl && (TC = TryTypoCorrectionForCall(*this, Fn, FDecl, Args))) {
4375         unsigned diag_id =
4376             MinArgs == NumParams && !Proto->isVariadic()
4377                 ? diag::err_typecheck_call_too_many_args_suggest
4378                 : diag::err_typecheck_call_too_many_args_at_most_suggest;
4379         diagnoseTypo(TC, PDiag(diag_id) << FnKind << NumParams
4380                                         << static_cast<unsigned>(Args.size())
4381                                         << TC.getCorrectionRange());
4382       } else if (NumParams == 1 && FDecl &&
4383                  FDecl->getParamDecl(0)->getDeclName())
4384         Diag(Args[NumParams]->getLocStart(),
4385              MinArgs == NumParams
4386                  ? diag::err_typecheck_call_too_many_args_one
4387                  : diag::err_typecheck_call_too_many_args_at_most_one)
4388             << FnKind << FDecl->getParamDecl(0)
4389             << static_cast<unsigned>(Args.size()) << Fn->getSourceRange()
4390             << SourceRange(Args[NumParams]->getLocStart(),
4391                            Args.back()->getLocEnd());
4392       else
4393         Diag(Args[NumParams]->getLocStart(),
4394              MinArgs == NumParams
4395                  ? diag::err_typecheck_call_too_many_args
4396                  : diag::err_typecheck_call_too_many_args_at_most)
4397             << FnKind << NumParams << static_cast<unsigned>(Args.size())
4398             << Fn->getSourceRange()
4399             << SourceRange(Args[NumParams]->getLocStart(),
4400                            Args.back()->getLocEnd());
4401
4402       // Emit the location of the prototype.
4403       if (!TC && FDecl && !FDecl->getBuiltinID() && !IsExecConfig)
4404         Diag(FDecl->getLocStart(), diag::note_callee_decl)
4405           << FDecl;
4406       
4407       // This deletes the extra arguments.
4408       Call->setNumArgs(Context, NumParams);
4409       return true;
4410     }
4411   }
4412   SmallVector<Expr *, 8> AllArgs;
4413   VariadicCallType CallType = getVariadicCallType(FDecl, Proto, Fn);
4414   
4415   Invalid = GatherArgumentsForCall(Call->getLocStart(), FDecl,
4416                                    Proto, 0, Args, AllArgs, CallType);
4417   if (Invalid)
4418     return true;
4419   unsigned TotalNumArgs = AllArgs.size();
4420   for (unsigned i = 0; i < TotalNumArgs; ++i)
4421     Call->setArg(i, AllArgs[i]);
4422
4423   return false;
4424 }
4425
4426 bool Sema::GatherArgumentsForCall(SourceLocation CallLoc, FunctionDecl *FDecl,
4427                                   const FunctionProtoType *Proto,
4428                                   unsigned FirstParam, ArrayRef<Expr *> Args,
4429                                   SmallVectorImpl<Expr *> &AllArgs,
4430                                   VariadicCallType CallType, bool AllowExplicit,
4431                                   bool IsListInitialization) {
4432   unsigned NumParams = Proto->getNumParams();
4433   bool Invalid = false;
4434   unsigned ArgIx = 0;
4435   // Continue to check argument types (even if we have too few/many args).
4436   for (unsigned i = FirstParam; i < NumParams; i++) {
4437     QualType ProtoArgType = Proto->getParamType(i);
4438
4439     Expr *Arg;
4440     ParmVarDecl *Param = FDecl ? FDecl->getParamDecl(i) : nullptr;
4441     if (ArgIx < Args.size()) {
4442       Arg = Args[ArgIx++];
4443
4444       if (RequireCompleteType(Arg->getLocStart(),
4445                               ProtoArgType,
4446                               diag::err_call_incomplete_argument, Arg))
4447         return true;
4448
4449       // Strip the unbridged-cast placeholder expression off, if applicable.
4450       bool CFAudited = false;
4451       if (Arg->getType() == Context.ARCUnbridgedCastTy &&
4452           FDecl && FDecl->hasAttr<CFAuditedTransferAttr>() &&
4453           (!Param || !Param->hasAttr<CFConsumedAttr>()))
4454         Arg = stripARCUnbridgedCast(Arg);
4455       else if (getLangOpts().ObjCAutoRefCount &&
4456                FDecl && FDecl->hasAttr<CFAuditedTransferAttr>() &&
4457                (!Param || !Param->hasAttr<CFConsumedAttr>()))
4458         CFAudited = true;
4459
4460       InitializedEntity Entity =
4461           Param ? InitializedEntity::InitializeParameter(Context, Param,
4462                                                          ProtoArgType)
4463                 : InitializedEntity::InitializeParameter(
4464                       Context, ProtoArgType, Proto->isParamConsumed(i));
4465
4466       // Remember that parameter belongs to a CF audited API.
4467       if (CFAudited)
4468         Entity.setParameterCFAudited();
4469
4470       ExprResult ArgE = PerformCopyInitialization(
4471           Entity, SourceLocation(), Arg, IsListInitialization, AllowExplicit);
4472       if (ArgE.isInvalid())
4473         return true;
4474
4475       Arg = ArgE.getAs<Expr>();
4476     } else {
4477       assert(Param && "can't use default arguments without a known callee");
4478
4479       ExprResult ArgExpr =
4480         BuildCXXDefaultArgExpr(CallLoc, FDecl, Param);
4481       if (ArgExpr.isInvalid())
4482         return true;
4483
4484       Arg = ArgExpr.getAs<Expr>();
4485     }
4486
4487     // Check for array bounds violations for each argument to the call. This
4488     // check only triggers warnings when the argument isn't a more complex Expr
4489     // with its own checking, such as a BinaryOperator.
4490     CheckArrayAccess(Arg);
4491
4492     // Check for violations of C99 static array rules (C99 6.7.5.3p7).
4493     CheckStaticArrayArgument(CallLoc, Param, Arg);
4494
4495     AllArgs.push_back(Arg);
4496   }
4497
4498   // If this is a variadic call, handle args passed through "...".
4499   if (CallType != VariadicDoesNotApply) {
4500     // Assume that extern "C" functions with variadic arguments that
4501     // return __unknown_anytype aren't *really* variadic.
4502     if (Proto->getReturnType() == Context.UnknownAnyTy && FDecl &&
4503         FDecl->isExternC()) {
4504       for (unsigned i = ArgIx, e = Args.size(); i != e; ++i) {
4505         QualType paramType; // ignored
4506         ExprResult arg = checkUnknownAnyArg(CallLoc, Args[i], paramType);
4507         Invalid |= arg.isInvalid();
4508         AllArgs.push_back(arg.get());
4509       }
4510
4511     // Otherwise do argument promotion, (C99 6.5.2.2p7).
4512     } else {
4513       for (unsigned i = ArgIx, e = Args.size(); i != e; ++i) {
4514         ExprResult Arg = DefaultVariadicArgumentPromotion(Args[i], CallType,
4515                                                           FDecl);
4516         Invalid |= Arg.isInvalid();
4517         AllArgs.push_back(Arg.get());
4518       }
4519     }
4520
4521     // Check for array bounds violations.
4522     for (unsigned i = ArgIx, e = Args.size(); i != e; ++i)
4523       CheckArrayAccess(Args[i]);
4524   }
4525   return Invalid;
4526 }
4527
4528 static void DiagnoseCalleeStaticArrayParam(Sema &S, ParmVarDecl *PVD) {
4529   TypeLoc TL = PVD->getTypeSourceInfo()->getTypeLoc();
4530   if (DecayedTypeLoc DTL = TL.getAs<DecayedTypeLoc>())
4531     TL = DTL.getOriginalLoc();
4532   if (ArrayTypeLoc ATL = TL.getAs<ArrayTypeLoc>())
4533     S.Diag(PVD->getLocation(), diag::note_callee_static_array)
4534       << ATL.getLocalSourceRange();
4535 }
4536
4537 /// CheckStaticArrayArgument - If the given argument corresponds to a static
4538 /// array parameter, check that it is non-null, and that if it is formed by
4539 /// array-to-pointer decay, the underlying array is sufficiently large.
4540 ///
4541 /// C99 6.7.5.3p7: If the keyword static also appears within the [ and ] of the
4542 /// array type derivation, then for each call to the function, the value of the
4543 /// corresponding actual argument shall provide access to the first element of
4544 /// an array with at least as many elements as specified by the size expression.
4545 void
4546 Sema::CheckStaticArrayArgument(SourceLocation CallLoc,
4547                                ParmVarDecl *Param,
4548                                const Expr *ArgExpr) {
4549   // Static array parameters are not supported in C++.
4550   if (!Param || getLangOpts().CPlusPlus)
4551     return;
4552
4553   QualType OrigTy = Param->getOriginalType();
4554
4555   const ArrayType *AT = Context.getAsArrayType(OrigTy);
4556   if (!AT || AT->getSizeModifier() != ArrayType::Static)
4557     return;
4558
4559   if (ArgExpr->isNullPointerConstant(Context,
4560                                      Expr::NPC_NeverValueDependent)) {
4561     Diag(CallLoc, diag::warn_null_arg) << ArgExpr->getSourceRange();
4562     DiagnoseCalleeStaticArrayParam(*this, Param);
4563     return;
4564   }
4565
4566   const ConstantArrayType *CAT = dyn_cast<ConstantArrayType>(AT);
4567   if (!CAT)
4568     return;
4569
4570   const ConstantArrayType *ArgCAT =
4571     Context.getAsConstantArrayType(ArgExpr->IgnoreParenImpCasts()->getType());
4572   if (!ArgCAT)
4573     return;
4574
4575   if (ArgCAT->getSize().ult(CAT->getSize())) {
4576     Diag(CallLoc, diag::warn_static_array_too_small)
4577       << ArgExpr->getSourceRange()
4578       << (unsigned) ArgCAT->getSize().getZExtValue()
4579       << (unsigned) CAT->getSize().getZExtValue();
4580     DiagnoseCalleeStaticArrayParam(*this, Param);
4581   }
4582 }
4583
4584 /// Given a function expression of unknown-any type, try to rebuild it
4585 /// to have a function type.
4586 static ExprResult rebuildUnknownAnyFunction(Sema &S, Expr *fn);
4587
4588 /// Is the given type a placeholder that we need to lower out
4589 /// immediately during argument processing?
4590 static bool isPlaceholderToRemoveAsArg(QualType type) {
4591   // Placeholders are never sugared.
4592   const BuiltinType *placeholder = dyn_cast<BuiltinType>(type);
4593   if (!placeholder) return false;
4594
4595   switch (placeholder->getKind()) {
4596   // Ignore all the non-placeholder types.
4597 #define PLACEHOLDER_TYPE(ID, SINGLETON_ID)
4598 #define BUILTIN_TYPE(ID, SINGLETON_ID) case BuiltinType::ID:
4599 #include "clang/AST/BuiltinTypes.def"
4600     return false;
4601
4602   // We cannot lower out overload sets; they might validly be resolved
4603   // by the call machinery.
4604   case BuiltinType::Overload:
4605     return false;
4606
4607   // Unbridged casts in ARC can be handled in some call positions and
4608   // should be left in place.
4609   case BuiltinType::ARCUnbridgedCast:
4610     return false;
4611
4612   // Pseudo-objects should be converted as soon as possible.
4613   case BuiltinType::PseudoObject:
4614     return true;
4615
4616   // The debugger mode could theoretically but currently does not try
4617   // to resolve unknown-typed arguments based on known parameter types.
4618   case BuiltinType::UnknownAny:
4619     return true;
4620
4621   // These are always invalid as call arguments and should be reported.
4622   case BuiltinType::BoundMember:
4623   case BuiltinType::BuiltinFn:
4624     return true;
4625   }
4626   llvm_unreachable("bad builtin type kind");
4627 }
4628
4629 /// Check an argument list for placeholders that we won't try to
4630 /// handle later.
4631 static bool checkArgsForPlaceholders(Sema &S, MultiExprArg args) {
4632   // Apply this processing to all the arguments at once instead of
4633   // dying at the first failure.
4634   bool hasInvalid = false;
4635   for (size_t i = 0, e = args.size(); i != e; i++) {
4636     if (isPlaceholderToRemoveAsArg(args[i]->getType())) {
4637       ExprResult result = S.CheckPlaceholderExpr(args[i]);
4638       if (result.isInvalid()) hasInvalid = true;
4639       else args[i] = result.get();
4640     } else if (hasInvalid) {
4641       (void)S.CorrectDelayedTyposInExpr(args[i]);
4642     }
4643   }
4644   return hasInvalid;
4645 }
4646
4647 /// If a builtin function has a pointer argument with no explicit address
4648 /// space, than it should be able to accept a pointer to any address
4649 /// space as input.  In order to do this, we need to replace the
4650 /// standard builtin declaration with one that uses the same address space
4651 /// as the call.
4652 ///
4653 /// \returns nullptr If this builtin is not a candidate for a rewrite i.e.
4654 ///                  it does not contain any pointer arguments without
4655 ///                  an address space qualifer.  Otherwise the rewritten
4656 ///                  FunctionDecl is returned.
4657 /// TODO: Handle pointer return types.
4658 static FunctionDecl *rewriteBuiltinFunctionDecl(Sema *Sema, ASTContext &Context,
4659                                                 const FunctionDecl *FDecl,
4660                                                 MultiExprArg ArgExprs) {
4661
4662   QualType DeclType = FDecl->getType();
4663   const FunctionProtoType *FT = dyn_cast<FunctionProtoType>(DeclType);
4664
4665   if (!Context.BuiltinInfo.hasPtrArgsOrResult(FDecl->getBuiltinID()) ||
4666       !FT || FT->isVariadic() || ArgExprs.size() != FT->getNumParams())
4667     return nullptr;
4668
4669   bool NeedsNewDecl = false;
4670   unsigned i = 0;
4671   SmallVector<QualType, 8> OverloadParams;
4672
4673   for (QualType ParamType : FT->param_types()) {
4674
4675     // Convert array arguments to pointer to simplify type lookup.
4676     Expr *Arg = Sema->DefaultFunctionArrayLvalueConversion(ArgExprs[i++]).get();
4677     QualType ArgType = Arg->getType();
4678     if (!ParamType->isPointerType() ||
4679         ParamType.getQualifiers().hasAddressSpace() ||
4680         !ArgType->isPointerType() ||
4681         !ArgType->getPointeeType().getQualifiers().hasAddressSpace()) {
4682       OverloadParams.push_back(ParamType);
4683       continue;
4684     }
4685
4686     NeedsNewDecl = true;
4687     unsigned AS = ArgType->getPointeeType().getQualifiers().getAddressSpace();
4688
4689     QualType PointeeType = ParamType->getPointeeType();
4690     PointeeType = Context.getAddrSpaceQualType(PointeeType, AS);
4691     OverloadParams.push_back(Context.getPointerType(PointeeType));
4692   }
4693
4694   if (!NeedsNewDecl)
4695     return nullptr;
4696
4697   FunctionProtoType::ExtProtoInfo EPI;
4698   QualType OverloadTy = Context.getFunctionType(FT->getReturnType(),
4699                                                 OverloadParams, EPI);
4700   DeclContext *Parent = Context.getTranslationUnitDecl();
4701   FunctionDecl *OverloadDecl = FunctionDecl::Create(Context, Parent,
4702                                                     FDecl->getLocation(),
4703                                                     FDecl->getLocation(),
4704                                                     FDecl->getIdentifier(),
4705                                                     OverloadTy,
4706                                                     /*TInfo=*/nullptr,
4707                                                     SC_Extern, false,
4708                                                     /*hasPrototype=*/true);
4709   SmallVector<ParmVarDecl*, 16> Params;
4710   FT = cast<FunctionProtoType>(OverloadTy);
4711   for (unsigned i = 0, e = FT->getNumParams(); i != e; ++i) {
4712     QualType ParamType = FT->getParamType(i);
4713     ParmVarDecl *Parm =
4714         ParmVarDecl::Create(Context, OverloadDecl, SourceLocation(),
4715                                 SourceLocation(), nullptr, ParamType,
4716                                 /*TInfo=*/nullptr, SC_None, nullptr);
4717     Parm->setScopeInfo(0, i);
4718     Params.push_back(Parm);
4719   }
4720   OverloadDecl->setParams(Params);
4721   return OverloadDecl;
4722 }
4723
4724 /// ActOnCallExpr - Handle a call to Fn with the specified array of arguments.
4725 /// This provides the location of the left/right parens and a list of comma
4726 /// locations.
4727 ExprResult
4728 Sema::ActOnCallExpr(Scope *S, Expr *Fn, SourceLocation LParenLoc,
4729                     MultiExprArg ArgExprs, SourceLocation RParenLoc,
4730                     Expr *ExecConfig, bool IsExecConfig) {
4731   // Since this might be a postfix expression, get rid of ParenListExprs.
4732   ExprResult Result = MaybeConvertParenListExprToParenExpr(S, Fn);
4733   if (Result.isInvalid()) return ExprError();
4734   Fn = Result.get();
4735
4736   if (checkArgsForPlaceholders(*this, ArgExprs))
4737     return ExprError();
4738
4739   if (getLangOpts().CPlusPlus) {
4740     // If this is a pseudo-destructor expression, build the call immediately.
4741     if (isa<CXXPseudoDestructorExpr>(Fn)) {
4742       if (!ArgExprs.empty()) {
4743         // Pseudo-destructor calls should not have any arguments.
4744         Diag(Fn->getLocStart(), diag::err_pseudo_dtor_call_with_args)
4745           << FixItHint::CreateRemoval(
4746                                     SourceRange(ArgExprs[0]->getLocStart(),
4747                                                 ArgExprs.back()->getLocEnd()));
4748       }
4749
4750       return new (Context)
4751           CallExpr(Context, Fn, None, Context.VoidTy, VK_RValue, RParenLoc);
4752     }
4753     if (Fn->getType() == Context.PseudoObjectTy) {
4754       ExprResult result = CheckPlaceholderExpr(Fn);
4755       if (result.isInvalid()) return ExprError();
4756       Fn = result.get();
4757     }
4758
4759     // Determine whether this is a dependent call inside a C++ template,
4760     // in which case we won't do any semantic analysis now.
4761     // FIXME: Will need to cache the results of name lookup (including ADL) in
4762     // Fn.
4763     bool Dependent = false;
4764     if (Fn->isTypeDependent())
4765       Dependent = true;
4766     else if (Expr::hasAnyTypeDependentArguments(ArgExprs))
4767       Dependent = true;
4768
4769     if (Dependent) {
4770       if (ExecConfig) {
4771         return new (Context) CUDAKernelCallExpr(
4772             Context, Fn, cast<CallExpr>(ExecConfig), ArgExprs,
4773             Context.DependentTy, VK_RValue, RParenLoc);
4774       } else {
4775         return new (Context) CallExpr(
4776             Context, Fn, ArgExprs, Context.DependentTy, VK_RValue, RParenLoc);
4777       }
4778     }
4779
4780     // Determine whether this is a call to an object (C++ [over.call.object]).
4781     if (Fn->getType()->isRecordType())
4782       return BuildCallToObjectOfClassType(S, Fn, LParenLoc, ArgExprs,
4783                                           RParenLoc);
4784
4785     if (Fn->getType() == Context.UnknownAnyTy) {
4786       ExprResult result = rebuildUnknownAnyFunction(*this, Fn);
4787       if (result.isInvalid()) return ExprError();
4788       Fn = result.get();
4789     }
4790
4791     if (Fn->getType() == Context.BoundMemberTy) {
4792       return BuildCallToMemberFunction(S, Fn, LParenLoc, ArgExprs, RParenLoc);
4793     }
4794   }
4795
4796   // Check for overloaded calls.  This can happen even in C due to extensions.
4797   if (Fn->getType() == Context.OverloadTy) {
4798     OverloadExpr::FindResult find = OverloadExpr::find(Fn);
4799
4800     // We aren't supposed to apply this logic for if there's an '&' involved.
4801     if (!find.HasFormOfMemberPointer) {
4802       OverloadExpr *ovl = find.Expression;
4803       if (isa<UnresolvedLookupExpr>(ovl)) {
4804         UnresolvedLookupExpr *ULE = cast<UnresolvedLookupExpr>(ovl);
4805         return BuildOverloadedCallExpr(S, Fn, ULE, LParenLoc, ArgExprs,
4806                                        RParenLoc, ExecConfig);
4807       } else {
4808         return BuildCallToMemberFunction(S, Fn, LParenLoc, ArgExprs,
4809                                          RParenLoc);
4810       }
4811     }
4812   }
4813
4814   // If we're directly calling a function, get the appropriate declaration.
4815   if (Fn->getType() == Context.UnknownAnyTy) {
4816     ExprResult result = rebuildUnknownAnyFunction(*this, Fn);
4817     if (result.isInvalid()) return ExprError();
4818     Fn = result.get();
4819   }
4820
4821   Expr *NakedFn = Fn->IgnoreParens();
4822
4823   NamedDecl *NDecl = nullptr;
4824   if (UnaryOperator *UnOp = dyn_cast<UnaryOperator>(NakedFn))
4825     if (UnOp->getOpcode() == UO_AddrOf)
4826       NakedFn = UnOp->getSubExpr()->IgnoreParens();
4827
4828   if (isa<DeclRefExpr>(NakedFn)) {
4829     NDecl = cast<DeclRefExpr>(NakedFn)->getDecl();
4830
4831     FunctionDecl *FDecl = dyn_cast<FunctionDecl>(NDecl);
4832     if (FDecl && FDecl->getBuiltinID()) {
4833       // Rewrite the function decl for this builtin by replacing paramaters
4834       // with no explicit address space with the address space of the arguments
4835       // in ArgExprs.
4836       if ((FDecl = rewriteBuiltinFunctionDecl(this, Context, FDecl, ArgExprs))) {
4837         NDecl = FDecl;
4838         Fn = DeclRefExpr::Create(Context, FDecl->getQualifierLoc(),
4839                            SourceLocation(), FDecl, false,
4840                            SourceLocation(), FDecl->getType(),
4841                            Fn->getValueKind(), FDecl);
4842       }
4843     }
4844   } else if (isa<MemberExpr>(NakedFn))
4845     NDecl = cast<MemberExpr>(NakedFn)->getMemberDecl();
4846
4847   if (FunctionDecl *FD = dyn_cast_or_null<FunctionDecl>(NDecl)) {
4848     if (FD->hasAttr<EnableIfAttr>()) {
4849       if (const EnableIfAttr *Attr = CheckEnableIf(FD, ArgExprs, true)) {
4850         Diag(Fn->getLocStart(),
4851              isa<CXXMethodDecl>(FD) ?
4852                  diag::err_ovl_no_viable_member_function_in_call :
4853                  diag::err_ovl_no_viable_function_in_call)
4854           << FD << FD->getSourceRange();
4855         Diag(FD->getLocation(),
4856              diag::note_ovl_candidate_disabled_by_enable_if_attr)
4857             << Attr->getCond()->getSourceRange() << Attr->getMessage();
4858       }
4859     }
4860   }
4861
4862   return BuildResolvedCallExpr(Fn, NDecl, LParenLoc, ArgExprs, RParenLoc,
4863                                ExecConfig, IsExecConfig);
4864 }
4865
4866 /// ActOnAsTypeExpr - create a new asType (bitcast) from the arguments.
4867 ///
4868 /// __builtin_astype( value, dst type )
4869 ///
4870 ExprResult Sema::ActOnAsTypeExpr(Expr *E, ParsedType ParsedDestTy,
4871                                  SourceLocation BuiltinLoc,
4872                                  SourceLocation RParenLoc) {
4873   ExprValueKind VK = VK_RValue;
4874   ExprObjectKind OK = OK_Ordinary;
4875   QualType DstTy = GetTypeFromParser(ParsedDestTy);
4876   QualType SrcTy = E->getType();
4877   if (Context.getTypeSize(DstTy) != Context.getTypeSize(SrcTy))
4878     return ExprError(Diag(BuiltinLoc,
4879                           diag::err_invalid_astype_of_different_size)
4880                      << DstTy
4881                      << SrcTy
4882                      << E->getSourceRange());
4883   return new (Context) AsTypeExpr(E, DstTy, VK, OK, BuiltinLoc, RParenLoc);
4884 }
4885
4886 /// ActOnConvertVectorExpr - create a new convert-vector expression from the
4887 /// provided arguments.
4888 ///
4889 /// __builtin_convertvector( value, dst type )
4890 ///
4891 ExprResult Sema::ActOnConvertVectorExpr(Expr *E, ParsedType ParsedDestTy,
4892                                         SourceLocation BuiltinLoc,
4893                                         SourceLocation RParenLoc) {
4894   TypeSourceInfo *TInfo;
4895   GetTypeFromParser(ParsedDestTy, &TInfo);
4896   return SemaConvertVectorExpr(E, TInfo, BuiltinLoc, RParenLoc);
4897 }
4898
4899 /// BuildResolvedCallExpr - Build a call to a resolved expression,
4900 /// i.e. an expression not of \p OverloadTy.  The expression should
4901 /// unary-convert to an expression of function-pointer or
4902 /// block-pointer type.
4903 ///
4904 /// \param NDecl the declaration being called, if available
4905 ExprResult
4906 Sema::BuildResolvedCallExpr(Expr *Fn, NamedDecl *NDecl,
4907                             SourceLocation LParenLoc,
4908                             ArrayRef<Expr *> Args,
4909                             SourceLocation RParenLoc,
4910                             Expr *Config, bool IsExecConfig) {
4911   FunctionDecl *FDecl = dyn_cast_or_null<FunctionDecl>(NDecl);
4912   unsigned BuiltinID = (FDecl ? FDecl->getBuiltinID() : 0);
4913
4914   // Promote the function operand.
4915   // We special-case function promotion here because we only allow promoting
4916   // builtin functions to function pointers in the callee of a call.
4917   ExprResult Result;
4918   if (BuiltinID &&
4919       Fn->getType()->isSpecificBuiltinType(BuiltinType::BuiltinFn)) {
4920     Result = ImpCastExprToType(Fn, Context.getPointerType(FDecl->getType()),
4921                                CK_BuiltinFnToFnPtr).get();
4922   } else {
4923     Result = CallExprUnaryConversions(Fn);
4924   }
4925   if (Result.isInvalid())
4926     return ExprError();
4927   Fn = Result.get();
4928
4929   // Make the call expr early, before semantic checks.  This guarantees cleanup
4930   // of arguments and function on error.
4931   CallExpr *TheCall;
4932   if (Config)
4933     TheCall = new (Context) CUDAKernelCallExpr(Context, Fn,
4934                                                cast<CallExpr>(Config), Args,
4935                                                Context.BoolTy, VK_RValue,
4936                                                RParenLoc);
4937   else
4938     TheCall = new (Context) CallExpr(Context, Fn, Args, Context.BoolTy,
4939                                      VK_RValue, RParenLoc);
4940
4941   // Bail out early if calling a builtin with custom typechecking.
4942   if (BuiltinID && Context.BuiltinInfo.hasCustomTypechecking(BuiltinID))
4943     return CheckBuiltinFunctionCall(FDecl, BuiltinID, TheCall);
4944
4945  retry:
4946   const FunctionType *FuncT;
4947   if (const PointerType *PT = Fn->getType()->getAs<PointerType>()) {
4948     // C99 6.5.2.2p1 - "The expression that denotes the called function shall
4949     // have type pointer to function".
4950     FuncT = PT->getPointeeType()->getAs<FunctionType>();
4951     if (!FuncT)
4952       return ExprError(Diag(LParenLoc, diag::err_typecheck_call_not_function)
4953                          << Fn->getType() << Fn->getSourceRange());
4954   } else if (const BlockPointerType *BPT =
4955                Fn->getType()->getAs<BlockPointerType>()) {
4956     FuncT = BPT->getPointeeType()->castAs<FunctionType>();
4957   } else {
4958     // Handle calls to expressions of unknown-any type.
4959     if (Fn->getType() == Context.UnknownAnyTy) {
4960       ExprResult rewrite = rebuildUnknownAnyFunction(*this, Fn);
4961       if (rewrite.isInvalid()) return ExprError();
4962       Fn = rewrite.get();
4963       TheCall->setCallee(Fn);
4964       goto retry;
4965     }
4966
4967     return ExprError(Diag(LParenLoc, diag::err_typecheck_call_not_function)
4968       << Fn->getType() << Fn->getSourceRange());
4969   }
4970
4971   if (getLangOpts().CUDA) {
4972     if (Config) {
4973       // CUDA: Kernel calls must be to global functions
4974       if (FDecl && !FDecl->hasAttr<CUDAGlobalAttr>())
4975         return ExprError(Diag(LParenLoc,diag::err_kern_call_not_global_function)
4976             << FDecl->getName() << Fn->getSourceRange());
4977
4978       // CUDA: Kernel function must have 'void' return type
4979       if (!FuncT->getReturnType()->isVoidType())
4980         return ExprError(Diag(LParenLoc, diag::err_kern_type_not_void_return)
4981             << Fn->getType() << Fn->getSourceRange());
4982     } else {
4983       // CUDA: Calls to global functions must be configured
4984       if (FDecl && FDecl->hasAttr<CUDAGlobalAttr>())
4985         return ExprError(Diag(LParenLoc, diag::err_global_call_not_config)
4986             << FDecl->getName() << Fn->getSourceRange());
4987     }
4988   }
4989
4990   // Check for a valid return type
4991   if (CheckCallReturnType(FuncT->getReturnType(), Fn->getLocStart(), TheCall,
4992                           FDecl))
4993     return ExprError();
4994
4995   // We know the result type of the call, set it.
4996   TheCall->setType(FuncT->getCallResultType(Context));
4997   TheCall->setValueKind(Expr::getValueKindForType(FuncT->getReturnType()));
4998
4999   const FunctionProtoType *Proto = dyn_cast<FunctionProtoType>(FuncT);
5000   if (Proto) {
5001     if (ConvertArgumentsForCall(TheCall, Fn, FDecl, Proto, Args, RParenLoc,
5002                                 IsExecConfig))
5003       return ExprError();
5004   } else {
5005     assert(isa<FunctionNoProtoType>(FuncT) && "Unknown FunctionType!");
5006
5007     if (FDecl) {
5008       // Check if we have too few/too many template arguments, based
5009       // on our knowledge of the function definition.
5010       const FunctionDecl *Def = nullptr;
5011       if (FDecl->hasBody(Def) && Args.size() != Def->param_size()) {
5012         Proto = Def->getType()->getAs<FunctionProtoType>();
5013        if (!Proto || !(Proto->isVariadic() && Args.size() >= Def->param_size()))
5014           Diag(RParenLoc, diag::warn_call_wrong_number_of_arguments)
5015           << (Args.size() > Def->param_size()) << FDecl << Fn->getSourceRange();
5016       }
5017       
5018       // If the function we're calling isn't a function prototype, but we have
5019       // a function prototype from a prior declaratiom, use that prototype.
5020       if (!FDecl->hasPrototype())
5021         Proto = FDecl->getType()->getAs<FunctionProtoType>();
5022     }
5023
5024     // Promote the arguments (C99 6.5.2.2p6).
5025     for (unsigned i = 0, e = Args.size(); i != e; i++) {
5026       Expr *Arg = Args[i];
5027
5028       if (Proto && i < Proto->getNumParams()) {
5029         InitializedEntity Entity = InitializedEntity::InitializeParameter(
5030             Context, Proto->getParamType(i), Proto->isParamConsumed(i));
5031         ExprResult ArgE =
5032             PerformCopyInitialization(Entity, SourceLocation(), Arg);
5033         if (ArgE.isInvalid())
5034           return true;
5035         
5036         Arg = ArgE.getAs<Expr>();
5037
5038       } else {
5039         ExprResult ArgE = DefaultArgumentPromotion(Arg);
5040
5041         if (ArgE.isInvalid())
5042           return true;
5043
5044         Arg = ArgE.getAs<Expr>();
5045       }
5046       
5047       if (RequireCompleteType(Arg->getLocStart(),
5048                               Arg->getType(),
5049                               diag::err_call_incomplete_argument, Arg))
5050         return ExprError();
5051
5052       TheCall->setArg(i, Arg);
5053     }
5054   }
5055
5056   if (CXXMethodDecl *Method = dyn_cast_or_null<CXXMethodDecl>(FDecl))
5057     if (!Method->isStatic())
5058       return ExprError(Diag(LParenLoc, diag::err_member_call_without_object)
5059         << Fn->getSourceRange());
5060
5061   // Check for sentinels
5062   if (NDecl)
5063     DiagnoseSentinelCalls(NDecl, LParenLoc, Args);
5064
5065   // Do special checking on direct calls to functions.
5066   if (FDecl) {
5067     if (CheckFunctionCall(FDecl, TheCall, Proto))
5068       return ExprError();
5069
5070     if (BuiltinID)
5071       return CheckBuiltinFunctionCall(FDecl, BuiltinID, TheCall);
5072   } else if (NDecl) {
5073     if (CheckPointerCall(NDecl, TheCall, Proto))
5074       return ExprError();
5075   } else {
5076     if (CheckOtherCall(TheCall, Proto))
5077       return ExprError();
5078   }
5079
5080   return MaybeBindToTemporary(TheCall);
5081 }
5082
5083 ExprResult
5084 Sema::ActOnCompoundLiteral(SourceLocation LParenLoc, ParsedType Ty,
5085                            SourceLocation RParenLoc, Expr *InitExpr) {
5086   assert(Ty && "ActOnCompoundLiteral(): missing type");
5087   // FIXME: put back this assert when initializers are worked out.
5088   //assert((InitExpr != 0) && "ActOnCompoundLiteral(): missing expression");
5089
5090   TypeSourceInfo *TInfo;
5091   QualType literalType = GetTypeFromParser(Ty, &TInfo);
5092   if (!TInfo)
5093     TInfo = Context.getTrivialTypeSourceInfo(literalType);
5094
5095   return BuildCompoundLiteralExpr(LParenLoc, TInfo, RParenLoc, InitExpr);
5096 }
5097
5098 ExprResult
5099 Sema::BuildCompoundLiteralExpr(SourceLocation LParenLoc, TypeSourceInfo *TInfo,
5100                                SourceLocation RParenLoc, Expr *LiteralExpr) {
5101   QualType literalType = TInfo->getType();
5102
5103   if (literalType->isArrayType()) {
5104     if (RequireCompleteType(LParenLoc, Context.getBaseElementType(literalType),
5105           diag::err_illegal_decl_array_incomplete_type,
5106           SourceRange(LParenLoc,
5107                       LiteralExpr->getSourceRange().getEnd())))
5108       return ExprError();
5109     if (literalType->isVariableArrayType())
5110       return ExprError(Diag(LParenLoc, diag::err_variable_object_no_init)
5111         << SourceRange(LParenLoc, LiteralExpr->getSourceRange().getEnd()));
5112   } else if (!literalType->isDependentType() &&
5113              RequireCompleteType(LParenLoc, literalType,
5114                diag::err_typecheck_decl_incomplete_type,
5115                SourceRange(LParenLoc, LiteralExpr->getSourceRange().getEnd())))
5116     return ExprError();
5117
5118   InitializedEntity Entity
5119     = InitializedEntity::InitializeCompoundLiteralInit(TInfo);
5120   InitializationKind Kind
5121     = InitializationKind::CreateCStyleCast(LParenLoc, 
5122                                            SourceRange(LParenLoc, RParenLoc),
5123                                            /*InitList=*/true);
5124   InitializationSequence InitSeq(*this, Entity, Kind, LiteralExpr);
5125   ExprResult Result = InitSeq.Perform(*this, Entity, Kind, LiteralExpr,
5126                                       &literalType);
5127   if (Result.isInvalid())
5128     return ExprError();
5129   LiteralExpr = Result.get();
5130
5131   bool isFileScope = getCurFunctionOrMethodDecl() == nullptr;
5132   if (isFileScope &&
5133       !LiteralExpr->isTypeDependent() &&
5134       !LiteralExpr->isValueDependent() &&
5135       !literalType->isDependentType()) { // 6.5.2.5p3
5136     if (CheckForConstantInitializer(LiteralExpr, literalType))
5137       return ExprError();
5138   }
5139
5140   // In C, compound literals are l-values for some reason.
5141   ExprValueKind VK = getLangOpts().CPlusPlus ? VK_RValue : VK_LValue;
5142
5143   return MaybeBindToTemporary(
5144            new (Context) CompoundLiteralExpr(LParenLoc, TInfo, literalType,
5145                                              VK, LiteralExpr, isFileScope));
5146 }
5147
5148 ExprResult
5149 Sema::ActOnInitList(SourceLocation LBraceLoc, MultiExprArg InitArgList,
5150                     SourceLocation RBraceLoc) {
5151   // Immediately handle non-overload placeholders.  Overloads can be
5152   // resolved contextually, but everything else here can't.
5153   for (unsigned I = 0, E = InitArgList.size(); I != E; ++I) {
5154     if (InitArgList[I]->getType()->isNonOverloadPlaceholderType()) {
5155       ExprResult result = CheckPlaceholderExpr(InitArgList[I]);
5156
5157       // Ignore failures; dropping the entire initializer list because
5158       // of one failure would be terrible for indexing/etc.
5159       if (result.isInvalid()) continue;
5160
5161       InitArgList[I] = result.get();
5162     }
5163   }
5164
5165   // Semantic analysis for initializers is done by ActOnDeclarator() and
5166   // CheckInitializer() - it requires knowledge of the object being intialized.
5167
5168   InitListExpr *E = new (Context) InitListExpr(Context, LBraceLoc, InitArgList,
5169                                                RBraceLoc);
5170   E->setType(Context.VoidTy); // FIXME: just a place holder for now.
5171   return E;
5172 }
5173
5174 /// Do an explicit extend of the given block pointer if we're in ARC.
5175 static void maybeExtendBlockObject(Sema &S, ExprResult &E) {
5176   assert(E.get()->getType()->isBlockPointerType());
5177   assert(E.get()->isRValue());
5178
5179   // Only do this in an r-value context.
5180   if (!S.getLangOpts().ObjCAutoRefCount) return;
5181
5182   E = ImplicitCastExpr::Create(S.Context, E.get()->getType(),
5183                                CK_ARCExtendBlockObject, E.get(),
5184                                /*base path*/ nullptr, VK_RValue);
5185   S.ExprNeedsCleanups = true;
5186 }
5187
5188 /// Prepare a conversion of the given expression to an ObjC object
5189 /// pointer type.
5190 CastKind Sema::PrepareCastToObjCObjectPointer(ExprResult &E) {
5191   QualType type = E.get()->getType();
5192   if (type->isObjCObjectPointerType()) {
5193     return CK_BitCast;
5194   } else if (type->isBlockPointerType()) {
5195     maybeExtendBlockObject(*this, E);
5196     return CK_BlockPointerToObjCPointerCast;
5197   } else {
5198     assert(type->isPointerType());
5199     return CK_CPointerToObjCPointerCast;
5200   }
5201 }
5202
5203 /// Prepares for a scalar cast, performing all the necessary stages
5204 /// except the final cast and returning the kind required.
5205 CastKind Sema::PrepareScalarCast(ExprResult &Src, QualType DestTy) {
5206   // Both Src and Dest are scalar types, i.e. arithmetic or pointer.
5207   // Also, callers should have filtered out the invalid cases with
5208   // pointers.  Everything else should be possible.
5209
5210   QualType SrcTy = Src.get()->getType();
5211   if (Context.hasSameUnqualifiedType(SrcTy, DestTy))
5212     return CK_NoOp;
5213
5214   switch (Type::ScalarTypeKind SrcKind = SrcTy->getScalarTypeKind()) {
5215   case Type::STK_MemberPointer:
5216     llvm_unreachable("member pointer type in C");
5217
5218   case Type::STK_CPointer:
5219   case Type::STK_BlockPointer:
5220   case Type::STK_ObjCObjectPointer:
5221     switch (DestTy->getScalarTypeKind()) {
5222     case Type::STK_CPointer: {
5223       unsigned SrcAS = SrcTy->getPointeeType().getAddressSpace();
5224       unsigned DestAS = DestTy->getPointeeType().getAddressSpace();
5225       if (SrcAS != DestAS)
5226         return CK_AddressSpaceConversion;
5227       return CK_BitCast;
5228     }
5229     case Type::STK_BlockPointer:
5230       return (SrcKind == Type::STK_BlockPointer
5231                 ? CK_BitCast : CK_AnyPointerToBlockPointerCast);
5232     case Type::STK_ObjCObjectPointer:
5233       if (SrcKind == Type::STK_ObjCObjectPointer)
5234         return CK_BitCast;
5235       if (SrcKind == Type::STK_CPointer)
5236         return CK_CPointerToObjCPointerCast;
5237       maybeExtendBlockObject(*this, Src);
5238       return CK_BlockPointerToObjCPointerCast;
5239     case Type::STK_Bool:
5240       return CK_PointerToBoolean;
5241     case Type::STK_Integral:
5242       return CK_PointerToIntegral;
5243     case Type::STK_Floating:
5244     case Type::STK_FloatingComplex:
5245     case Type::STK_IntegralComplex:
5246     case Type::STK_MemberPointer:
5247       llvm_unreachable("illegal cast from pointer");
5248     }
5249     llvm_unreachable("Should have returned before this");
5250
5251   case Type::STK_Bool: // casting from bool is like casting from an integer
5252   case Type::STK_Integral:
5253     switch (DestTy->getScalarTypeKind()) {
5254     case Type::STK_CPointer:
5255     case Type::STK_ObjCObjectPointer:
5256     case Type::STK_BlockPointer:
5257       if (Src.get()->isNullPointerConstant(Context,
5258                                            Expr::NPC_ValueDependentIsNull))
5259         return CK_NullToPointer;
5260       return CK_IntegralToPointer;
5261     case Type::STK_Bool:
5262       return CK_IntegralToBoolean;
5263     case Type::STK_Integral:
5264       return CK_IntegralCast;
5265     case Type::STK_Floating:
5266       return CK_IntegralToFloating;
5267     case Type::STK_IntegralComplex:
5268       Src = ImpCastExprToType(Src.get(),
5269                               DestTy->castAs<ComplexType>()->getElementType(),
5270                               CK_IntegralCast);
5271       return CK_IntegralRealToComplex;
5272     case Type::STK_FloatingComplex:
5273       Src = ImpCastExprToType(Src.get(),
5274                               DestTy->castAs<ComplexType>()->getElementType(),
5275                               CK_IntegralToFloating);
5276       return CK_FloatingRealToComplex;
5277     case Type::STK_MemberPointer:
5278       llvm_unreachable("member pointer type in C");
5279     }
5280     llvm_unreachable("Should have returned before this");
5281
5282   case Type::STK_Floating:
5283     switch (DestTy->getScalarTypeKind()) {
5284     case Type::STK_Floating:
5285       return CK_FloatingCast;
5286     case Type::STK_Bool:
5287       return CK_FloatingToBoolean;
5288     case Type::STK_Integral:
5289       return CK_FloatingToIntegral;
5290     case Type::STK_FloatingComplex:
5291       Src = ImpCastExprToType(Src.get(),
5292                               DestTy->castAs<ComplexType>()->getElementType(),
5293                               CK_FloatingCast);
5294       return CK_FloatingRealToComplex;
5295     case Type::STK_IntegralComplex:
5296       Src = ImpCastExprToType(Src.get(),
5297                               DestTy->castAs<ComplexType>()->getElementType(),
5298                               CK_FloatingToIntegral);
5299       return CK_IntegralRealToComplex;
5300     case Type::STK_CPointer:
5301     case Type::STK_ObjCObjectPointer:
5302     case Type::STK_BlockPointer:
5303       llvm_unreachable("valid float->pointer cast?");
5304     case Type::STK_MemberPointer:
5305       llvm_unreachable("member pointer type in C");
5306     }
5307     llvm_unreachable("Should have returned before this");
5308
5309   case Type::STK_FloatingComplex:
5310     switch (DestTy->getScalarTypeKind()) {
5311     case Type::STK_FloatingComplex:
5312       return CK_FloatingComplexCast;
5313     case Type::STK_IntegralComplex:
5314       return CK_FloatingComplexToIntegralComplex;
5315     case Type::STK_Floating: {
5316       QualType ET = SrcTy->castAs<ComplexType>()->getElementType();
5317       if (Context.hasSameType(ET, DestTy))
5318         return CK_FloatingComplexToReal;
5319       Src = ImpCastExprToType(Src.get(), ET, CK_FloatingComplexToReal);
5320       return CK_FloatingCast;
5321     }
5322     case Type::STK_Bool:
5323       return CK_FloatingComplexToBoolean;
5324     case Type::STK_Integral:
5325       Src = ImpCastExprToType(Src.get(),
5326                               SrcTy->castAs<ComplexType>()->getElementType(),
5327                               CK_FloatingComplexToReal);
5328       return CK_FloatingToIntegral;
5329     case Type::STK_CPointer:
5330     case Type::STK_ObjCObjectPointer:
5331     case Type::STK_BlockPointer:
5332       llvm_unreachable("valid complex float->pointer cast?");
5333     case Type::STK_MemberPointer:
5334       llvm_unreachable("member pointer type in C");
5335     }
5336     llvm_unreachable("Should have returned before this");
5337
5338   case Type::STK_IntegralComplex:
5339     switch (DestTy->getScalarTypeKind()) {
5340     case Type::STK_FloatingComplex:
5341       return CK_IntegralComplexToFloatingComplex;
5342     case Type::STK_IntegralComplex:
5343       return CK_IntegralComplexCast;
5344     case Type::STK_Integral: {
5345       QualType ET = SrcTy->castAs<ComplexType>()->getElementType();
5346       if (Context.hasSameType(ET, DestTy))
5347         return CK_IntegralComplexToReal;
5348       Src = ImpCastExprToType(Src.get(), ET, CK_IntegralComplexToReal);
5349       return CK_IntegralCast;
5350     }
5351     case Type::STK_Bool:
5352       return CK_IntegralComplexToBoolean;
5353     case Type::STK_Floating:
5354       Src = ImpCastExprToType(Src.get(),
5355                               SrcTy->castAs<ComplexType>()->getElementType(),
5356                               CK_IntegralComplexToReal);
5357       return CK_IntegralToFloating;
5358     case Type::STK_CPointer:
5359     case Type::STK_ObjCObjectPointer:
5360     case Type::STK_BlockPointer:
5361       llvm_unreachable("valid complex int->pointer cast?");
5362     case Type::STK_MemberPointer:
5363       llvm_unreachable("member pointer type in C");
5364     }
5365     llvm_unreachable("Should have returned before this");
5366   }
5367
5368   llvm_unreachable("Unhandled scalar cast");
5369 }
5370
5371 static bool breakDownVectorType(QualType type, uint64_t &len,
5372                                 QualType &eltType) {
5373   // Vectors are simple.
5374   if (const VectorType *vecType = type->getAs<VectorType>()) {
5375     len = vecType->getNumElements();
5376     eltType = vecType->getElementType();
5377     assert(eltType->isScalarType());
5378     return true;
5379   }
5380   
5381   // We allow lax conversion to and from non-vector types, but only if
5382   // they're real types (i.e. non-complex, non-pointer scalar types).
5383   if (!type->isRealType()) return false;
5384   
5385   len = 1;
5386   eltType = type;
5387   return true;
5388 }
5389
5390 static bool VectorTypesMatch(Sema &S, QualType srcTy, QualType destTy) {
5391   uint64_t srcLen, destLen;
5392   QualType srcElt, destElt;
5393   if (!breakDownVectorType(srcTy, srcLen, srcElt)) return false;
5394   if (!breakDownVectorType(destTy, destLen, destElt)) return false;
5395   
5396   // ASTContext::getTypeSize will return the size rounded up to a
5397   // power of 2, so instead of using that, we need to use the raw
5398   // element size multiplied by the element count.
5399   uint64_t srcEltSize = S.Context.getTypeSize(srcElt);
5400   uint64_t destEltSize = S.Context.getTypeSize(destElt);
5401   
5402   return (srcLen * srcEltSize == destLen * destEltSize);
5403 }
5404
5405 /// Is this a legal conversion between two known vector types?
5406 bool Sema::isLaxVectorConversion(QualType srcTy, QualType destTy) {
5407   assert(destTy->isVectorType() || srcTy->isVectorType());
5408   
5409   if (!Context.getLangOpts().LaxVectorConversions)
5410     return false;
5411   return VectorTypesMatch(*this, srcTy, destTy);
5412 }
5413
5414 bool Sema::CheckVectorCast(SourceRange R, QualType VectorTy, QualType Ty,
5415                            CastKind &Kind) {
5416   assert(VectorTy->isVectorType() && "Not a vector type!");
5417
5418   if (Ty->isVectorType() || Ty->isIntegerType()) {
5419     if (!VectorTypesMatch(*this, Ty, VectorTy))
5420       return Diag(R.getBegin(),
5421                   Ty->isVectorType() ?
5422                   diag::err_invalid_conversion_between_vectors :
5423                   diag::err_invalid_conversion_between_vector_and_integer)
5424         << VectorTy << Ty << R;
5425   } else
5426     return Diag(R.getBegin(),
5427                 diag::err_invalid_conversion_between_vector_and_scalar)
5428       << VectorTy << Ty << R;
5429
5430   Kind = CK_BitCast;
5431   return false;
5432 }
5433
5434 ExprResult Sema::CheckExtVectorCast(SourceRange R, QualType DestTy,
5435                                     Expr *CastExpr, CastKind &Kind) {
5436   assert(DestTy->isExtVectorType() && "Not an extended vector type!");
5437
5438   QualType SrcTy = CastExpr->getType();
5439
5440   // If SrcTy is a VectorType, the total size must match to explicitly cast to
5441   // an ExtVectorType.
5442   // In OpenCL, casts between vectors of different types are not allowed.
5443   // (See OpenCL 6.2).
5444   if (SrcTy->isVectorType()) {
5445     if (!VectorTypesMatch(*this, SrcTy, DestTy)
5446         || (getLangOpts().OpenCL &&
5447             (DestTy.getCanonicalType() != SrcTy.getCanonicalType()))) {
5448       Diag(R.getBegin(),diag::err_invalid_conversion_between_ext_vectors)
5449         << DestTy << SrcTy << R;
5450       return ExprError();
5451     }
5452     Kind = CK_BitCast;
5453     return CastExpr;
5454   }
5455
5456   // All non-pointer scalars can be cast to ExtVector type.  The appropriate
5457   // conversion will take place first from scalar to elt type, and then
5458   // splat from elt type to vector.
5459   if (SrcTy->isPointerType())
5460     return Diag(R.getBegin(),
5461                 diag::err_invalid_conversion_between_vector_and_scalar)
5462       << DestTy << SrcTy << R;
5463
5464   QualType DestElemTy = DestTy->getAs<ExtVectorType>()->getElementType();
5465   ExprResult CastExprRes = CastExpr;
5466   CastKind CK = PrepareScalarCast(CastExprRes, DestElemTy);
5467   if (CastExprRes.isInvalid())
5468     return ExprError();
5469   CastExpr = ImpCastExprToType(CastExprRes.get(), DestElemTy, CK).get();
5470
5471   Kind = CK_VectorSplat;
5472   return CastExpr;
5473 }
5474
5475 ExprResult
5476 Sema::ActOnCastExpr(Scope *S, SourceLocation LParenLoc,
5477                     Declarator &D, ParsedType &Ty,
5478                     SourceLocation RParenLoc, Expr *CastExpr) {
5479   assert(!D.isInvalidType() && (CastExpr != nullptr) &&
5480          "ActOnCastExpr(): missing type or expr");
5481
5482   TypeSourceInfo *castTInfo = GetTypeForDeclaratorCast(D, CastExpr->getType());
5483   if (D.isInvalidType())
5484     return ExprError();
5485
5486   if (getLangOpts().CPlusPlus) {
5487     // Check that there are no default arguments (C++ only).
5488     CheckExtraCXXDefaultArguments(D);
5489   } else {
5490     // Make sure any TypoExprs have been dealt with.
5491     ExprResult Res = CorrectDelayedTyposInExpr(CastExpr);
5492     if (!Res.isUsable())
5493       return ExprError();
5494     CastExpr = Res.get();
5495   }
5496
5497   checkUnusedDeclAttributes(D);
5498
5499   QualType castType = castTInfo->getType();
5500   Ty = CreateParsedType(castType, castTInfo);
5501
5502   bool isVectorLiteral = false;
5503
5504   // Check for an altivec or OpenCL literal,
5505   // i.e. all the elements are integer constants.
5506   ParenExpr *PE = dyn_cast<ParenExpr>(CastExpr);
5507   ParenListExpr *PLE = dyn_cast<ParenListExpr>(CastExpr);
5508   if ((getLangOpts().AltiVec || getLangOpts().OpenCL)
5509        && castType->isVectorType() && (PE || PLE)) {
5510     if (PLE && PLE->getNumExprs() == 0) {
5511       Diag(PLE->getExprLoc(), diag::err_altivec_empty_initializer);
5512       return ExprError();
5513     }
5514     if (PE || PLE->getNumExprs() == 1) {
5515       Expr *E = (PE ? PE->getSubExpr() : PLE->getExpr(0));
5516       if (!E->getType()->isVectorType())
5517         isVectorLiteral = true;
5518     }
5519     else
5520       isVectorLiteral = true;
5521   }
5522
5523   // If this is a vector initializer, '(' type ')' '(' init, ..., init ')'
5524   // then handle it as such.
5525   if (isVectorLiteral)
5526     return BuildVectorLiteral(LParenLoc, RParenLoc, CastExpr, castTInfo);
5527
5528   // If the Expr being casted is a ParenListExpr, handle it specially.
5529   // This is not an AltiVec-style cast, so turn the ParenListExpr into a
5530   // sequence of BinOp comma operators.
5531   if (isa<ParenListExpr>(CastExpr)) {
5532     ExprResult Result = MaybeConvertParenListExprToParenExpr(S, CastExpr);
5533     if (Result.isInvalid()) return ExprError();
5534     CastExpr = Result.get();
5535   }
5536
5537   if (getLangOpts().CPlusPlus && !castType->isVoidType() &&
5538       !getSourceManager().isInSystemMacro(LParenLoc))
5539     Diag(LParenLoc, diag::warn_old_style_cast) << CastExpr->getSourceRange();
5540   
5541   CheckTollFreeBridgeCast(castType, CastExpr);
5542   
5543   CheckObjCBridgeRelatedCast(castType, CastExpr);
5544   
5545   return BuildCStyleCastExpr(LParenLoc, castTInfo, RParenLoc, CastExpr);
5546 }
5547
5548 ExprResult Sema::BuildVectorLiteral(SourceLocation LParenLoc,
5549                                     SourceLocation RParenLoc, Expr *E,
5550                                     TypeSourceInfo *TInfo) {
5551   assert((isa<ParenListExpr>(E) || isa<ParenExpr>(E)) &&
5552          "Expected paren or paren list expression");
5553
5554   Expr **exprs;
5555   unsigned numExprs;
5556   Expr *subExpr;
5557   SourceLocation LiteralLParenLoc, LiteralRParenLoc;
5558   if (ParenListExpr *PE = dyn_cast<ParenListExpr>(E)) {
5559     LiteralLParenLoc = PE->getLParenLoc();
5560     LiteralRParenLoc = PE->getRParenLoc();
5561     exprs = PE->getExprs();
5562     numExprs = PE->getNumExprs();
5563   } else { // isa<ParenExpr> by assertion at function entrance
5564     LiteralLParenLoc = cast<ParenExpr>(E)->getLParen();
5565     LiteralRParenLoc = cast<ParenExpr>(E)->getRParen();
5566     subExpr = cast<ParenExpr>(E)->getSubExpr();
5567     exprs = &subExpr;
5568     numExprs = 1;
5569   }
5570
5571   QualType Ty = TInfo->getType();
5572   assert(Ty->isVectorType() && "Expected vector type");
5573
5574   SmallVector<Expr *, 8> initExprs;
5575   const VectorType *VTy = Ty->getAs<VectorType>();
5576   unsigned numElems = Ty->getAs<VectorType>()->getNumElements();
5577   
5578   // '(...)' form of vector initialization in AltiVec: the number of
5579   // initializers must be one or must match the size of the vector.
5580   // If a single value is specified in the initializer then it will be
5581   // replicated to all the components of the vector
5582   if (VTy->getVectorKind() == VectorType::AltiVecVector) {
5583     // The number of initializers must be one or must match the size of the
5584     // vector. If a single value is specified in the initializer then it will
5585     // be replicated to all the components of the vector
5586     if (numExprs == 1) {
5587       QualType ElemTy = Ty->getAs<VectorType>()->getElementType();
5588       ExprResult Literal = DefaultLvalueConversion(exprs[0]);
5589       if (Literal.isInvalid())
5590         return ExprError();
5591       Literal = ImpCastExprToType(Literal.get(), ElemTy,
5592                                   PrepareScalarCast(Literal, ElemTy));
5593       return BuildCStyleCastExpr(LParenLoc, TInfo, RParenLoc, Literal.get());
5594     }
5595     else if (numExprs < numElems) {
5596       Diag(E->getExprLoc(),
5597            diag::err_incorrect_number_of_vector_initializers);
5598       return ExprError();
5599     }
5600     else
5601       initExprs.append(exprs, exprs + numExprs);
5602   }
5603   else {
5604     // For OpenCL, when the number of initializers is a single value,
5605     // it will be replicated to all components of the vector.
5606     if (getLangOpts().OpenCL &&
5607         VTy->getVectorKind() == VectorType::GenericVector &&
5608         numExprs == 1) {
5609         QualType ElemTy = Ty->getAs<VectorType>()->getElementType();
5610         ExprResult Literal = DefaultLvalueConversion(exprs[0]);
5611         if (Literal.isInvalid())
5612           return ExprError();
5613         Literal = ImpCastExprToType(Literal.get(), ElemTy,
5614                                     PrepareScalarCast(Literal, ElemTy));
5615         return BuildCStyleCastExpr(LParenLoc, TInfo, RParenLoc, Literal.get());
5616     }
5617     
5618     initExprs.append(exprs, exprs + numExprs);
5619   }
5620   // FIXME: This means that pretty-printing the final AST will produce curly
5621   // braces instead of the original commas.
5622   InitListExpr *initE = new (Context) InitListExpr(Context, LiteralLParenLoc,
5623                                                    initExprs, LiteralRParenLoc);
5624   initE->setType(Ty);
5625   return BuildCompoundLiteralExpr(LParenLoc, TInfo, RParenLoc, initE);
5626 }
5627
5628 /// This is not an AltiVec-style cast or or C++ direct-initialization, so turn
5629 /// the ParenListExpr into a sequence of comma binary operators.
5630 ExprResult
5631 Sema::MaybeConvertParenListExprToParenExpr(Scope *S, Expr *OrigExpr) {
5632   ParenListExpr *E = dyn_cast<ParenListExpr>(OrigExpr);
5633   if (!E)
5634     return OrigExpr;
5635
5636   ExprResult Result(E->getExpr(0));
5637
5638   for (unsigned i = 1, e = E->getNumExprs(); i != e && !Result.isInvalid(); ++i)
5639     Result = ActOnBinOp(S, E->getExprLoc(), tok::comma, Result.get(),
5640                         E->getExpr(i));
5641
5642   if (Result.isInvalid()) return ExprError();
5643
5644   return ActOnParenExpr(E->getLParenLoc(), E->getRParenLoc(), Result.get());
5645 }
5646
5647 ExprResult Sema::ActOnParenListExpr(SourceLocation L,
5648                                     SourceLocation R,
5649                                     MultiExprArg Val) {
5650   Expr *expr = new (Context) ParenListExpr(Context, L, Val, R);
5651   return expr;
5652 }
5653
5654 /// \brief Emit a specialized diagnostic when one expression is a null pointer
5655 /// constant and the other is not a pointer.  Returns true if a diagnostic is
5656 /// emitted.
5657 bool Sema::DiagnoseConditionalForNull(Expr *LHSExpr, Expr *RHSExpr,
5658                                       SourceLocation QuestionLoc) {
5659   Expr *NullExpr = LHSExpr;
5660   Expr *NonPointerExpr = RHSExpr;
5661   Expr::NullPointerConstantKind NullKind =
5662       NullExpr->isNullPointerConstant(Context,
5663                                       Expr::NPC_ValueDependentIsNotNull);
5664
5665   if (NullKind == Expr::NPCK_NotNull) {
5666     NullExpr = RHSExpr;
5667     NonPointerExpr = LHSExpr;
5668     NullKind =
5669         NullExpr->isNullPointerConstant(Context,
5670                                         Expr::NPC_ValueDependentIsNotNull);
5671   }
5672
5673   if (NullKind == Expr::NPCK_NotNull)
5674     return false;
5675
5676   if (NullKind == Expr::NPCK_ZeroExpression)
5677     return false;
5678
5679   if (NullKind == Expr::NPCK_ZeroLiteral) {
5680     // In this case, check to make sure that we got here from a "NULL"
5681     // string in the source code.
5682     NullExpr = NullExpr->IgnoreParenImpCasts();
5683     SourceLocation loc = NullExpr->getExprLoc();
5684     if (!findMacroSpelling(loc, "NULL"))
5685       return false;
5686   }
5687
5688   int DiagType = (NullKind == Expr::NPCK_CXX11_nullptr);
5689   Diag(QuestionLoc, diag::err_typecheck_cond_incompatible_operands_null)
5690       << NonPointerExpr->getType() << DiagType
5691       << NonPointerExpr->getSourceRange();
5692   return true;
5693 }
5694
5695 /// \brief Return false if the condition expression is valid, true otherwise.
5696 static bool checkCondition(Sema &S, Expr *Cond, SourceLocation QuestionLoc) {
5697   QualType CondTy = Cond->getType();
5698
5699   // OpenCL v1.1 s6.3.i says the condition cannot be a floating point type.
5700   if (S.getLangOpts().OpenCL && CondTy->isFloatingType()) {
5701     S.Diag(QuestionLoc, diag::err_typecheck_cond_expect_nonfloat)
5702       << CondTy << Cond->getSourceRange();
5703     return true;
5704   }
5705
5706   // C99 6.5.15p2
5707   if (CondTy->isScalarType()) return false;
5708
5709   S.Diag(QuestionLoc, diag::err_typecheck_cond_expect_scalar)
5710     << CondTy << Cond->getSourceRange();
5711   return true;
5712 }
5713
5714 /// \brief Handle when one or both operands are void type.
5715 static QualType checkConditionalVoidType(Sema &S, ExprResult &LHS,
5716                                          ExprResult &RHS) {
5717     Expr *LHSExpr = LHS.get();
5718     Expr *RHSExpr = RHS.get();
5719
5720     if (!LHSExpr->getType()->isVoidType())
5721       S.Diag(RHSExpr->getLocStart(), diag::ext_typecheck_cond_one_void)
5722         << RHSExpr->getSourceRange();
5723     if (!RHSExpr->getType()->isVoidType())
5724       S.Diag(LHSExpr->getLocStart(), diag::ext_typecheck_cond_one_void)
5725         << LHSExpr->getSourceRange();
5726     LHS = S.ImpCastExprToType(LHS.get(), S.Context.VoidTy, CK_ToVoid);
5727     RHS = S.ImpCastExprToType(RHS.get(), S.Context.VoidTy, CK_ToVoid);
5728     return S.Context.VoidTy;
5729 }
5730
5731 /// \brief Return false if the NullExpr can be promoted to PointerTy,
5732 /// true otherwise.
5733 static bool checkConditionalNullPointer(Sema &S, ExprResult &NullExpr,
5734                                         QualType PointerTy) {
5735   if ((!PointerTy->isAnyPointerType() && !PointerTy->isBlockPointerType()) ||
5736       !NullExpr.get()->isNullPointerConstant(S.Context,
5737                                             Expr::NPC_ValueDependentIsNull))
5738     return true;
5739
5740   NullExpr = S.ImpCastExprToType(NullExpr.get(), PointerTy, CK_NullToPointer);
5741   return false;
5742 }
5743
5744 /// \brief Checks compatibility between two pointers and return the resulting
5745 /// type.
5746 static QualType checkConditionalPointerCompatibility(Sema &S, ExprResult &LHS,
5747                                                      ExprResult &RHS,
5748                                                      SourceLocation Loc) {
5749   QualType LHSTy = LHS.get()->getType();
5750   QualType RHSTy = RHS.get()->getType();
5751
5752   if (S.Context.hasSameType(LHSTy, RHSTy)) {
5753     // Two identical pointers types are always compatible.
5754     return LHSTy;
5755   }
5756
5757   QualType lhptee, rhptee;
5758
5759   // Get the pointee types.
5760   bool IsBlockPointer = false;
5761   if (const BlockPointerType *LHSBTy = LHSTy->getAs<BlockPointerType>()) {
5762     lhptee = LHSBTy->getPointeeType();
5763     rhptee = RHSTy->castAs<BlockPointerType>()->getPointeeType();
5764     IsBlockPointer = true;
5765   } else {
5766     lhptee = LHSTy->castAs<PointerType>()->getPointeeType();
5767     rhptee = RHSTy->castAs<PointerType>()->getPointeeType();
5768   }
5769
5770   // C99 6.5.15p6: If both operands are pointers to compatible types or to
5771   // differently qualified versions of compatible types, the result type is
5772   // a pointer to an appropriately qualified version of the composite
5773   // type.
5774
5775   // Only CVR-qualifiers exist in the standard, and the differently-qualified
5776   // clause doesn't make sense for our extensions. E.g. address space 2 should
5777   // be incompatible with address space 3: they may live on different devices or
5778   // anything.
5779   Qualifiers lhQual = lhptee.getQualifiers();
5780   Qualifiers rhQual = rhptee.getQualifiers();
5781
5782   unsigned MergedCVRQual = lhQual.getCVRQualifiers() | rhQual.getCVRQualifiers();
5783   lhQual.removeCVRQualifiers();
5784   rhQual.removeCVRQualifiers();
5785
5786   lhptee = S.Context.getQualifiedType(lhptee.getUnqualifiedType(), lhQual);
5787   rhptee = S.Context.getQualifiedType(rhptee.getUnqualifiedType(), rhQual);
5788
5789   QualType CompositeTy = S.Context.mergeTypes(lhptee, rhptee);
5790
5791   if (CompositeTy.isNull()) {
5792     S.Diag(Loc, diag::ext_typecheck_cond_incompatible_pointers)
5793       << LHSTy << RHSTy << LHS.get()->getSourceRange()
5794       << RHS.get()->getSourceRange();
5795     // In this situation, we assume void* type. No especially good
5796     // reason, but this is what gcc does, and we do have to pick
5797     // to get a consistent AST.
5798     QualType incompatTy = S.Context.getPointerType(S.Context.VoidTy);
5799     LHS = S.ImpCastExprToType(LHS.get(), incompatTy, CK_BitCast);
5800     RHS = S.ImpCastExprToType(RHS.get(), incompatTy, CK_BitCast);
5801     return incompatTy;
5802   }
5803
5804   // The pointer types are compatible.
5805   QualType ResultTy = CompositeTy.withCVRQualifiers(MergedCVRQual);
5806   if (IsBlockPointer)
5807     ResultTy = S.Context.getBlockPointerType(ResultTy);
5808   else
5809     ResultTy = S.Context.getPointerType(ResultTy);
5810
5811   LHS = S.ImpCastExprToType(LHS.get(), ResultTy, CK_BitCast);
5812   RHS = S.ImpCastExprToType(RHS.get(), ResultTy, CK_BitCast);
5813   return ResultTy;
5814 }
5815
5816 /// \brief Returns true if QT is quelified-id and implements 'NSObject' and/or
5817 /// 'NSCopying' protocols (and nothing else); or QT is an NSObject and optionally
5818 /// implements 'NSObject' and/or NSCopying' protocols (and nothing else).
5819 static bool isObjCPtrBlockCompatible(Sema &S, ASTContext &C, QualType QT) {
5820   if (QT->isObjCIdType())
5821     return true;
5822   
5823   const ObjCObjectPointerType *OPT = QT->getAs<ObjCObjectPointerType>();
5824   if (!OPT)
5825     return false;
5826
5827   if (ObjCInterfaceDecl *ID = OPT->getInterfaceDecl())
5828     if (ID->getIdentifier() != &C.Idents.get("NSObject"))
5829       return false;
5830   
5831   ObjCProtocolDecl* PNSCopying =
5832     S.LookupProtocol(&C.Idents.get("NSCopying"), SourceLocation());
5833   ObjCProtocolDecl* PNSObject =
5834     S.LookupProtocol(&C.Idents.get("NSObject"), SourceLocation());
5835
5836   for (auto *Proto : OPT->quals()) {
5837     if ((PNSCopying && declaresSameEntity(Proto, PNSCopying)) ||
5838         (PNSObject && declaresSameEntity(Proto, PNSObject)))
5839       ;
5840     else
5841       return false;
5842   }
5843   return true;
5844 }
5845
5846 /// \brief Return the resulting type when the operands are both block pointers.
5847 static QualType checkConditionalBlockPointerCompatibility(Sema &S,
5848                                                           ExprResult &LHS,
5849                                                           ExprResult &RHS,
5850                                                           SourceLocation Loc) {
5851   QualType LHSTy = LHS.get()->getType();
5852   QualType RHSTy = RHS.get()->getType();
5853
5854   if (!LHSTy->isBlockPointerType() || !RHSTy->isBlockPointerType()) {
5855     if (LHSTy->isVoidPointerType() || RHSTy->isVoidPointerType()) {
5856       QualType destType = S.Context.getPointerType(S.Context.VoidTy);
5857       LHS = S.ImpCastExprToType(LHS.get(), destType, CK_BitCast);
5858       RHS = S.ImpCastExprToType(RHS.get(), destType, CK_BitCast);
5859       return destType;
5860     }
5861     S.Diag(Loc, diag::err_typecheck_cond_incompatible_operands)
5862       << LHSTy << RHSTy << LHS.get()->getSourceRange()
5863       << RHS.get()->getSourceRange();
5864     return QualType();
5865   }
5866
5867   // We have 2 block pointer types.
5868   return checkConditionalPointerCompatibility(S, LHS, RHS, Loc);
5869 }
5870
5871 /// \brief Return the resulting type when the operands are both pointers.
5872 static QualType
5873 checkConditionalObjectPointersCompatibility(Sema &S, ExprResult &LHS,
5874                                             ExprResult &RHS,
5875                                             SourceLocation Loc) {
5876   // get the pointer types
5877   QualType LHSTy = LHS.get()->getType();
5878   QualType RHSTy = RHS.get()->getType();
5879
5880   // get the "pointed to" types
5881   QualType lhptee = LHSTy->getAs<PointerType>()->getPointeeType();
5882   QualType rhptee = RHSTy->getAs<PointerType>()->getPointeeType();
5883
5884   // ignore qualifiers on void (C99 6.5.15p3, clause 6)
5885   if (lhptee->isVoidType() && rhptee->isIncompleteOrObjectType()) {
5886     // Figure out necessary qualifiers (C99 6.5.15p6)
5887     QualType destPointee
5888       = S.Context.getQualifiedType(lhptee, rhptee.getQualifiers());
5889     QualType destType = S.Context.getPointerType(destPointee);
5890     // Add qualifiers if necessary.
5891     LHS = S.ImpCastExprToType(LHS.get(), destType, CK_NoOp);
5892     // Promote to void*.
5893     RHS = S.ImpCastExprToType(RHS.get(), destType, CK_BitCast);
5894     return destType;
5895   }
5896   if (rhptee->isVoidType() && lhptee->isIncompleteOrObjectType()) {
5897     QualType destPointee
5898       = S.Context.getQualifiedType(rhptee, lhptee.getQualifiers());
5899     QualType destType = S.Context.getPointerType(destPointee);
5900     // Add qualifiers if necessary.
5901     RHS = S.ImpCastExprToType(RHS.get(), destType, CK_NoOp);
5902     // Promote to void*.
5903     LHS = S.ImpCastExprToType(LHS.get(), destType, CK_BitCast);
5904     return destType;
5905   }
5906
5907   return checkConditionalPointerCompatibility(S, LHS, RHS, Loc);
5908 }
5909
5910 /// \brief Return false if the first expression is not an integer and the second
5911 /// expression is not a pointer, true otherwise.
5912 static bool checkPointerIntegerMismatch(Sema &S, ExprResult &Int,
5913                                         Expr* PointerExpr, SourceLocation Loc,
5914                                         bool IsIntFirstExpr) {
5915   if (!PointerExpr->getType()->isPointerType() ||
5916       !Int.get()->getType()->isIntegerType())
5917     return false;
5918
5919   Expr *Expr1 = IsIntFirstExpr ? Int.get() : PointerExpr;
5920   Expr *Expr2 = IsIntFirstExpr ? PointerExpr : Int.get();
5921
5922   S.Diag(Loc, diag::ext_typecheck_cond_pointer_integer_mismatch)
5923     << Expr1->getType() << Expr2->getType()
5924     << Expr1->getSourceRange() << Expr2->getSourceRange();
5925   Int = S.ImpCastExprToType(Int.get(), PointerExpr->getType(),
5926                             CK_IntegralToPointer);
5927   return true;
5928 }
5929
5930 /// \brief Simple conversion between integer and floating point types.
5931 ///
5932 /// Used when handling the OpenCL conditional operator where the
5933 /// condition is a vector while the other operands are scalar.
5934 ///
5935 /// OpenCL v1.1 s6.3.i and s6.11.6 together require that the scalar
5936 /// types are either integer or floating type. Between the two
5937 /// operands, the type with the higher rank is defined as the "result
5938 /// type". The other operand needs to be promoted to the same type. No
5939 /// other type promotion is allowed. We cannot use
5940 /// UsualArithmeticConversions() for this purpose, since it always
5941 /// promotes promotable types.
5942 static QualType OpenCLArithmeticConversions(Sema &S, ExprResult &LHS,
5943                                             ExprResult &RHS,
5944                                             SourceLocation QuestionLoc) {
5945   LHS = S.DefaultFunctionArrayLvalueConversion(LHS.get());
5946   if (LHS.isInvalid())
5947     return QualType();
5948   RHS = S.DefaultFunctionArrayLvalueConversion(RHS.get());
5949   if (RHS.isInvalid())
5950     return QualType();
5951
5952   // For conversion purposes, we ignore any qualifiers.
5953   // For example, "const float" and "float" are equivalent.
5954   QualType LHSType =
5955     S.Context.getCanonicalType(LHS.get()->getType()).getUnqualifiedType();
5956   QualType RHSType =
5957     S.Context.getCanonicalType(RHS.get()->getType()).getUnqualifiedType();
5958
5959   if (!LHSType->isIntegerType() && !LHSType->isRealFloatingType()) {
5960     S.Diag(QuestionLoc, diag::err_typecheck_cond_expect_int_float)
5961       << LHSType << LHS.get()->getSourceRange();
5962     return QualType();
5963   }
5964
5965   if (!RHSType->isIntegerType() && !RHSType->isRealFloatingType()) {
5966     S.Diag(QuestionLoc, diag::err_typecheck_cond_expect_int_float)
5967       << RHSType << RHS.get()->getSourceRange();
5968     return QualType();
5969   }
5970
5971   // If both types are identical, no conversion is needed.
5972   if (LHSType == RHSType)
5973     return LHSType;
5974
5975   // Now handle "real" floating types (i.e. float, double, long double).
5976   if (LHSType->isRealFloatingType() || RHSType->isRealFloatingType())
5977     return handleFloatConversion(S, LHS, RHS, LHSType, RHSType,
5978                                  /*IsCompAssign = */ false);
5979
5980   // Finally, we have two differing integer types.
5981   return handleIntegerConversion<doIntegralCast, doIntegralCast>
5982   (S, LHS, RHS, LHSType, RHSType, /*IsCompAssign = */ false);
5983 }
5984
5985 /// \brief Convert scalar operands to a vector that matches the
5986 ///        condition in length.
5987 ///
5988 /// Used when handling the OpenCL conditional operator where the
5989 /// condition is a vector while the other operands are scalar.
5990 ///
5991 /// We first compute the "result type" for the scalar operands
5992 /// according to OpenCL v1.1 s6.3.i. Both operands are then converted
5993 /// into a vector of that type where the length matches the condition
5994 /// vector type. s6.11.6 requires that the element types of the result
5995 /// and the condition must have the same number of bits.
5996 static QualType
5997 OpenCLConvertScalarsToVectors(Sema &S, ExprResult &LHS, ExprResult &RHS,
5998                               QualType CondTy, SourceLocation QuestionLoc) {
5999   QualType ResTy = OpenCLArithmeticConversions(S, LHS, RHS, QuestionLoc);
6000   if (ResTy.isNull()) return QualType();
6001
6002   const VectorType *CV = CondTy->getAs<VectorType>();
6003   assert(CV);
6004
6005   // Determine the vector result type
6006   unsigned NumElements = CV->getNumElements();
6007   QualType VectorTy = S.Context.getExtVectorType(ResTy, NumElements);
6008
6009   // Ensure that all types have the same number of bits
6010   if (S.Context.getTypeSize(CV->getElementType())
6011       != S.Context.getTypeSize(ResTy)) {
6012     // Since VectorTy is created internally, it does not pretty print
6013     // with an OpenCL name. Instead, we just print a description.
6014     std::string EleTyName = ResTy.getUnqualifiedType().getAsString();
6015     SmallString<64> Str;
6016     llvm::raw_svector_ostream OS(Str);
6017     OS << "(vector of " << NumElements << " '" << EleTyName << "' values)";
6018     S.Diag(QuestionLoc, diag::err_conditional_vector_element_size)
6019       << CondTy << OS.str();
6020     return QualType();
6021   }
6022
6023   // Convert operands to the vector result type
6024   LHS = S.ImpCastExprToType(LHS.get(), VectorTy, CK_VectorSplat);
6025   RHS = S.ImpCastExprToType(RHS.get(), VectorTy, CK_VectorSplat);
6026
6027   return VectorTy;
6028 }
6029
6030 /// \brief Return false if this is a valid OpenCL condition vector
6031 static bool checkOpenCLConditionVector(Sema &S, Expr *Cond,
6032                                        SourceLocation QuestionLoc) {
6033   // OpenCL v1.1 s6.11.6 says the elements of the vector must be of
6034   // integral type.
6035   const VectorType *CondTy = Cond->getType()->getAs<VectorType>();
6036   assert(CondTy);
6037   QualType EleTy = CondTy->getElementType();
6038   if (EleTy->isIntegerType()) return false;
6039
6040   S.Diag(QuestionLoc, diag::err_typecheck_cond_expect_nonfloat)
6041     << Cond->getType() << Cond->getSourceRange();
6042   return true;
6043 }
6044
6045 /// \brief Return false if the vector condition type and the vector
6046 ///        result type are compatible.
6047 ///
6048 /// OpenCL v1.1 s6.11.6 requires that both vector types have the same
6049 /// number of elements, and their element types have the same number
6050 /// of bits.
6051 static bool checkVectorResult(Sema &S, QualType CondTy, QualType VecResTy,
6052                               SourceLocation QuestionLoc) {
6053   const VectorType *CV = CondTy->getAs<VectorType>();
6054   const VectorType *RV = VecResTy->getAs<VectorType>();
6055   assert(CV && RV);
6056
6057   if (CV->getNumElements() != RV->getNumElements()) {
6058     S.Diag(QuestionLoc, diag::err_conditional_vector_size)
6059       << CondTy << VecResTy;
6060     return true;
6061   }
6062
6063   QualType CVE = CV->getElementType();
6064   QualType RVE = RV->getElementType();
6065
6066   if (S.Context.getTypeSize(CVE) != S.Context.getTypeSize(RVE)) {
6067     S.Diag(QuestionLoc, diag::err_conditional_vector_element_size)
6068       << CondTy << VecResTy;
6069     return true;
6070   }
6071
6072   return false;
6073 }
6074
6075 /// \brief Return the resulting type for the conditional operator in
6076 ///        OpenCL (aka "ternary selection operator", OpenCL v1.1
6077 ///        s6.3.i) when the condition is a vector type.
6078 static QualType
6079 OpenCLCheckVectorConditional(Sema &S, ExprResult &Cond,
6080                              ExprResult &LHS, ExprResult &RHS,
6081                              SourceLocation QuestionLoc) {
6082   Cond = S.DefaultFunctionArrayLvalueConversion(Cond.get()); 
6083   if (Cond.isInvalid())
6084     return QualType();
6085   QualType CondTy = Cond.get()->getType();
6086
6087   if (checkOpenCLConditionVector(S, Cond.get(), QuestionLoc))
6088     return QualType();
6089
6090   // If either operand is a vector then find the vector type of the
6091   // result as specified in OpenCL v1.1 s6.3.i.
6092   if (LHS.get()->getType()->isVectorType() ||
6093       RHS.get()->getType()->isVectorType()) {
6094     QualType VecResTy = S.CheckVectorOperands(LHS, RHS, QuestionLoc,
6095                                               /*isCompAssign*/false);
6096     if (VecResTy.isNull()) return QualType();
6097     // The result type must match the condition type as specified in
6098     // OpenCL v1.1 s6.11.6.
6099     if (checkVectorResult(S, CondTy, VecResTy, QuestionLoc))
6100       return QualType();
6101     return VecResTy;
6102   }
6103
6104   // Both operands are scalar.
6105   return OpenCLConvertScalarsToVectors(S, LHS, RHS, CondTy, QuestionLoc);
6106 }
6107
6108 /// Note that LHS is not null here, even if this is the gnu "x ?: y" extension.
6109 /// In that case, LHS = cond.
6110 /// C99 6.5.15
6111 QualType Sema::CheckConditionalOperands(ExprResult &Cond, ExprResult &LHS,
6112                                         ExprResult &RHS, ExprValueKind &VK,
6113                                         ExprObjectKind &OK,
6114                                         SourceLocation QuestionLoc) {
6115
6116   ExprResult LHSResult = CheckPlaceholderExpr(LHS.get());
6117   if (!LHSResult.isUsable()) return QualType();
6118   LHS = LHSResult;
6119
6120   ExprResult RHSResult = CheckPlaceholderExpr(RHS.get());
6121   if (!RHSResult.isUsable()) return QualType();
6122   RHS = RHSResult;
6123
6124   // C++ is sufficiently different to merit its own checker.
6125   if (getLangOpts().CPlusPlus)
6126     return CXXCheckConditionalOperands(Cond, LHS, RHS, VK, OK, QuestionLoc);
6127
6128   VK = VK_RValue;
6129   OK = OK_Ordinary;
6130
6131   // The OpenCL operator with a vector condition is sufficiently
6132   // different to merit its own checker.
6133   if (getLangOpts().OpenCL && Cond.get()->getType()->isVectorType())
6134     return OpenCLCheckVectorConditional(*this, Cond, LHS, RHS, QuestionLoc);
6135
6136   // First, check the condition.
6137   Cond = UsualUnaryConversions(Cond.get());
6138   if (Cond.isInvalid())
6139     return QualType();
6140   if (checkCondition(*this, Cond.get(), QuestionLoc))
6141     return QualType();
6142
6143   // Now check the two expressions.
6144   if (LHS.get()->getType()->isVectorType() ||
6145       RHS.get()->getType()->isVectorType())
6146     return CheckVectorOperands(LHS, RHS, QuestionLoc, /*isCompAssign*/false);
6147
6148   QualType ResTy = UsualArithmeticConversions(LHS, RHS);
6149   if (LHS.isInvalid() || RHS.isInvalid())
6150     return QualType();
6151
6152   QualType LHSTy = LHS.get()->getType();
6153   QualType RHSTy = RHS.get()->getType();
6154
6155   // If both operands have arithmetic type, do the usual arithmetic conversions
6156   // to find a common type: C99 6.5.15p3,5.
6157   if (LHSTy->isArithmeticType() && RHSTy->isArithmeticType()) {
6158     LHS = ImpCastExprToType(LHS.get(), ResTy, PrepareScalarCast(LHS, ResTy));
6159     RHS = ImpCastExprToType(RHS.get(), ResTy, PrepareScalarCast(RHS, ResTy));
6160
6161     return ResTy;
6162   }
6163
6164   // If both operands are the same structure or union type, the result is that
6165   // type.
6166   if (const RecordType *LHSRT = LHSTy->getAs<RecordType>()) {    // C99 6.5.15p3
6167     if (const RecordType *RHSRT = RHSTy->getAs<RecordType>())
6168       if (LHSRT->getDecl() == RHSRT->getDecl())
6169         // "If both the operands have structure or union type, the result has
6170         // that type."  This implies that CV qualifiers are dropped.
6171         return LHSTy.getUnqualifiedType();
6172     // FIXME: Type of conditional expression must be complete in C mode.
6173   }
6174
6175   // C99 6.5.15p5: "If both operands have void type, the result has void type."
6176   // The following || allows only one side to be void (a GCC-ism).
6177   if (LHSTy->isVoidType() || RHSTy->isVoidType()) {
6178     return checkConditionalVoidType(*this, LHS, RHS);
6179   }
6180
6181   // C99 6.5.15p6 - "if one operand is a null pointer constant, the result has
6182   // the type of the other operand."
6183   if (!checkConditionalNullPointer(*this, RHS, LHSTy)) return LHSTy;
6184   if (!checkConditionalNullPointer(*this, LHS, RHSTy)) return RHSTy;
6185
6186   // All objective-c pointer type analysis is done here.
6187   QualType compositeType = FindCompositeObjCPointerType(LHS, RHS,
6188                                                         QuestionLoc);
6189   if (LHS.isInvalid() || RHS.isInvalid())
6190     return QualType();
6191   if (!compositeType.isNull())
6192     return compositeType;
6193
6194
6195   // Handle block pointer types.
6196   if (LHSTy->isBlockPointerType() || RHSTy->isBlockPointerType())
6197     return checkConditionalBlockPointerCompatibility(*this, LHS, RHS,
6198                                                      QuestionLoc);
6199
6200   // Check constraints for C object pointers types (C99 6.5.15p3,6).
6201   if (LHSTy->isPointerType() && RHSTy->isPointerType())
6202     return checkConditionalObjectPointersCompatibility(*this, LHS, RHS,
6203                                                        QuestionLoc);
6204
6205   // GCC compatibility: soften pointer/integer mismatch.  Note that
6206   // null pointers have been filtered out by this point.
6207   if (checkPointerIntegerMismatch(*this, LHS, RHS.get(), QuestionLoc,
6208       /*isIntFirstExpr=*/true))
6209     return RHSTy;
6210   if (checkPointerIntegerMismatch(*this, RHS, LHS.get(), QuestionLoc,
6211       /*isIntFirstExpr=*/false))
6212     return LHSTy;
6213
6214   // Emit a better diagnostic if one of the expressions is a null pointer
6215   // constant and the other is not a pointer type. In this case, the user most
6216   // likely forgot to take the address of the other expression.
6217   if (DiagnoseConditionalForNull(LHS.get(), RHS.get(), QuestionLoc))
6218     return QualType();
6219
6220   // Otherwise, the operands are not compatible.
6221   Diag(QuestionLoc, diag::err_typecheck_cond_incompatible_operands)
6222     << LHSTy << RHSTy << LHS.get()->getSourceRange()
6223     << RHS.get()->getSourceRange();
6224   return QualType();
6225 }
6226
6227 /// FindCompositeObjCPointerType - Helper method to find composite type of
6228 /// two objective-c pointer types of the two input expressions.
6229 QualType Sema::FindCompositeObjCPointerType(ExprResult &LHS, ExprResult &RHS,
6230                                             SourceLocation QuestionLoc) {
6231   QualType LHSTy = LHS.get()->getType();
6232   QualType RHSTy = RHS.get()->getType();
6233
6234   // Handle things like Class and struct objc_class*.  Here we case the result
6235   // to the pseudo-builtin, because that will be implicitly cast back to the
6236   // redefinition type if an attempt is made to access its fields.
6237   if (LHSTy->isObjCClassType() &&
6238       (Context.hasSameType(RHSTy, Context.getObjCClassRedefinitionType()))) {
6239     RHS = ImpCastExprToType(RHS.get(), LHSTy, CK_CPointerToObjCPointerCast);
6240     return LHSTy;
6241   }
6242   if (RHSTy->isObjCClassType() &&
6243       (Context.hasSameType(LHSTy, Context.getObjCClassRedefinitionType()))) {
6244     LHS = ImpCastExprToType(LHS.get(), RHSTy, CK_CPointerToObjCPointerCast);
6245     return RHSTy;
6246   }
6247   // And the same for struct objc_object* / id
6248   if (LHSTy->isObjCIdType() &&
6249       (Context.hasSameType(RHSTy, Context.getObjCIdRedefinitionType()))) {
6250     RHS = ImpCastExprToType(RHS.get(), LHSTy, CK_CPointerToObjCPointerCast);
6251     return LHSTy;
6252   }
6253   if (RHSTy->isObjCIdType() &&
6254       (Context.hasSameType(LHSTy, Context.getObjCIdRedefinitionType()))) {
6255     LHS = ImpCastExprToType(LHS.get(), RHSTy, CK_CPointerToObjCPointerCast);
6256     return RHSTy;
6257   }
6258   // And the same for struct objc_selector* / SEL
6259   if (Context.isObjCSelType(LHSTy) &&
6260       (Context.hasSameType(RHSTy, Context.getObjCSelRedefinitionType()))) {
6261     RHS = ImpCastExprToType(RHS.get(), LHSTy, CK_BitCast);
6262     return LHSTy;
6263   }
6264   if (Context.isObjCSelType(RHSTy) &&
6265       (Context.hasSameType(LHSTy, Context.getObjCSelRedefinitionType()))) {
6266     LHS = ImpCastExprToType(LHS.get(), RHSTy, CK_BitCast);
6267     return RHSTy;
6268   }
6269   // Check constraints for Objective-C object pointers types.
6270   if (LHSTy->isObjCObjectPointerType() && RHSTy->isObjCObjectPointerType()) {
6271
6272     if (Context.getCanonicalType(LHSTy) == Context.getCanonicalType(RHSTy)) {
6273       // Two identical object pointer types are always compatible.
6274       return LHSTy;
6275     }
6276     const ObjCObjectPointerType *LHSOPT = LHSTy->castAs<ObjCObjectPointerType>();
6277     const ObjCObjectPointerType *RHSOPT = RHSTy->castAs<ObjCObjectPointerType>();
6278     QualType compositeType = LHSTy;
6279
6280     // If both operands are interfaces and either operand can be
6281     // assigned to the other, use that type as the composite
6282     // type. This allows
6283     //   xxx ? (A*) a : (B*) b
6284     // where B is a subclass of A.
6285     //
6286     // Additionally, as for assignment, if either type is 'id'
6287     // allow silent coercion. Finally, if the types are
6288     // incompatible then make sure to use 'id' as the composite
6289     // type so the result is acceptable for sending messages to.
6290
6291     // FIXME: Consider unifying with 'areComparableObjCPointerTypes'.
6292     // It could return the composite type.
6293     if (Context.canAssignObjCInterfaces(LHSOPT, RHSOPT)) {
6294       compositeType = RHSOPT->isObjCBuiltinType() ? RHSTy : LHSTy;
6295     } else if (Context.canAssignObjCInterfaces(RHSOPT, LHSOPT)) {
6296       compositeType = LHSOPT->isObjCBuiltinType() ? LHSTy : RHSTy;
6297     } else if ((LHSTy->isObjCQualifiedIdType() ||
6298                 RHSTy->isObjCQualifiedIdType()) &&
6299                Context.ObjCQualifiedIdTypesAreCompatible(LHSTy, RHSTy, true)) {
6300       // Need to handle "id<xx>" explicitly.
6301       // GCC allows qualified id and any Objective-C type to devolve to
6302       // id. Currently localizing to here until clear this should be
6303       // part of ObjCQualifiedIdTypesAreCompatible.
6304       compositeType = Context.getObjCIdType();
6305     } else if (LHSTy->isObjCIdType() || RHSTy->isObjCIdType()) {
6306       compositeType = Context.getObjCIdType();
6307     } else if (!(compositeType =
6308                  Context.areCommonBaseCompatible(LHSOPT, RHSOPT)).isNull())
6309       ;
6310     else {
6311       Diag(QuestionLoc, diag::ext_typecheck_cond_incompatible_operands)
6312       << LHSTy << RHSTy
6313       << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
6314       QualType incompatTy = Context.getObjCIdType();
6315       LHS = ImpCastExprToType(LHS.get(), incompatTy, CK_BitCast);
6316       RHS = ImpCastExprToType(RHS.get(), incompatTy, CK_BitCast);
6317       return incompatTy;
6318     }
6319     // The object pointer types are compatible.
6320     LHS = ImpCastExprToType(LHS.get(), compositeType, CK_BitCast);
6321     RHS = ImpCastExprToType(RHS.get(), compositeType, CK_BitCast);
6322     return compositeType;
6323   }
6324   // Check Objective-C object pointer types and 'void *'
6325   if (LHSTy->isVoidPointerType() && RHSTy->isObjCObjectPointerType()) {
6326     if (getLangOpts().ObjCAutoRefCount) {
6327       // ARC forbids the implicit conversion of object pointers to 'void *',
6328       // so these types are not compatible.
6329       Diag(QuestionLoc, diag::err_cond_voidptr_arc) << LHSTy << RHSTy
6330           << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
6331       LHS = RHS = true;
6332       return QualType();
6333     }
6334     QualType lhptee = LHSTy->getAs<PointerType>()->getPointeeType();
6335     QualType rhptee = RHSTy->getAs<ObjCObjectPointerType>()->getPointeeType();
6336     QualType destPointee
6337     = Context.getQualifiedType(lhptee, rhptee.getQualifiers());
6338     QualType destType = Context.getPointerType(destPointee);
6339     // Add qualifiers if necessary.
6340     LHS = ImpCastExprToType(LHS.get(), destType, CK_NoOp);
6341     // Promote to void*.
6342     RHS = ImpCastExprToType(RHS.get(), destType, CK_BitCast);
6343     return destType;
6344   }
6345   if (LHSTy->isObjCObjectPointerType() && RHSTy->isVoidPointerType()) {
6346     if (getLangOpts().ObjCAutoRefCount) {
6347       // ARC forbids the implicit conversion of object pointers to 'void *',
6348       // so these types are not compatible.
6349       Diag(QuestionLoc, diag::err_cond_voidptr_arc) << LHSTy << RHSTy
6350           << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
6351       LHS = RHS = true;
6352       return QualType();
6353     }
6354     QualType lhptee = LHSTy->getAs<ObjCObjectPointerType>()->getPointeeType();
6355     QualType rhptee = RHSTy->getAs<PointerType>()->getPointeeType();
6356     QualType destPointee
6357     = Context.getQualifiedType(rhptee, lhptee.getQualifiers());
6358     QualType destType = Context.getPointerType(destPointee);
6359     // Add qualifiers if necessary.
6360     RHS = ImpCastExprToType(RHS.get(), destType, CK_NoOp);
6361     // Promote to void*.
6362     LHS = ImpCastExprToType(LHS.get(), destType, CK_BitCast);
6363     return destType;
6364   }
6365   return QualType();
6366 }
6367
6368 /// SuggestParentheses - Emit a note with a fixit hint that wraps
6369 /// ParenRange in parentheses.
6370 static void SuggestParentheses(Sema &Self, SourceLocation Loc,
6371                                const PartialDiagnostic &Note,
6372                                SourceRange ParenRange) {
6373   SourceLocation EndLoc = Self.PP.getLocForEndOfToken(ParenRange.getEnd());
6374   if (ParenRange.getBegin().isFileID() && ParenRange.getEnd().isFileID() &&
6375       EndLoc.isValid()) {
6376     Self.Diag(Loc, Note)
6377       << FixItHint::CreateInsertion(ParenRange.getBegin(), "(")
6378       << FixItHint::CreateInsertion(EndLoc, ")");
6379   } else {
6380     // We can't display the parentheses, so just show the bare note.
6381     Self.Diag(Loc, Note) << ParenRange;
6382   }
6383 }
6384
6385 static bool IsArithmeticOp(BinaryOperatorKind Opc) {
6386   return Opc >= BO_Mul && Opc <= BO_Shr;
6387 }
6388
6389 /// IsArithmeticBinaryExpr - Returns true if E is an arithmetic binary
6390 /// expression, either using a built-in or overloaded operator,
6391 /// and sets *OpCode to the opcode and *RHSExprs to the right-hand side
6392 /// expression.
6393 static bool IsArithmeticBinaryExpr(Expr *E, BinaryOperatorKind *Opcode,
6394                                    Expr **RHSExprs) {
6395   // Don't strip parenthesis: we should not warn if E is in parenthesis.
6396   E = E->IgnoreImpCasts();
6397   E = E->IgnoreConversionOperator();
6398   E = E->IgnoreImpCasts();
6399
6400   // Built-in binary operator.
6401   if (BinaryOperator *OP = dyn_cast<BinaryOperator>(E)) {
6402     if (IsArithmeticOp(OP->getOpcode())) {
6403       *Opcode = OP->getOpcode();
6404       *RHSExprs = OP->getRHS();
6405       return true;
6406     }
6407   }
6408
6409   // Overloaded operator.
6410   if (CXXOperatorCallExpr *Call = dyn_cast<CXXOperatorCallExpr>(E)) {
6411     if (Call->getNumArgs() != 2)
6412       return false;
6413
6414     // Make sure this is really a binary operator that is safe to pass into
6415     // BinaryOperator::getOverloadedOpcode(), e.g. it's not a subscript op.
6416     OverloadedOperatorKind OO = Call->getOperator();
6417     if (OO < OO_Plus || OO > OO_Arrow ||
6418         OO == OO_PlusPlus || OO == OO_MinusMinus)
6419       return false;
6420
6421     BinaryOperatorKind OpKind = BinaryOperator::getOverloadedOpcode(OO);
6422     if (IsArithmeticOp(OpKind)) {
6423       *Opcode = OpKind;
6424       *RHSExprs = Call->getArg(1);
6425       return true;
6426     }
6427   }
6428
6429   return false;
6430 }
6431
6432 static bool IsLogicOp(BinaryOperatorKind Opc) {
6433   return (Opc >= BO_LT && Opc <= BO_NE) || (Opc >= BO_LAnd && Opc <= BO_LOr);
6434 }
6435
6436 /// ExprLooksBoolean - Returns true if E looks boolean, i.e. it has boolean type
6437 /// or is a logical expression such as (x==y) which has int type, but is
6438 /// commonly interpreted as boolean.
6439 static bool ExprLooksBoolean(Expr *E) {
6440   E = E->IgnoreParenImpCasts();
6441
6442   if (E->getType()->isBooleanType())
6443     return true;
6444   if (BinaryOperator *OP = dyn_cast<BinaryOperator>(E))
6445     return IsLogicOp(OP->getOpcode());
6446   if (UnaryOperator *OP = dyn_cast<UnaryOperator>(E))
6447     return OP->getOpcode() == UO_LNot;
6448   if (E->getType()->isPointerType())
6449     return true;
6450
6451   return false;
6452 }
6453
6454 /// DiagnoseConditionalPrecedence - Emit a warning when a conditional operator
6455 /// and binary operator are mixed in a way that suggests the programmer assumed
6456 /// the conditional operator has higher precedence, for example:
6457 /// "int x = a + someBinaryCondition ? 1 : 2".
6458 static void DiagnoseConditionalPrecedence(Sema &Self,
6459                                           SourceLocation OpLoc,
6460                                           Expr *Condition,
6461                                           Expr *LHSExpr,
6462                                           Expr *RHSExpr) {
6463   BinaryOperatorKind CondOpcode;
6464   Expr *CondRHS;
6465
6466   if (!IsArithmeticBinaryExpr(Condition, &CondOpcode, &CondRHS))
6467     return;
6468   if (!ExprLooksBoolean(CondRHS))
6469     return;
6470
6471   // The condition is an arithmetic binary expression, with a right-
6472   // hand side that looks boolean, so warn.
6473
6474   Self.Diag(OpLoc, diag::warn_precedence_conditional)
6475       << Condition->getSourceRange()
6476       << BinaryOperator::getOpcodeStr(CondOpcode);
6477
6478   SuggestParentheses(Self, OpLoc,
6479     Self.PDiag(diag::note_precedence_silence)
6480       << BinaryOperator::getOpcodeStr(CondOpcode),
6481     SourceRange(Condition->getLocStart(), Condition->getLocEnd()));
6482
6483   SuggestParentheses(Self, OpLoc,
6484     Self.PDiag(diag::note_precedence_conditional_first),
6485     SourceRange(CondRHS->getLocStart(), RHSExpr->getLocEnd()));
6486 }
6487
6488 /// ActOnConditionalOp - Parse a ?: operation.  Note that 'LHS' may be null
6489 /// in the case of a the GNU conditional expr extension.
6490 ExprResult Sema::ActOnConditionalOp(SourceLocation QuestionLoc,
6491                                     SourceLocation ColonLoc,
6492                                     Expr *CondExpr, Expr *LHSExpr,
6493                                     Expr *RHSExpr) {
6494   if (!getLangOpts().CPlusPlus) {
6495     // C cannot handle TypoExpr nodes in the condition because it
6496     // doesn't handle dependent types properly, so make sure any TypoExprs have
6497     // been dealt with before checking the operands.
6498     ExprResult CondResult = CorrectDelayedTyposInExpr(CondExpr);
6499     if (!CondResult.isUsable()) return ExprError();
6500     CondExpr = CondResult.get();
6501   }
6502
6503   // If this is the gnu "x ?: y" extension, analyze the types as though the LHS
6504   // was the condition.
6505   OpaqueValueExpr *opaqueValue = nullptr;
6506   Expr *commonExpr = nullptr;
6507   if (!LHSExpr) {
6508     commonExpr = CondExpr;
6509     // Lower out placeholder types first.  This is important so that we don't
6510     // try to capture a placeholder. This happens in few cases in C++; such
6511     // as Objective-C++'s dictionary subscripting syntax.
6512     if (commonExpr->hasPlaceholderType()) {
6513       ExprResult result = CheckPlaceholderExpr(commonExpr);
6514       if (!result.isUsable()) return ExprError();
6515       commonExpr = result.get();
6516     }
6517     // We usually want to apply unary conversions *before* saving, except
6518     // in the special case of a C++ l-value conditional.
6519     if (!(getLangOpts().CPlusPlus
6520           && !commonExpr->isTypeDependent()
6521           && commonExpr->getValueKind() == RHSExpr->getValueKind()
6522           && commonExpr->isGLValue()
6523           && commonExpr->isOrdinaryOrBitFieldObject()
6524           && RHSExpr->isOrdinaryOrBitFieldObject()
6525           && Context.hasSameType(commonExpr->getType(), RHSExpr->getType()))) {
6526       ExprResult commonRes = UsualUnaryConversions(commonExpr);
6527       if (commonRes.isInvalid())
6528         return ExprError();
6529       commonExpr = commonRes.get();
6530     }
6531
6532     opaqueValue = new (Context) OpaqueValueExpr(commonExpr->getExprLoc(),
6533                                                 commonExpr->getType(),
6534                                                 commonExpr->getValueKind(),
6535                                                 commonExpr->getObjectKind(),
6536                                                 commonExpr);
6537     LHSExpr = CondExpr = opaqueValue;
6538   }
6539
6540   ExprValueKind VK = VK_RValue;
6541   ExprObjectKind OK = OK_Ordinary;
6542   ExprResult Cond = CondExpr, LHS = LHSExpr, RHS = RHSExpr;
6543   QualType result = CheckConditionalOperands(Cond, LHS, RHS, 
6544                                              VK, OK, QuestionLoc);
6545   if (result.isNull() || Cond.isInvalid() || LHS.isInvalid() ||
6546       RHS.isInvalid())
6547     return ExprError();
6548
6549   DiagnoseConditionalPrecedence(*this, QuestionLoc, Cond.get(), LHS.get(),
6550                                 RHS.get());
6551
6552   CheckBoolLikeConversion(Cond.get(), QuestionLoc);
6553
6554   if (!commonExpr)
6555     return new (Context)
6556         ConditionalOperator(Cond.get(), QuestionLoc, LHS.get(), ColonLoc,
6557                             RHS.get(), result, VK, OK);
6558
6559   return new (Context) BinaryConditionalOperator(
6560       commonExpr, opaqueValue, Cond.get(), LHS.get(), RHS.get(), QuestionLoc,
6561       ColonLoc, result, VK, OK);
6562 }
6563
6564 // checkPointerTypesForAssignment - This is a very tricky routine (despite
6565 // being closely modeled after the C99 spec:-). The odd characteristic of this
6566 // routine is it effectively iqnores the qualifiers on the top level pointee.
6567 // This circumvents the usual type rules specified in 6.2.7p1 & 6.7.5.[1-3].
6568 // FIXME: add a couple examples in this comment.
6569 static Sema::AssignConvertType
6570 checkPointerTypesForAssignment(Sema &S, QualType LHSType, QualType RHSType) {
6571   assert(LHSType.isCanonical() && "LHS not canonicalized!");
6572   assert(RHSType.isCanonical() && "RHS not canonicalized!");
6573
6574   // get the "pointed to" type (ignoring qualifiers at the top level)
6575   const Type *lhptee, *rhptee;
6576   Qualifiers lhq, rhq;
6577   std::tie(lhptee, lhq) =
6578       cast<PointerType>(LHSType)->getPointeeType().split().asPair();
6579   std::tie(rhptee, rhq) =
6580       cast<PointerType>(RHSType)->getPointeeType().split().asPair();
6581
6582   Sema::AssignConvertType ConvTy = Sema::Compatible;
6583
6584   // C99 6.5.16.1p1: This following citation is common to constraints
6585   // 3 & 4 (below). ...and the type *pointed to* by the left has all the
6586   // qualifiers of the type *pointed to* by the right;
6587
6588   // As a special case, 'non-__weak A *' -> 'non-__weak const *' is okay.
6589   if (lhq.getObjCLifetime() != rhq.getObjCLifetime() &&
6590       lhq.compatiblyIncludesObjCLifetime(rhq)) {
6591     // Ignore lifetime for further calculation.
6592     lhq.removeObjCLifetime();
6593     rhq.removeObjCLifetime();
6594   }
6595
6596   if (!lhq.compatiblyIncludes(rhq)) {
6597     // Treat address-space mismatches as fatal.  TODO: address subspaces
6598     if (!lhq.isAddressSpaceSupersetOf(rhq))
6599       ConvTy = Sema::IncompatiblePointerDiscardsQualifiers;
6600
6601     // It's okay to add or remove GC or lifetime qualifiers when converting to
6602     // and from void*.
6603     else if (lhq.withoutObjCGCAttr().withoutObjCLifetime()
6604                         .compatiblyIncludes(
6605                                 rhq.withoutObjCGCAttr().withoutObjCLifetime())
6606              && (lhptee->isVoidType() || rhptee->isVoidType()))
6607       ; // keep old
6608
6609     // Treat lifetime mismatches as fatal.
6610     else if (lhq.getObjCLifetime() != rhq.getObjCLifetime())
6611       ConvTy = Sema::IncompatiblePointerDiscardsQualifiers;
6612     
6613     // For GCC compatibility, other qualifier mismatches are treated
6614     // as still compatible in C.
6615     else ConvTy = Sema::CompatiblePointerDiscardsQualifiers;
6616   }
6617
6618   // C99 6.5.16.1p1 (constraint 4): If one operand is a pointer to an object or
6619   // incomplete type and the other is a pointer to a qualified or unqualified
6620   // version of void...
6621   if (lhptee->isVoidType()) {
6622     if (rhptee->isIncompleteOrObjectType())
6623       return ConvTy;
6624
6625     // As an extension, we allow cast to/from void* to function pointer.
6626     assert(rhptee->isFunctionType());
6627     return Sema::FunctionVoidPointer;
6628   }
6629
6630   if (rhptee->isVoidType()) {
6631     if (lhptee->isIncompleteOrObjectType())
6632       return ConvTy;
6633
6634     // As an extension, we allow cast to/from void* to function pointer.
6635     assert(lhptee->isFunctionType());
6636     return Sema::FunctionVoidPointer;
6637   }
6638
6639   // C99 6.5.16.1p1 (constraint 3): both operands are pointers to qualified or
6640   // unqualified versions of compatible types, ...
6641   QualType ltrans = QualType(lhptee, 0), rtrans = QualType(rhptee, 0);
6642   if (!S.Context.typesAreCompatible(ltrans, rtrans)) {
6643     // Check if the pointee types are compatible ignoring the sign.
6644     // We explicitly check for char so that we catch "char" vs
6645     // "unsigned char" on systems where "char" is unsigned.
6646     if (lhptee->isCharType())
6647       ltrans = S.Context.UnsignedCharTy;
6648     else if (lhptee->hasSignedIntegerRepresentation())
6649       ltrans = S.Context.getCorrespondingUnsignedType(ltrans);
6650
6651     if (rhptee->isCharType())
6652       rtrans = S.Context.UnsignedCharTy;
6653     else if (rhptee->hasSignedIntegerRepresentation())
6654       rtrans = S.Context.getCorrespondingUnsignedType(rtrans);
6655
6656     if (ltrans == rtrans) {
6657       // Types are compatible ignoring the sign. Qualifier incompatibility
6658       // takes priority over sign incompatibility because the sign
6659       // warning can be disabled.
6660       if (ConvTy != Sema::Compatible)
6661         return ConvTy;
6662
6663       return Sema::IncompatiblePointerSign;
6664     }
6665
6666     // If we are a multi-level pointer, it's possible that our issue is simply
6667     // one of qualification - e.g. char ** -> const char ** is not allowed. If
6668     // the eventual target type is the same and the pointers have the same
6669     // level of indirection, this must be the issue.
6670     if (isa<PointerType>(lhptee) && isa<PointerType>(rhptee)) {
6671       do {
6672         lhptee = cast<PointerType>(lhptee)->getPointeeType().getTypePtr();
6673         rhptee = cast<PointerType>(rhptee)->getPointeeType().getTypePtr();
6674       } while (isa<PointerType>(lhptee) && isa<PointerType>(rhptee));
6675
6676       if (lhptee == rhptee)
6677         return Sema::IncompatibleNestedPointerQualifiers;
6678     }
6679
6680     // General pointer incompatibility takes priority over qualifiers.
6681     return Sema::IncompatiblePointer;
6682   }
6683   if (!S.getLangOpts().CPlusPlus &&
6684       S.IsNoReturnConversion(ltrans, rtrans, ltrans))
6685     return Sema::IncompatiblePointer;
6686   return ConvTy;
6687 }
6688
6689 /// checkBlockPointerTypesForAssignment - This routine determines whether two
6690 /// block pointer types are compatible or whether a block and normal pointer
6691 /// are compatible. It is more restrict than comparing two function pointer
6692 // types.
6693 static Sema::AssignConvertType
6694 checkBlockPointerTypesForAssignment(Sema &S, QualType LHSType,
6695                                     QualType RHSType) {
6696   assert(LHSType.isCanonical() && "LHS not canonicalized!");
6697   assert(RHSType.isCanonical() && "RHS not canonicalized!");
6698
6699   QualType lhptee, rhptee;
6700
6701   // get the "pointed to" type (ignoring qualifiers at the top level)
6702   lhptee = cast<BlockPointerType>(LHSType)->getPointeeType();
6703   rhptee = cast<BlockPointerType>(RHSType)->getPointeeType();
6704
6705   // In C++, the types have to match exactly.
6706   if (S.getLangOpts().CPlusPlus)
6707     return Sema::IncompatibleBlockPointer;
6708
6709   Sema::AssignConvertType ConvTy = Sema::Compatible;
6710
6711   // For blocks we enforce that qualifiers are identical.
6712   if (lhptee.getLocalQualifiers() != rhptee.getLocalQualifiers())
6713     ConvTy = Sema::CompatiblePointerDiscardsQualifiers;
6714
6715   if (!S.Context.typesAreBlockPointerCompatible(LHSType, RHSType))
6716     return Sema::IncompatibleBlockPointer;
6717
6718   return ConvTy;
6719 }
6720
6721 /// checkObjCPointerTypesForAssignment - Compares two objective-c pointer types
6722 /// for assignment compatibility.
6723 static Sema::AssignConvertType
6724 checkObjCPointerTypesForAssignment(Sema &S, QualType LHSType,
6725                                    QualType RHSType) {
6726   assert(LHSType.isCanonical() && "LHS was not canonicalized!");
6727   assert(RHSType.isCanonical() && "RHS was not canonicalized!");
6728
6729   if (LHSType->isObjCBuiltinType()) {
6730     // Class is not compatible with ObjC object pointers.
6731     if (LHSType->isObjCClassType() && !RHSType->isObjCBuiltinType() &&
6732         !RHSType->isObjCQualifiedClassType())
6733       return Sema::IncompatiblePointer;
6734     return Sema::Compatible;
6735   }
6736   if (RHSType->isObjCBuiltinType()) {
6737     if (RHSType->isObjCClassType() && !LHSType->isObjCBuiltinType() &&
6738         !LHSType->isObjCQualifiedClassType())
6739       return Sema::IncompatiblePointer;
6740     return Sema::Compatible;
6741   }
6742   QualType lhptee = LHSType->getAs<ObjCObjectPointerType>()->getPointeeType();
6743   QualType rhptee = RHSType->getAs<ObjCObjectPointerType>()->getPointeeType();
6744
6745   if (!lhptee.isAtLeastAsQualifiedAs(rhptee) &&
6746       // make an exception for id<P>
6747       !LHSType->isObjCQualifiedIdType())
6748     return Sema::CompatiblePointerDiscardsQualifiers;
6749
6750   if (S.Context.typesAreCompatible(LHSType, RHSType))
6751     return Sema::Compatible;
6752   if (LHSType->isObjCQualifiedIdType() || RHSType->isObjCQualifiedIdType())
6753     return Sema::IncompatibleObjCQualifiedId;
6754   return Sema::IncompatiblePointer;
6755 }
6756
6757 Sema::AssignConvertType
6758 Sema::CheckAssignmentConstraints(SourceLocation Loc,
6759                                  QualType LHSType, QualType RHSType) {
6760   // Fake up an opaque expression.  We don't actually care about what
6761   // cast operations are required, so if CheckAssignmentConstraints
6762   // adds casts to this they'll be wasted, but fortunately that doesn't
6763   // usually happen on valid code.
6764   OpaqueValueExpr RHSExpr(Loc, RHSType, VK_RValue);
6765   ExprResult RHSPtr = &RHSExpr;
6766   CastKind K = CK_Invalid;
6767
6768   return CheckAssignmentConstraints(LHSType, RHSPtr, K);
6769 }
6770
6771 /// CheckAssignmentConstraints (C99 6.5.16) - This routine currently
6772 /// has code to accommodate several GCC extensions when type checking
6773 /// pointers. Here are some objectionable examples that GCC considers warnings:
6774 ///
6775 ///  int a, *pint;
6776 ///  short *pshort;
6777 ///  struct foo *pfoo;
6778 ///
6779 ///  pint = pshort; // warning: assignment from incompatible pointer type
6780 ///  a = pint; // warning: assignment makes integer from pointer without a cast
6781 ///  pint = a; // warning: assignment makes pointer from integer without a cast
6782 ///  pint = pfoo; // warning: assignment from incompatible pointer type
6783 ///
6784 /// As a result, the code for dealing with pointers is more complex than the
6785 /// C99 spec dictates.
6786 ///
6787 /// Sets 'Kind' for any result kind except Incompatible.
6788 Sema::AssignConvertType
6789 Sema::CheckAssignmentConstraints(QualType LHSType, ExprResult &RHS,
6790                                  CastKind &Kind) {
6791   QualType RHSType = RHS.get()->getType();
6792   QualType OrigLHSType = LHSType;
6793
6794   // Get canonical types.  We're not formatting these types, just comparing
6795   // them.
6796   LHSType = Context.getCanonicalType(LHSType).getUnqualifiedType();
6797   RHSType = Context.getCanonicalType(RHSType).getUnqualifiedType();
6798
6799   // Common case: no conversion required.
6800   if (LHSType == RHSType) {
6801     Kind = CK_NoOp;
6802     return Compatible;
6803   }
6804
6805   // If we have an atomic type, try a non-atomic assignment, then just add an
6806   // atomic qualification step.
6807   if (const AtomicType *AtomicTy = dyn_cast<AtomicType>(LHSType)) {
6808     Sema::AssignConvertType result =
6809       CheckAssignmentConstraints(AtomicTy->getValueType(), RHS, Kind);
6810     if (result != Compatible)
6811       return result;
6812     if (Kind != CK_NoOp)
6813       RHS = ImpCastExprToType(RHS.get(), AtomicTy->getValueType(), Kind);
6814     Kind = CK_NonAtomicToAtomic;
6815     return Compatible;
6816   }
6817
6818   // If the left-hand side is a reference type, then we are in a
6819   // (rare!) case where we've allowed the use of references in C,
6820   // e.g., as a parameter type in a built-in function. In this case,
6821   // just make sure that the type referenced is compatible with the
6822   // right-hand side type. The caller is responsible for adjusting
6823   // LHSType so that the resulting expression does not have reference
6824   // type.
6825   if (const ReferenceType *LHSTypeRef = LHSType->getAs<ReferenceType>()) {
6826     if (Context.typesAreCompatible(LHSTypeRef->getPointeeType(), RHSType)) {
6827       Kind = CK_LValueBitCast;
6828       return Compatible;
6829     }
6830     return Incompatible;
6831   }
6832
6833   // Allow scalar to ExtVector assignments, and assignments of an ExtVector type
6834   // to the same ExtVector type.
6835   if (LHSType->isExtVectorType()) {
6836     if (RHSType->isExtVectorType())
6837       return Incompatible;
6838     if (RHSType->isArithmeticType()) {
6839       // CK_VectorSplat does T -> vector T, so first cast to the
6840       // element type.
6841       QualType elType = cast<ExtVectorType>(LHSType)->getElementType();
6842       if (elType != RHSType) {
6843         Kind = PrepareScalarCast(RHS, elType);
6844         RHS = ImpCastExprToType(RHS.get(), elType, Kind);
6845       }
6846       Kind = CK_VectorSplat;
6847       return Compatible;
6848     }
6849   }
6850
6851   // Conversions to or from vector type.
6852   if (LHSType->isVectorType() || RHSType->isVectorType()) {
6853     if (LHSType->isVectorType() && RHSType->isVectorType()) {
6854       // Allow assignments of an AltiVec vector type to an equivalent GCC
6855       // vector type and vice versa
6856       if (Context.areCompatibleVectorTypes(LHSType, RHSType)) {
6857         Kind = CK_BitCast;
6858         return Compatible;
6859       }
6860
6861       // If we are allowing lax vector conversions, and LHS and RHS are both
6862       // vectors, the total size only needs to be the same. This is a bitcast;
6863       // no bits are changed but the result type is different.
6864       if (isLaxVectorConversion(RHSType, LHSType)) {
6865         Kind = CK_BitCast;
6866         return IncompatibleVectors;
6867       }
6868     }
6869     return Incompatible;
6870   }
6871
6872   // Arithmetic conversions.
6873   if (LHSType->isArithmeticType() && RHSType->isArithmeticType() &&
6874       !(getLangOpts().CPlusPlus && LHSType->isEnumeralType())) {
6875     Kind = PrepareScalarCast(RHS, LHSType);
6876     return Compatible;
6877   }
6878
6879   // Conversions to normal pointers.
6880   if (const PointerType *LHSPointer = dyn_cast<PointerType>(LHSType)) {
6881     // U* -> T*
6882     if (isa<PointerType>(RHSType)) {
6883       unsigned AddrSpaceL = LHSPointer->getPointeeType().getAddressSpace();
6884       unsigned AddrSpaceR = RHSType->getPointeeType().getAddressSpace();
6885       Kind = AddrSpaceL != AddrSpaceR ? CK_AddressSpaceConversion : CK_BitCast;
6886       return checkPointerTypesForAssignment(*this, LHSType, RHSType);
6887     }
6888
6889     // int -> T*
6890     if (RHSType->isIntegerType()) {
6891       Kind = CK_IntegralToPointer; // FIXME: null?
6892       return IntToPointer;
6893     }
6894
6895     // C pointers are not compatible with ObjC object pointers,
6896     // with two exceptions:
6897     if (isa<ObjCObjectPointerType>(RHSType)) {
6898       //  - conversions to void*
6899       if (LHSPointer->getPointeeType()->isVoidType()) {
6900         Kind = CK_BitCast;
6901         return Compatible;
6902       }
6903
6904       //  - conversions from 'Class' to the redefinition type
6905       if (RHSType->isObjCClassType() &&
6906           Context.hasSameType(LHSType, 
6907                               Context.getObjCClassRedefinitionType())) {
6908         Kind = CK_BitCast;
6909         return Compatible;
6910       }
6911
6912       Kind = CK_BitCast;
6913       return IncompatiblePointer;
6914     }
6915
6916     // U^ -> void*
6917     if (RHSType->getAs<BlockPointerType>()) {
6918       if (LHSPointer->getPointeeType()->isVoidType()) {
6919         Kind = CK_BitCast;
6920         return Compatible;
6921       }
6922     }
6923
6924     return Incompatible;
6925   }
6926
6927   // Conversions to block pointers.
6928   if (isa<BlockPointerType>(LHSType)) {
6929     // U^ -> T^
6930     if (RHSType->isBlockPointerType()) {
6931       Kind = CK_BitCast;
6932       return checkBlockPointerTypesForAssignment(*this, LHSType, RHSType);
6933     }
6934
6935     // int or null -> T^
6936     if (RHSType->isIntegerType()) {
6937       Kind = CK_IntegralToPointer; // FIXME: null
6938       return IntToBlockPointer;
6939     }
6940
6941     // id -> T^
6942     if (getLangOpts().ObjC1 && RHSType->isObjCIdType()) {
6943       Kind = CK_AnyPointerToBlockPointerCast;
6944       return Compatible;
6945     }
6946
6947     // void* -> T^
6948     if (const PointerType *RHSPT = RHSType->getAs<PointerType>())
6949       if (RHSPT->getPointeeType()->isVoidType()) {
6950         Kind = CK_AnyPointerToBlockPointerCast;
6951         return Compatible;
6952       }
6953
6954     return Incompatible;
6955   }
6956
6957   // Conversions to Objective-C pointers.
6958   if (isa<ObjCObjectPointerType>(LHSType)) {
6959     // A* -> B*
6960     if (RHSType->isObjCObjectPointerType()) {
6961       Kind = CK_BitCast;
6962       Sema::AssignConvertType result = 
6963         checkObjCPointerTypesForAssignment(*this, LHSType, RHSType);
6964       if (getLangOpts().ObjCAutoRefCount &&
6965           result == Compatible && 
6966           !CheckObjCARCUnavailableWeakConversion(OrigLHSType, RHSType))
6967         result = IncompatibleObjCWeakRef;
6968       return result;
6969     }
6970
6971     // int or null -> A*
6972     if (RHSType->isIntegerType()) {
6973       Kind = CK_IntegralToPointer; // FIXME: null
6974       return IntToPointer;
6975     }
6976
6977     // In general, C pointers are not compatible with ObjC object pointers,
6978     // with two exceptions:
6979     if (isa<PointerType>(RHSType)) {
6980       Kind = CK_CPointerToObjCPointerCast;
6981
6982       //  - conversions from 'void*'
6983       if (RHSType->isVoidPointerType()) {
6984         return Compatible;
6985       }
6986
6987       //  - conversions to 'Class' from its redefinition type
6988       if (LHSType->isObjCClassType() &&
6989           Context.hasSameType(RHSType, 
6990                               Context.getObjCClassRedefinitionType())) {
6991         return Compatible;
6992       }
6993
6994       return IncompatiblePointer;
6995     }
6996
6997     // Only under strict condition T^ is compatible with an Objective-C pointer.
6998     if (RHSType->isBlockPointerType() &&
6999         isObjCPtrBlockCompatible(*this, Context, LHSType)) {
7000       maybeExtendBlockObject(*this, RHS);
7001       Kind = CK_BlockPointerToObjCPointerCast;
7002       return Compatible;
7003     }
7004
7005     return Incompatible;
7006   }
7007
7008   // Conversions from pointers that are not covered by the above.
7009   if (isa<PointerType>(RHSType)) {
7010     // T* -> _Bool
7011     if (LHSType == Context.BoolTy) {
7012       Kind = CK_PointerToBoolean;
7013       return Compatible;
7014     }
7015
7016     // T* -> int
7017     if (LHSType->isIntegerType()) {
7018       Kind = CK_PointerToIntegral;
7019       return PointerToInt;
7020     }
7021
7022     return Incompatible;
7023   }
7024
7025   // Conversions from Objective-C pointers that are not covered by the above.
7026   if (isa<ObjCObjectPointerType>(RHSType)) {
7027     // T* -> _Bool
7028     if (LHSType == Context.BoolTy) {
7029       Kind = CK_PointerToBoolean;
7030       return Compatible;
7031     }
7032
7033     // T* -> int
7034     if (LHSType->isIntegerType()) {
7035       Kind = CK_PointerToIntegral;
7036       return PointerToInt;
7037     }
7038
7039     return Incompatible;
7040   }
7041
7042   // struct A -> struct B
7043   if (isa<TagType>(LHSType) && isa<TagType>(RHSType)) {
7044     if (Context.typesAreCompatible(LHSType, RHSType)) {
7045       Kind = CK_NoOp;
7046       return Compatible;
7047     }
7048   }
7049
7050   return Incompatible;
7051 }
7052
7053 /// \brief Constructs a transparent union from an expression that is
7054 /// used to initialize the transparent union.
7055 static void ConstructTransparentUnion(Sema &S, ASTContext &C,
7056                                       ExprResult &EResult, QualType UnionType,
7057                                       FieldDecl *Field) {
7058   // Build an initializer list that designates the appropriate member
7059   // of the transparent union.
7060   Expr *E = EResult.get();
7061   InitListExpr *Initializer = new (C) InitListExpr(C, SourceLocation(),
7062                                                    E, SourceLocation());
7063   Initializer->setType(UnionType);
7064   Initializer->setInitializedFieldInUnion(Field);
7065
7066   // Build a compound literal constructing a value of the transparent
7067   // union type from this initializer list.
7068   TypeSourceInfo *unionTInfo = C.getTrivialTypeSourceInfo(UnionType);
7069   EResult = new (C) CompoundLiteralExpr(SourceLocation(), unionTInfo, UnionType,
7070                                         VK_RValue, Initializer, false);
7071 }
7072
7073 Sema::AssignConvertType
7074 Sema::CheckTransparentUnionArgumentConstraints(QualType ArgType,
7075                                                ExprResult &RHS) {
7076   QualType RHSType = RHS.get()->getType();
7077
7078   // If the ArgType is a Union type, we want to handle a potential
7079   // transparent_union GCC extension.
7080   const RecordType *UT = ArgType->getAsUnionType();
7081   if (!UT || !UT->getDecl()->hasAttr<TransparentUnionAttr>())
7082     return Incompatible;
7083
7084   // The field to initialize within the transparent union.
7085   RecordDecl *UD = UT->getDecl();
7086   FieldDecl *InitField = nullptr;
7087   // It's compatible if the expression matches any of the fields.
7088   for (auto *it : UD->fields()) {
7089     if (it->getType()->isPointerType()) {
7090       // If the transparent union contains a pointer type, we allow:
7091       // 1) void pointer
7092       // 2) null pointer constant
7093       if (RHSType->isPointerType())
7094         if (RHSType->castAs<PointerType>()->getPointeeType()->isVoidType()) {
7095           RHS = ImpCastExprToType(RHS.get(), it->getType(), CK_BitCast);
7096           InitField = it;
7097           break;
7098         }
7099
7100       if (RHS.get()->isNullPointerConstant(Context,
7101                                            Expr::NPC_ValueDependentIsNull)) {
7102         RHS = ImpCastExprToType(RHS.get(), it->getType(),
7103                                 CK_NullToPointer);
7104         InitField = it;
7105         break;
7106       }
7107     }
7108
7109     CastKind Kind = CK_Invalid;
7110     if (CheckAssignmentConstraints(it->getType(), RHS, Kind)
7111           == Compatible) {
7112       RHS = ImpCastExprToType(RHS.get(), it->getType(), Kind);
7113       InitField = it;
7114       break;
7115     }
7116   }
7117
7118   if (!InitField)
7119     return Incompatible;
7120
7121   ConstructTransparentUnion(*this, Context, RHS, ArgType, InitField);
7122   return Compatible;
7123 }
7124
7125 Sema::AssignConvertType
7126 Sema::CheckSingleAssignmentConstraints(QualType LHSType, ExprResult &RHS,
7127                                        bool Diagnose,
7128                                        bool DiagnoseCFAudited) {
7129   if (getLangOpts().CPlusPlus) {
7130     if (!LHSType->isRecordType() && !LHSType->isAtomicType()) {
7131       // C++ 5.17p3: If the left operand is not of class type, the
7132       // expression is implicitly converted (C++ 4) to the
7133       // cv-unqualified type of the left operand.
7134       ExprResult Res;
7135       if (Diagnose) {
7136         Res = PerformImplicitConversion(RHS.get(), LHSType.getUnqualifiedType(),
7137                                         AA_Assigning);
7138       } else {
7139         ImplicitConversionSequence ICS =
7140             TryImplicitConversion(RHS.get(), LHSType.getUnqualifiedType(),
7141                                   /*SuppressUserConversions=*/false,
7142                                   /*AllowExplicit=*/false,
7143                                   /*InOverloadResolution=*/false,
7144                                   /*CStyle=*/false,
7145                                   /*AllowObjCWritebackConversion=*/false);
7146         if (ICS.isFailure())
7147           return Incompatible;
7148         Res = PerformImplicitConversion(RHS.get(), LHSType.getUnqualifiedType(),
7149                                         ICS, AA_Assigning);
7150       }
7151       if (Res.isInvalid())
7152         return Incompatible;
7153       Sema::AssignConvertType result = Compatible;
7154       if (getLangOpts().ObjCAutoRefCount &&
7155           !CheckObjCARCUnavailableWeakConversion(LHSType,
7156                                                  RHS.get()->getType()))
7157         result = IncompatibleObjCWeakRef;
7158       RHS = Res;
7159       return result;
7160     }
7161
7162     // FIXME: Currently, we fall through and treat C++ classes like C
7163     // structures.
7164     // FIXME: We also fall through for atomics; not sure what should
7165     // happen there, though.
7166   }
7167
7168   // C99 6.5.16.1p1: the left operand is a pointer and the right is
7169   // a null pointer constant.
7170   if ((LHSType->isPointerType() || LHSType->isObjCObjectPointerType() ||
7171        LHSType->isBlockPointerType()) &&
7172       RHS.get()->isNullPointerConstant(Context,
7173                                        Expr::NPC_ValueDependentIsNull)) {
7174     CastKind Kind;
7175     CXXCastPath Path;
7176     CheckPointerConversion(RHS.get(), LHSType, Kind, Path, false);
7177     RHS = ImpCastExprToType(RHS.get(), LHSType, Kind, VK_RValue, &Path);
7178     return Compatible;
7179   }
7180
7181   // This check seems unnatural, however it is necessary to ensure the proper
7182   // conversion of functions/arrays. If the conversion were done for all
7183   // DeclExpr's (created by ActOnIdExpression), it would mess up the unary
7184   // expressions that suppress this implicit conversion (&, sizeof).
7185   //
7186   // Suppress this for references: C++ 8.5.3p5.
7187   if (!LHSType->isReferenceType()) {
7188     RHS = DefaultFunctionArrayLvalueConversion(RHS.get());
7189     if (RHS.isInvalid())
7190       return Incompatible;
7191   }
7192
7193   Expr *PRE = RHS.get()->IgnoreParenCasts();
7194   if (ObjCProtocolExpr *OPE = dyn_cast<ObjCProtocolExpr>(PRE)) {
7195     ObjCProtocolDecl *PDecl = OPE->getProtocol();
7196     if (PDecl && !PDecl->hasDefinition()) {
7197       Diag(PRE->getExprLoc(), diag::warn_atprotocol_protocol) << PDecl->getName();
7198       Diag(PDecl->getLocation(), diag::note_entity_declared_at) << PDecl;
7199     }
7200   }
7201   
7202   CastKind Kind = CK_Invalid;
7203   Sema::AssignConvertType result =
7204     CheckAssignmentConstraints(LHSType, RHS, Kind);
7205
7206   // C99 6.5.16.1p2: The value of the right operand is converted to the
7207   // type of the assignment expression.
7208   // CheckAssignmentConstraints allows the left-hand side to be a reference,
7209   // so that we can use references in built-in functions even in C.
7210   // The getNonReferenceType() call makes sure that the resulting expression
7211   // does not have reference type.
7212   if (result != Incompatible && RHS.get()->getType() != LHSType) {
7213     QualType Ty = LHSType.getNonLValueExprType(Context);
7214     Expr *E = RHS.get();
7215     if (getLangOpts().ObjCAutoRefCount)
7216       CheckObjCARCConversion(SourceRange(), Ty, E, CCK_ImplicitConversion,
7217                              DiagnoseCFAudited);
7218     if (getLangOpts().ObjC1 &&
7219         (CheckObjCBridgeRelatedConversions(E->getLocStart(),
7220                                           LHSType, E->getType(), E) ||
7221          ConversionToObjCStringLiteralCheck(LHSType, E))) {
7222       RHS = E;
7223       return Compatible;
7224     }
7225     
7226     RHS = ImpCastExprToType(E, Ty, Kind);
7227   }
7228   return result;
7229 }
7230
7231 QualType Sema::InvalidOperands(SourceLocation Loc, ExprResult &LHS,
7232                                ExprResult &RHS) {
7233   Diag(Loc, diag::err_typecheck_invalid_operands)
7234     << LHS.get()->getType() << RHS.get()->getType()
7235     << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
7236   return QualType();
7237 }
7238
7239 /// Try to convert a value of non-vector type to a vector type by converting
7240 /// the type to the element type of the vector and then performing a splat.
7241 /// If the language is OpenCL, we only use conversions that promote scalar
7242 /// rank; for C, Obj-C, and C++ we allow any real scalar conversion except
7243 /// for float->int.
7244 ///
7245 /// \param scalar - if non-null, actually perform the conversions
7246 /// \return true if the operation fails (but without diagnosing the failure)
7247 static bool tryVectorConvertAndSplat(Sema &S, ExprResult *scalar,
7248                                      QualType scalarTy,
7249                                      QualType vectorEltTy,
7250                                      QualType vectorTy) {
7251   // The conversion to apply to the scalar before splatting it,
7252   // if necessary.
7253   CastKind scalarCast = CK_Invalid;
7254   
7255   if (vectorEltTy->isIntegralType(S.Context)) {
7256     if (!scalarTy->isIntegralType(S.Context))
7257       return true;
7258     if (S.getLangOpts().OpenCL &&
7259         S.Context.getIntegerTypeOrder(vectorEltTy, scalarTy) < 0)
7260       return true;
7261     scalarCast = CK_IntegralCast;
7262   } else if (vectorEltTy->isRealFloatingType()) {
7263     if (scalarTy->isRealFloatingType()) {
7264       if (S.getLangOpts().OpenCL &&
7265           S.Context.getFloatingTypeOrder(vectorEltTy, scalarTy) < 0)
7266         return true;
7267       scalarCast = CK_FloatingCast;
7268     }
7269     else if (scalarTy->isIntegralType(S.Context))
7270       scalarCast = CK_IntegralToFloating;
7271     else
7272       return true;
7273   } else {
7274     return true;
7275   }
7276
7277   // Adjust scalar if desired.
7278   if (scalar) {
7279     if (scalarCast != CK_Invalid)
7280       *scalar = S.ImpCastExprToType(scalar->get(), vectorEltTy, scalarCast);
7281     *scalar = S.ImpCastExprToType(scalar->get(), vectorTy, CK_VectorSplat);
7282   }
7283   return false;
7284 }
7285
7286 QualType Sema::CheckVectorOperands(ExprResult &LHS, ExprResult &RHS,
7287                                    SourceLocation Loc, bool IsCompAssign) {
7288   if (!IsCompAssign) {
7289     LHS = DefaultFunctionArrayLvalueConversion(LHS.get());
7290     if (LHS.isInvalid())
7291       return QualType();
7292   }
7293   RHS = DefaultFunctionArrayLvalueConversion(RHS.get());
7294   if (RHS.isInvalid())
7295     return QualType();
7296
7297   // For conversion purposes, we ignore any qualifiers.
7298   // For example, "const float" and "float" are equivalent.
7299   QualType LHSType = LHS.get()->getType().getUnqualifiedType();
7300   QualType RHSType = RHS.get()->getType().getUnqualifiedType();
7301
7302   // If the vector types are identical, return.
7303   if (Context.hasSameType(LHSType, RHSType))
7304     return LHSType;
7305
7306   const VectorType *LHSVecType = LHSType->getAs<VectorType>();
7307   const VectorType *RHSVecType = RHSType->getAs<VectorType>();
7308   assert(LHSVecType || RHSVecType);
7309
7310   // If we have compatible AltiVec and GCC vector types, use the AltiVec type.
7311   if (LHSVecType && RHSVecType &&
7312       Context.areCompatibleVectorTypes(LHSType, RHSType)) {
7313     if (isa<ExtVectorType>(LHSVecType)) {
7314       RHS = ImpCastExprToType(RHS.get(), LHSType, CK_BitCast);
7315       return LHSType;
7316     }
7317
7318     if (!IsCompAssign)
7319       LHS = ImpCastExprToType(LHS.get(), RHSType, CK_BitCast);
7320     return RHSType;
7321   }
7322
7323   // If there's an ext-vector type and a scalar, try to convert the scalar to
7324   // the vector element type and splat.
7325   if (!RHSVecType && isa<ExtVectorType>(LHSVecType)) {
7326     if (!tryVectorConvertAndSplat(*this, &RHS, RHSType,
7327                                   LHSVecType->getElementType(), LHSType))
7328       return LHSType;
7329   }
7330   if (!LHSVecType && isa<ExtVectorType>(RHSVecType)) {
7331     if (!tryVectorConvertAndSplat(*this, (IsCompAssign ? nullptr : &LHS),
7332                                   LHSType, RHSVecType->getElementType(),
7333                                   RHSType))
7334       return RHSType;
7335   }
7336
7337   // If we're allowing lax vector conversions, only the total (data) size
7338   // needs to be the same.
7339   // FIXME: Should we really be allowing this?
7340   // FIXME: We really just pick the LHS type arbitrarily?
7341   if (isLaxVectorConversion(RHSType, LHSType)) {
7342     QualType resultType = LHSType;
7343     RHS = ImpCastExprToType(RHS.get(), resultType, CK_BitCast);
7344     return resultType;
7345   }
7346
7347   // Okay, the expression is invalid.
7348
7349   // If there's a non-vector, non-real operand, diagnose that.
7350   if ((!RHSVecType && !RHSType->isRealType()) ||
7351       (!LHSVecType && !LHSType->isRealType())) {
7352     Diag(Loc, diag::err_typecheck_vector_not_convertable_non_scalar)
7353       << LHSType << RHSType
7354       << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
7355     return QualType();
7356   }
7357
7358   // Otherwise, use the generic diagnostic.
7359   Diag(Loc, diag::err_typecheck_vector_not_convertable)
7360     << LHSType << RHSType
7361     << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
7362   return QualType();
7363 }
7364
7365 // checkArithmeticNull - Detect when a NULL constant is used improperly in an
7366 // expression.  These are mainly cases where the null pointer is used as an
7367 // integer instead of a pointer.
7368 static void checkArithmeticNull(Sema &S, ExprResult &LHS, ExprResult &RHS,
7369                                 SourceLocation Loc, bool IsCompare) {
7370   // The canonical way to check for a GNU null is with isNullPointerConstant,
7371   // but we use a bit of a hack here for speed; this is a relatively
7372   // hot path, and isNullPointerConstant is slow.
7373   bool LHSNull = isa<GNUNullExpr>(LHS.get()->IgnoreParenImpCasts());
7374   bool RHSNull = isa<GNUNullExpr>(RHS.get()->IgnoreParenImpCasts());
7375
7376   QualType NonNullType = LHSNull ? RHS.get()->getType() : LHS.get()->getType();
7377
7378   // Avoid analyzing cases where the result will either be invalid (and
7379   // diagnosed as such) or entirely valid and not something to warn about.
7380   if ((!LHSNull && !RHSNull) || NonNullType->isBlockPointerType() ||
7381       NonNullType->isMemberPointerType() || NonNullType->isFunctionType())
7382     return;
7383
7384   // Comparison operations would not make sense with a null pointer no matter
7385   // what the other expression is.
7386   if (!IsCompare) {
7387     S.Diag(Loc, diag::warn_null_in_arithmetic_operation)
7388         << (LHSNull ? LHS.get()->getSourceRange() : SourceRange())
7389         << (RHSNull ? RHS.get()->getSourceRange() : SourceRange());
7390     return;
7391   }
7392
7393   // The rest of the operations only make sense with a null pointer
7394   // if the other expression is a pointer.
7395   if (LHSNull == RHSNull || NonNullType->isAnyPointerType() ||
7396       NonNullType->canDecayToPointerType())
7397     return;
7398
7399   S.Diag(Loc, diag::warn_null_in_comparison_operation)
7400       << LHSNull /* LHS is NULL */ << NonNullType
7401       << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
7402 }
7403
7404 QualType Sema::CheckMultiplyDivideOperands(ExprResult &LHS, ExprResult &RHS,
7405                                            SourceLocation Loc,
7406                                            bool IsCompAssign, bool IsDiv) {
7407   checkArithmeticNull(*this, LHS, RHS, Loc, /*isCompare=*/false);
7408
7409   if (LHS.get()->getType()->isVectorType() ||
7410       RHS.get()->getType()->isVectorType())
7411     return CheckVectorOperands(LHS, RHS, Loc, IsCompAssign);
7412
7413   QualType compType = UsualArithmeticConversions(LHS, RHS, IsCompAssign);
7414   if (LHS.isInvalid() || RHS.isInvalid())
7415     return QualType();
7416
7417
7418   if (compType.isNull() || !compType->isArithmeticType())
7419     return InvalidOperands(Loc, LHS, RHS);
7420
7421   // Check for division by zero.
7422   llvm::APSInt RHSValue;
7423   if (IsDiv && !RHS.get()->isValueDependent() &&
7424       RHS.get()->EvaluateAsInt(RHSValue, Context) && RHSValue == 0)
7425     DiagRuntimeBehavior(Loc, RHS.get(),
7426                         PDiag(diag::warn_division_by_zero)
7427                           << RHS.get()->getSourceRange());
7428
7429   return compType;
7430 }
7431
7432 QualType Sema::CheckRemainderOperands(
7433   ExprResult &LHS, ExprResult &RHS, SourceLocation Loc, bool IsCompAssign) {
7434   checkArithmeticNull(*this, LHS, RHS, Loc, /*isCompare=*/false);
7435
7436   if (LHS.get()->getType()->isVectorType() ||
7437       RHS.get()->getType()->isVectorType()) {
7438     if (LHS.get()->getType()->hasIntegerRepresentation() && 
7439         RHS.get()->getType()->hasIntegerRepresentation())
7440       return CheckVectorOperands(LHS, RHS, Loc, IsCompAssign);
7441     return InvalidOperands(Loc, LHS, RHS);
7442   }
7443
7444   QualType compType = UsualArithmeticConversions(LHS, RHS, IsCompAssign);
7445   if (LHS.isInvalid() || RHS.isInvalid())
7446     return QualType();
7447
7448   if (compType.isNull() || !compType->isIntegerType())
7449     return InvalidOperands(Loc, LHS, RHS);
7450
7451   // Check for remainder by zero.
7452   llvm::APSInt RHSValue;
7453   if (!RHS.get()->isValueDependent() &&
7454       RHS.get()->EvaluateAsInt(RHSValue, Context) && RHSValue == 0)
7455     DiagRuntimeBehavior(Loc, RHS.get(),
7456                         PDiag(diag::warn_remainder_by_zero)
7457                           << RHS.get()->getSourceRange());
7458
7459   return compType;
7460 }
7461
7462 /// \brief Diagnose invalid arithmetic on two void pointers.
7463 static void diagnoseArithmeticOnTwoVoidPointers(Sema &S, SourceLocation Loc,
7464                                                 Expr *LHSExpr, Expr *RHSExpr) {
7465   S.Diag(Loc, S.getLangOpts().CPlusPlus
7466                 ? diag::err_typecheck_pointer_arith_void_type
7467                 : diag::ext_gnu_void_ptr)
7468     << 1 /* two pointers */ << LHSExpr->getSourceRange()
7469                             << RHSExpr->getSourceRange();
7470 }
7471
7472 /// \brief Diagnose invalid arithmetic on a void pointer.
7473 static void diagnoseArithmeticOnVoidPointer(Sema &S, SourceLocation Loc,
7474                                             Expr *Pointer) {
7475   S.Diag(Loc, S.getLangOpts().CPlusPlus
7476                 ? diag::err_typecheck_pointer_arith_void_type
7477                 : diag::ext_gnu_void_ptr)
7478     << 0 /* one pointer */ << Pointer->getSourceRange();
7479 }
7480
7481 /// \brief Diagnose invalid arithmetic on two function pointers.
7482 static void diagnoseArithmeticOnTwoFunctionPointers(Sema &S, SourceLocation Loc,
7483                                                     Expr *LHS, Expr *RHS) {
7484   assert(LHS->getType()->isAnyPointerType());
7485   assert(RHS->getType()->isAnyPointerType());
7486   S.Diag(Loc, S.getLangOpts().CPlusPlus
7487                 ? diag::err_typecheck_pointer_arith_function_type
7488                 : diag::ext_gnu_ptr_func_arith)
7489     << 1 /* two pointers */ << LHS->getType()->getPointeeType()
7490     // We only show the second type if it differs from the first.
7491     << (unsigned)!S.Context.hasSameUnqualifiedType(LHS->getType(),
7492                                                    RHS->getType())
7493     << RHS->getType()->getPointeeType()
7494     << LHS->getSourceRange() << RHS->getSourceRange();
7495 }
7496
7497 /// \brief Diagnose invalid arithmetic on a function pointer.
7498 static void diagnoseArithmeticOnFunctionPointer(Sema &S, SourceLocation Loc,
7499                                                 Expr *Pointer) {
7500   assert(Pointer->getType()->isAnyPointerType());
7501   S.Diag(Loc, S.getLangOpts().CPlusPlus
7502                 ? diag::err_typecheck_pointer_arith_function_type
7503                 : diag::ext_gnu_ptr_func_arith)
7504     << 0 /* one pointer */ << Pointer->getType()->getPointeeType()
7505     << 0 /* one pointer, so only one type */
7506     << Pointer->getSourceRange();
7507 }
7508
7509 /// \brief Emit error if Operand is incomplete pointer type
7510 ///
7511 /// \returns True if pointer has incomplete type
7512 static bool checkArithmeticIncompletePointerType(Sema &S, SourceLocation Loc,
7513                                                  Expr *Operand) {
7514   QualType ResType = Operand->getType();
7515   if (const AtomicType *ResAtomicType = ResType->getAs<AtomicType>())
7516     ResType = ResAtomicType->getValueType();
7517
7518   assert(ResType->isAnyPointerType() && !ResType->isDependentType());
7519   QualType PointeeTy = ResType->getPointeeType();
7520   return S.RequireCompleteType(Loc, PointeeTy,
7521                                diag::err_typecheck_arithmetic_incomplete_type,
7522                                PointeeTy, Operand->getSourceRange());
7523 }
7524
7525 /// \brief Check the validity of an arithmetic pointer operand.
7526 ///
7527 /// If the operand has pointer type, this code will check for pointer types
7528 /// which are invalid in arithmetic operations. These will be diagnosed
7529 /// appropriately, including whether or not the use is supported as an
7530 /// extension.
7531 ///
7532 /// \returns True when the operand is valid to use (even if as an extension).
7533 static bool checkArithmeticOpPointerOperand(Sema &S, SourceLocation Loc,
7534                                             Expr *Operand) {
7535   QualType ResType = Operand->getType();
7536   if (const AtomicType *ResAtomicType = ResType->getAs<AtomicType>())
7537     ResType = ResAtomicType->getValueType();
7538
7539   if (!ResType->isAnyPointerType()) return true;
7540
7541   QualType PointeeTy = ResType->getPointeeType();
7542   if (PointeeTy->isVoidType()) {
7543     diagnoseArithmeticOnVoidPointer(S, Loc, Operand);
7544     return !S.getLangOpts().CPlusPlus;
7545   }
7546   if (PointeeTy->isFunctionType()) {
7547     diagnoseArithmeticOnFunctionPointer(S, Loc, Operand);
7548     return !S.getLangOpts().CPlusPlus;
7549   }
7550
7551   if (checkArithmeticIncompletePointerType(S, Loc, Operand)) return false;
7552
7553   return true;
7554 }
7555
7556 /// \brief Check the validity of a binary arithmetic operation w.r.t. pointer
7557 /// operands.
7558 ///
7559 /// This routine will diagnose any invalid arithmetic on pointer operands much
7560 /// like \see checkArithmeticOpPointerOperand. However, it has special logic
7561 /// for emitting a single diagnostic even for operations where both LHS and RHS
7562 /// are (potentially problematic) pointers.
7563 ///
7564 /// \returns True when the operand is valid to use (even if as an extension).
7565 static bool checkArithmeticBinOpPointerOperands(Sema &S, SourceLocation Loc,
7566                                                 Expr *LHSExpr, Expr *RHSExpr) {
7567   bool isLHSPointer = LHSExpr->getType()->isAnyPointerType();
7568   bool isRHSPointer = RHSExpr->getType()->isAnyPointerType();
7569   if (!isLHSPointer && !isRHSPointer) return true;
7570
7571   QualType LHSPointeeTy, RHSPointeeTy;
7572   if (isLHSPointer) LHSPointeeTy = LHSExpr->getType()->getPointeeType();
7573   if (isRHSPointer) RHSPointeeTy = RHSExpr->getType()->getPointeeType();
7574
7575   // if both are pointers check if operation is valid wrt address spaces
7576   if (isLHSPointer && isRHSPointer) {
7577     const PointerType *lhsPtr = LHSExpr->getType()->getAs<PointerType>();
7578     const PointerType *rhsPtr = RHSExpr->getType()->getAs<PointerType>();
7579     if (!lhsPtr->isAddressSpaceOverlapping(*rhsPtr)) {
7580       S.Diag(Loc,
7581              diag::err_typecheck_op_on_nonoverlapping_address_space_pointers)
7582           << LHSExpr->getType() << RHSExpr->getType() << 1 /*arithmetic op*/
7583           << LHSExpr->getSourceRange() << RHSExpr->getSourceRange();
7584       return false;
7585     }
7586   }
7587
7588   // Check for arithmetic on pointers to incomplete types.
7589   bool isLHSVoidPtr = isLHSPointer && LHSPointeeTy->isVoidType();
7590   bool isRHSVoidPtr = isRHSPointer && RHSPointeeTy->isVoidType();
7591   if (isLHSVoidPtr || isRHSVoidPtr) {
7592     if (!isRHSVoidPtr) diagnoseArithmeticOnVoidPointer(S, Loc, LHSExpr);
7593     else if (!isLHSVoidPtr) diagnoseArithmeticOnVoidPointer(S, Loc, RHSExpr);
7594     else diagnoseArithmeticOnTwoVoidPointers(S, Loc, LHSExpr, RHSExpr);
7595
7596     return !S.getLangOpts().CPlusPlus;
7597   }
7598
7599   bool isLHSFuncPtr = isLHSPointer && LHSPointeeTy->isFunctionType();
7600   bool isRHSFuncPtr = isRHSPointer && RHSPointeeTy->isFunctionType();
7601   if (isLHSFuncPtr || isRHSFuncPtr) {
7602     if (!isRHSFuncPtr) diagnoseArithmeticOnFunctionPointer(S, Loc, LHSExpr);
7603     else if (!isLHSFuncPtr) diagnoseArithmeticOnFunctionPointer(S, Loc,
7604                                                                 RHSExpr);
7605     else diagnoseArithmeticOnTwoFunctionPointers(S, Loc, LHSExpr, RHSExpr);
7606
7607     return !S.getLangOpts().CPlusPlus;
7608   }
7609
7610   if (isLHSPointer && checkArithmeticIncompletePointerType(S, Loc, LHSExpr))
7611     return false;
7612   if (isRHSPointer && checkArithmeticIncompletePointerType(S, Loc, RHSExpr))
7613     return false;
7614
7615   return true;
7616 }
7617
7618 /// diagnoseStringPlusInt - Emit a warning when adding an integer to a string
7619 /// literal.
7620 static void diagnoseStringPlusInt(Sema &Self, SourceLocation OpLoc,
7621                                   Expr *LHSExpr, Expr *RHSExpr) {
7622   StringLiteral* StrExpr = dyn_cast<StringLiteral>(LHSExpr->IgnoreImpCasts());
7623   Expr* IndexExpr = RHSExpr;
7624   if (!StrExpr) {
7625     StrExpr = dyn_cast<StringLiteral>(RHSExpr->IgnoreImpCasts());
7626     IndexExpr = LHSExpr;
7627   }
7628
7629   bool IsStringPlusInt = StrExpr &&
7630       IndexExpr->getType()->isIntegralOrUnscopedEnumerationType();
7631   if (!IsStringPlusInt || IndexExpr->isValueDependent())
7632     return;
7633
7634   llvm::APSInt index;
7635   if (IndexExpr->EvaluateAsInt(index, Self.getASTContext())) {
7636     unsigned StrLenWithNull = StrExpr->getLength() + 1;
7637     if (index.isNonNegative() &&
7638         index <= llvm::APSInt(llvm::APInt(index.getBitWidth(), StrLenWithNull),
7639                               index.isUnsigned()))
7640       return;
7641   }
7642
7643   SourceRange DiagRange(LHSExpr->getLocStart(), RHSExpr->getLocEnd());
7644   Self.Diag(OpLoc, diag::warn_string_plus_int)
7645       << DiagRange << IndexExpr->IgnoreImpCasts()->getType();
7646
7647   // Only print a fixit for "str" + int, not for int + "str".
7648   if (IndexExpr == RHSExpr) {
7649     SourceLocation EndLoc = Self.PP.getLocForEndOfToken(RHSExpr->getLocEnd());
7650     Self.Diag(OpLoc, diag::note_string_plus_scalar_silence)
7651         << FixItHint::CreateInsertion(LHSExpr->getLocStart(), "&")
7652         << FixItHint::CreateReplacement(SourceRange(OpLoc), "[")
7653         << FixItHint::CreateInsertion(EndLoc, "]");
7654   } else
7655     Self.Diag(OpLoc, diag::note_string_plus_scalar_silence);
7656 }
7657
7658 /// \brief Emit a warning when adding a char literal to a string.
7659 static void diagnoseStringPlusChar(Sema &Self, SourceLocation OpLoc,
7660                                    Expr *LHSExpr, Expr *RHSExpr) {
7661   const Expr *StringRefExpr = LHSExpr;
7662   const CharacterLiteral *CharExpr =
7663       dyn_cast<CharacterLiteral>(RHSExpr->IgnoreImpCasts());
7664
7665   if (!CharExpr) {
7666     CharExpr = dyn_cast<CharacterLiteral>(LHSExpr->IgnoreImpCasts());
7667     StringRefExpr = RHSExpr;
7668   }
7669
7670   if (!CharExpr || !StringRefExpr)
7671     return;
7672
7673   const QualType StringType = StringRefExpr->getType();
7674
7675   // Return if not a PointerType.
7676   if (!StringType->isAnyPointerType())
7677     return;
7678
7679   // Return if not a CharacterType.
7680   if (!StringType->getPointeeType()->isAnyCharacterType())
7681     return;
7682
7683   ASTContext &Ctx = Self.getASTContext();
7684   SourceRange DiagRange(LHSExpr->getLocStart(), RHSExpr->getLocEnd());
7685
7686   const QualType CharType = CharExpr->getType();
7687   if (!CharType->isAnyCharacterType() &&
7688       CharType->isIntegerType() &&
7689       llvm::isUIntN(Ctx.getCharWidth(), CharExpr->getValue())) {
7690     Self.Diag(OpLoc, diag::warn_string_plus_char)
7691         << DiagRange << Ctx.CharTy;
7692   } else {
7693     Self.Diag(OpLoc, diag::warn_string_plus_char)
7694         << DiagRange << CharExpr->getType();
7695   }
7696
7697   // Only print a fixit for str + char, not for char + str.
7698   if (isa<CharacterLiteral>(RHSExpr->IgnoreImpCasts())) {
7699     SourceLocation EndLoc = Self.PP.getLocForEndOfToken(RHSExpr->getLocEnd());
7700     Self.Diag(OpLoc, diag::note_string_plus_scalar_silence)
7701         << FixItHint::CreateInsertion(LHSExpr->getLocStart(), "&")
7702         << FixItHint::CreateReplacement(SourceRange(OpLoc), "[")
7703         << FixItHint::CreateInsertion(EndLoc, "]");
7704   } else {
7705     Self.Diag(OpLoc, diag::note_string_plus_scalar_silence);
7706   }
7707 }
7708
7709 /// \brief Emit error when two pointers are incompatible.
7710 static void diagnosePointerIncompatibility(Sema &S, SourceLocation Loc,
7711                                            Expr *LHSExpr, Expr *RHSExpr) {
7712   assert(LHSExpr->getType()->isAnyPointerType());
7713   assert(RHSExpr->getType()->isAnyPointerType());
7714   S.Diag(Loc, diag::err_typecheck_sub_ptr_compatible)
7715     << LHSExpr->getType() << RHSExpr->getType() << LHSExpr->getSourceRange()
7716     << RHSExpr->getSourceRange();
7717 }
7718
7719 QualType Sema::CheckAdditionOperands( // C99 6.5.6
7720     ExprResult &LHS, ExprResult &RHS, SourceLocation Loc, unsigned Opc,
7721     QualType* CompLHSTy) {
7722   checkArithmeticNull(*this, LHS, RHS, Loc, /*isCompare=*/false);
7723
7724   if (LHS.get()->getType()->isVectorType() ||
7725       RHS.get()->getType()->isVectorType()) {
7726     QualType compType = CheckVectorOperands(LHS, RHS, Loc, CompLHSTy);
7727     if (CompLHSTy) *CompLHSTy = compType;
7728     return compType;
7729   }
7730
7731   QualType compType = UsualArithmeticConversions(LHS, RHS, CompLHSTy);
7732   if (LHS.isInvalid() || RHS.isInvalid())
7733     return QualType();
7734
7735   // Diagnose "string literal" '+' int and string '+' "char literal".
7736   if (Opc == BO_Add) {
7737     diagnoseStringPlusInt(*this, Loc, LHS.get(), RHS.get());
7738     diagnoseStringPlusChar(*this, Loc, LHS.get(), RHS.get());
7739   }
7740
7741   // handle the common case first (both operands are arithmetic).
7742   if (!compType.isNull() && compType->isArithmeticType()) {
7743     if (CompLHSTy) *CompLHSTy = compType;
7744     return compType;
7745   }
7746
7747   // Type-checking.  Ultimately the pointer's going to be in PExp;
7748   // note that we bias towards the LHS being the pointer.
7749   Expr *PExp = LHS.get(), *IExp = RHS.get();
7750
7751   bool isObjCPointer;
7752   if (PExp->getType()->isPointerType()) {
7753     isObjCPointer = false;
7754   } else if (PExp->getType()->isObjCObjectPointerType()) {
7755     isObjCPointer = true;
7756   } else {
7757     std::swap(PExp, IExp);
7758     if (PExp->getType()->isPointerType()) {
7759       isObjCPointer = false;
7760     } else if (PExp->getType()->isObjCObjectPointerType()) {
7761       isObjCPointer = true;
7762     } else {
7763       return InvalidOperands(Loc, LHS, RHS);
7764     }
7765   }
7766   assert(PExp->getType()->isAnyPointerType());
7767
7768   if (!IExp->getType()->isIntegerType())
7769     return InvalidOperands(Loc, LHS, RHS);
7770
7771   if (!checkArithmeticOpPointerOperand(*this, Loc, PExp))
7772     return QualType();
7773
7774   if (isObjCPointer && checkArithmeticOnObjCPointer(*this, Loc, PExp))
7775     return QualType();
7776
7777   // Check array bounds for pointer arithemtic
7778   CheckArrayAccess(PExp, IExp);
7779
7780   if (CompLHSTy) {
7781     QualType LHSTy = Context.isPromotableBitField(LHS.get());
7782     if (LHSTy.isNull()) {
7783       LHSTy = LHS.get()->getType();
7784       if (LHSTy->isPromotableIntegerType())
7785         LHSTy = Context.getPromotedIntegerType(LHSTy);
7786     }
7787     *CompLHSTy = LHSTy;
7788   }
7789
7790   return PExp->getType();
7791 }
7792
7793 // C99 6.5.6
7794 QualType Sema::CheckSubtractionOperands(ExprResult &LHS, ExprResult &RHS,
7795                                         SourceLocation Loc,
7796                                         QualType* CompLHSTy) {
7797   checkArithmeticNull(*this, LHS, RHS, Loc, /*isCompare=*/false);
7798
7799   if (LHS.get()->getType()->isVectorType() ||
7800       RHS.get()->getType()->isVectorType()) {
7801     QualType compType = CheckVectorOperands(LHS, RHS, Loc, CompLHSTy);
7802     if (CompLHSTy) *CompLHSTy = compType;
7803     return compType;
7804   }
7805
7806   QualType compType = UsualArithmeticConversions(LHS, RHS, CompLHSTy);
7807   if (LHS.isInvalid() || RHS.isInvalid())
7808     return QualType();
7809
7810   // Enforce type constraints: C99 6.5.6p3.
7811
7812   // Handle the common case first (both operands are arithmetic).
7813   if (!compType.isNull() && compType->isArithmeticType()) {
7814     if (CompLHSTy) *CompLHSTy = compType;
7815     return compType;
7816   }
7817
7818   // Either ptr - int   or   ptr - ptr.
7819   if (LHS.get()->getType()->isAnyPointerType()) {
7820     QualType lpointee = LHS.get()->getType()->getPointeeType();
7821
7822     // Diagnose bad cases where we step over interface counts.
7823     if (LHS.get()->getType()->isObjCObjectPointerType() &&
7824         checkArithmeticOnObjCPointer(*this, Loc, LHS.get()))
7825       return QualType();
7826
7827     // The result type of a pointer-int computation is the pointer type.
7828     if (RHS.get()->getType()->isIntegerType()) {
7829       if (!checkArithmeticOpPointerOperand(*this, Loc, LHS.get()))
7830         return QualType();
7831
7832       // Check array bounds for pointer arithemtic
7833       CheckArrayAccess(LHS.get(), RHS.get(), /*ArraySubscriptExpr*/nullptr,
7834                        /*AllowOnePastEnd*/true, /*IndexNegated*/true);
7835
7836       if (CompLHSTy) *CompLHSTy = LHS.get()->getType();
7837       return LHS.get()->getType();
7838     }
7839
7840     // Handle pointer-pointer subtractions.
7841     if (const PointerType *RHSPTy
7842           = RHS.get()->getType()->getAs<PointerType>()) {
7843       QualType rpointee = RHSPTy->getPointeeType();
7844
7845       if (getLangOpts().CPlusPlus) {
7846         // Pointee types must be the same: C++ [expr.add]
7847         if (!Context.hasSameUnqualifiedType(lpointee, rpointee)) {
7848           diagnosePointerIncompatibility(*this, Loc, LHS.get(), RHS.get());
7849         }
7850       } else {
7851         // Pointee types must be compatible C99 6.5.6p3
7852         if (!Context.typesAreCompatible(
7853                 Context.getCanonicalType(lpointee).getUnqualifiedType(),
7854                 Context.getCanonicalType(rpointee).getUnqualifiedType())) {
7855           diagnosePointerIncompatibility(*this, Loc, LHS.get(), RHS.get());
7856           return QualType();
7857         }
7858       }
7859
7860       if (!checkArithmeticBinOpPointerOperands(*this, Loc,
7861                                                LHS.get(), RHS.get()))
7862         return QualType();
7863
7864       // The pointee type may have zero size.  As an extension, a structure or
7865       // union may have zero size or an array may have zero length.  In this
7866       // case subtraction does not make sense.
7867       if (!rpointee->isVoidType() && !rpointee->isFunctionType()) {
7868         CharUnits ElementSize = Context.getTypeSizeInChars(rpointee);
7869         if (ElementSize.isZero()) {
7870           Diag(Loc,diag::warn_sub_ptr_zero_size_types)
7871             << rpointee.getUnqualifiedType()
7872             << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
7873         }
7874       }
7875
7876       if (CompLHSTy) *CompLHSTy = LHS.get()->getType();
7877       return Context.getPointerDiffType();
7878     }
7879   }
7880
7881   return InvalidOperands(Loc, LHS, RHS);
7882 }
7883
7884 static bool isScopedEnumerationType(QualType T) {
7885   if (const EnumType *ET = T->getAs<EnumType>())
7886     return ET->getDecl()->isScoped();
7887   return false;
7888 }
7889
7890 static void DiagnoseBadShiftValues(Sema& S, ExprResult &LHS, ExprResult &RHS,
7891                                    SourceLocation Loc, unsigned Opc,
7892                                    QualType LHSType) {
7893   // OpenCL 6.3j: shift values are effectively % word size of LHS (more defined),
7894   // so skip remaining warnings as we don't want to modify values within Sema.
7895   if (S.getLangOpts().OpenCL)
7896     return;
7897
7898   llvm::APSInt Right;
7899   // Check right/shifter operand
7900   if (RHS.get()->isValueDependent() ||
7901       !RHS.get()->EvaluateAsInt(Right, S.Context))
7902     return;
7903
7904   if (Right.isNegative()) {
7905     S.DiagRuntimeBehavior(Loc, RHS.get(),
7906                           S.PDiag(diag::warn_shift_negative)
7907                             << RHS.get()->getSourceRange());
7908     return;
7909   }
7910   llvm::APInt LeftBits(Right.getBitWidth(),
7911                        S.Context.getTypeSize(LHS.get()->getType()));
7912   if (Right.uge(LeftBits)) {
7913     S.DiagRuntimeBehavior(Loc, RHS.get(),
7914                           S.PDiag(diag::warn_shift_gt_typewidth)
7915                             << RHS.get()->getSourceRange());
7916     return;
7917   }
7918   if (Opc != BO_Shl)
7919     return;
7920
7921   // When left shifting an ICE which is signed, we can check for overflow which
7922   // according to C++ has undefined behavior ([expr.shift] 5.8/2). Unsigned
7923   // integers have defined behavior modulo one more than the maximum value
7924   // representable in the result type, so never warn for those.
7925   llvm::APSInt Left;
7926   if (LHS.get()->isValueDependent() ||
7927       !LHS.get()->isIntegerConstantExpr(Left, S.Context) ||
7928       LHSType->hasUnsignedIntegerRepresentation())
7929     return;
7930   llvm::APInt ResultBits =
7931       static_cast<llvm::APInt&>(Right) + Left.getMinSignedBits();
7932   if (LeftBits.uge(ResultBits))
7933     return;
7934   llvm::APSInt Result = Left.extend(ResultBits.getLimitedValue());
7935   Result = Result.shl(Right);
7936
7937   // Print the bit representation of the signed integer as an unsigned
7938   // hexadecimal number.
7939   SmallString<40> HexResult;
7940   Result.toString(HexResult, 16, /*Signed =*/false, /*Literal =*/true);
7941
7942   // If we are only missing a sign bit, this is less likely to result in actual
7943   // bugs -- if the result is cast back to an unsigned type, it will have the
7944   // expected value. Thus we place this behind a different warning that can be
7945   // turned off separately if needed.
7946   if (LeftBits == ResultBits - 1) {
7947     S.Diag(Loc, diag::warn_shift_result_sets_sign_bit)
7948         << HexResult << LHSType
7949         << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
7950     return;
7951   }
7952
7953   S.Diag(Loc, diag::warn_shift_result_gt_typewidth)
7954     << HexResult.str() << Result.getMinSignedBits() << LHSType
7955     << Left.getBitWidth() << LHS.get()->getSourceRange()
7956     << RHS.get()->getSourceRange();
7957 }
7958
7959 /// \brief Return the resulting type when an OpenCL vector is shifted
7960 ///        by a scalar or vector shift amount.
7961 static QualType checkOpenCLVectorShift(Sema &S,
7962                                        ExprResult &LHS, ExprResult &RHS,
7963                                        SourceLocation Loc, bool IsCompAssign) {
7964   // OpenCL v1.1 s6.3.j says RHS can be a vector only if LHS is a vector.
7965   if (!LHS.get()->getType()->isVectorType()) {
7966     S.Diag(Loc, diag::err_shift_rhs_only_vector)
7967       << RHS.get()->getType() << LHS.get()->getType()
7968       << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
7969     return QualType();
7970   }
7971
7972   if (!IsCompAssign) {
7973     LHS = S.UsualUnaryConversions(LHS.get());
7974     if (LHS.isInvalid()) return QualType();
7975   }
7976
7977   RHS = S.UsualUnaryConversions(RHS.get());
7978   if (RHS.isInvalid()) return QualType();
7979
7980   QualType LHSType = LHS.get()->getType();
7981   const VectorType *LHSVecTy = LHSType->getAs<VectorType>();
7982   QualType LHSEleType = LHSVecTy->getElementType();
7983
7984   // Note that RHS might not be a vector.
7985   QualType RHSType = RHS.get()->getType();
7986   const VectorType *RHSVecTy = RHSType->getAs<VectorType>();
7987   QualType RHSEleType = RHSVecTy ? RHSVecTy->getElementType() : RHSType;
7988
7989   // OpenCL v1.1 s6.3.j says that the operands need to be integers.
7990   if (!LHSEleType->isIntegerType()) {
7991     S.Diag(Loc, diag::err_typecheck_expect_int)
7992       << LHS.get()->getType() << LHS.get()->getSourceRange();
7993     return QualType();
7994   }
7995
7996   if (!RHSEleType->isIntegerType()) {
7997     S.Diag(Loc, diag::err_typecheck_expect_int)
7998       << RHS.get()->getType() << RHS.get()->getSourceRange();
7999     return QualType();
8000   }
8001
8002   if (RHSVecTy) {
8003     // OpenCL v1.1 s6.3.j says that for vector types, the operators
8004     // are applied component-wise. So if RHS is a vector, then ensure
8005     // that the number of elements is the same as LHS...
8006     if (RHSVecTy->getNumElements() != LHSVecTy->getNumElements()) {
8007       S.Diag(Loc, diag::err_typecheck_vector_lengths_not_equal)
8008         << LHS.get()->getType() << RHS.get()->getType()
8009         << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
8010       return QualType();
8011     }
8012   } else {
8013     // ...else expand RHS to match the number of elements in LHS.
8014     QualType VecTy =
8015       S.Context.getExtVectorType(RHSEleType, LHSVecTy->getNumElements());
8016     RHS = S.ImpCastExprToType(RHS.get(), VecTy, CK_VectorSplat);
8017   }
8018
8019   return LHSType;
8020 }
8021
8022 // C99 6.5.7
8023 QualType Sema::CheckShiftOperands(ExprResult &LHS, ExprResult &RHS,
8024                                   SourceLocation Loc, unsigned Opc,
8025                                   bool IsCompAssign) {
8026   checkArithmeticNull(*this, LHS, RHS, Loc, /*isCompare=*/false);
8027
8028   // Vector shifts promote their scalar inputs to vector type.
8029   if (LHS.get()->getType()->isVectorType() ||
8030       RHS.get()->getType()->isVectorType()) {
8031     if (LangOpts.OpenCL)
8032       return checkOpenCLVectorShift(*this, LHS, RHS, Loc, IsCompAssign);
8033     return CheckVectorOperands(LHS, RHS, Loc, IsCompAssign);
8034   }
8035
8036   // Shifts don't perform usual arithmetic conversions, they just do integer
8037   // promotions on each operand. C99 6.5.7p3
8038
8039   // For the LHS, do usual unary conversions, but then reset them away
8040   // if this is a compound assignment.
8041   ExprResult OldLHS = LHS;
8042   LHS = UsualUnaryConversions(LHS.get());
8043   if (LHS.isInvalid())
8044     return QualType();
8045   QualType LHSType = LHS.get()->getType();
8046   if (IsCompAssign) LHS = OldLHS;
8047
8048   // The RHS is simpler.
8049   RHS = UsualUnaryConversions(RHS.get());
8050   if (RHS.isInvalid())
8051     return QualType();
8052   QualType RHSType = RHS.get()->getType();
8053
8054   // C99 6.5.7p2: Each of the operands shall have integer type.
8055   if (!LHSType->hasIntegerRepresentation() ||
8056       !RHSType->hasIntegerRepresentation())
8057     return InvalidOperands(Loc, LHS, RHS);
8058
8059   // C++0x: Don't allow scoped enums. FIXME: Use something better than
8060   // hasIntegerRepresentation() above instead of this.
8061   if (isScopedEnumerationType(LHSType) ||
8062       isScopedEnumerationType(RHSType)) {
8063     return InvalidOperands(Loc, LHS, RHS);
8064   }
8065   // Sanity-check shift operands
8066   DiagnoseBadShiftValues(*this, LHS, RHS, Loc, Opc, LHSType);
8067
8068   // "The type of the result is that of the promoted left operand."
8069   return LHSType;
8070 }
8071
8072 static bool IsWithinTemplateSpecialization(Decl *D) {
8073   if (DeclContext *DC = D->getDeclContext()) {
8074     if (isa<ClassTemplateSpecializationDecl>(DC))
8075       return true;
8076     if (FunctionDecl *FD = dyn_cast<FunctionDecl>(DC))
8077       return FD->isFunctionTemplateSpecialization();
8078   }
8079   return false;
8080 }
8081
8082 /// If two different enums are compared, raise a warning.
8083 static void checkEnumComparison(Sema &S, SourceLocation Loc, Expr *LHS,
8084                                 Expr *RHS) {
8085   QualType LHSStrippedType = LHS->IgnoreParenImpCasts()->getType();
8086   QualType RHSStrippedType = RHS->IgnoreParenImpCasts()->getType();
8087
8088   const EnumType *LHSEnumType = LHSStrippedType->getAs<EnumType>();
8089   if (!LHSEnumType)
8090     return;
8091   const EnumType *RHSEnumType = RHSStrippedType->getAs<EnumType>();
8092   if (!RHSEnumType)
8093     return;
8094
8095   // Ignore anonymous enums.
8096   if (!LHSEnumType->getDecl()->getIdentifier())
8097     return;
8098   if (!RHSEnumType->getDecl()->getIdentifier())
8099     return;
8100
8101   if (S.Context.hasSameUnqualifiedType(LHSStrippedType, RHSStrippedType))
8102     return;
8103
8104   S.Diag(Loc, diag::warn_comparison_of_mixed_enum_types)
8105       << LHSStrippedType << RHSStrippedType
8106       << LHS->getSourceRange() << RHS->getSourceRange();
8107 }
8108
8109 /// \brief Diagnose bad pointer comparisons.
8110 static void diagnoseDistinctPointerComparison(Sema &S, SourceLocation Loc,
8111                                               ExprResult &LHS, ExprResult &RHS,
8112                                               bool IsError) {
8113   S.Diag(Loc, IsError ? diag::err_typecheck_comparison_of_distinct_pointers
8114                       : diag::ext_typecheck_comparison_of_distinct_pointers)
8115     << LHS.get()->getType() << RHS.get()->getType()
8116     << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
8117 }
8118
8119 /// \brief Returns false if the pointers are converted to a composite type,
8120 /// true otherwise.
8121 static bool convertPointersToCompositeType(Sema &S, SourceLocation Loc,
8122                                            ExprResult &LHS, ExprResult &RHS) {
8123   // C++ [expr.rel]p2:
8124   //   [...] Pointer conversions (4.10) and qualification
8125   //   conversions (4.4) are performed on pointer operands (or on
8126   //   a pointer operand and a null pointer constant) to bring
8127   //   them to their composite pointer type. [...]
8128   //
8129   // C++ [expr.eq]p1 uses the same notion for (in)equality
8130   // comparisons of pointers.
8131
8132   // C++ [expr.eq]p2:
8133   //   In addition, pointers to members can be compared, or a pointer to
8134   //   member and a null pointer constant. Pointer to member conversions
8135   //   (4.11) and qualification conversions (4.4) are performed to bring
8136   //   them to a common type. If one operand is a null pointer constant,
8137   //   the common type is the type of the other operand. Otherwise, the
8138   //   common type is a pointer to member type similar (4.4) to the type
8139   //   of one of the operands, with a cv-qualification signature (4.4)
8140   //   that is the union of the cv-qualification signatures of the operand
8141   //   types.
8142
8143   QualType LHSType = LHS.get()->getType();
8144   QualType RHSType = RHS.get()->getType();
8145   assert((LHSType->isPointerType() && RHSType->isPointerType()) ||
8146          (LHSType->isMemberPointerType() && RHSType->isMemberPointerType()));
8147
8148   bool NonStandardCompositeType = false;
8149   bool *BoolPtr = S.isSFINAEContext() ? nullptr : &NonStandardCompositeType;
8150   QualType T = S.FindCompositePointerType(Loc, LHS, RHS, BoolPtr);
8151   if (T.isNull()) {
8152     diagnoseDistinctPointerComparison(S, Loc, LHS, RHS, /*isError*/true);
8153     return true;
8154   }
8155
8156   if (NonStandardCompositeType)
8157     S.Diag(Loc, diag::ext_typecheck_comparison_of_distinct_pointers_nonstandard)
8158       << LHSType << RHSType << T << LHS.get()->getSourceRange()
8159       << RHS.get()->getSourceRange();
8160
8161   LHS = S.ImpCastExprToType(LHS.get(), T, CK_BitCast);
8162   RHS = S.ImpCastExprToType(RHS.get(), T, CK_BitCast);
8163   return false;
8164 }
8165
8166 static void diagnoseFunctionPointerToVoidComparison(Sema &S, SourceLocation Loc,
8167                                                     ExprResult &LHS,
8168                                                     ExprResult &RHS,
8169                                                     bool IsError) {
8170   S.Diag(Loc, IsError ? diag::err_typecheck_comparison_of_fptr_to_void
8171                       : diag::ext_typecheck_comparison_of_fptr_to_void)
8172     << LHS.get()->getType() << RHS.get()->getType()
8173     << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
8174 }
8175
8176 static bool isObjCObjectLiteral(ExprResult &E) {
8177   switch (E.get()->IgnoreParenImpCasts()->getStmtClass()) {
8178   case Stmt::ObjCArrayLiteralClass:
8179   case Stmt::ObjCDictionaryLiteralClass:
8180   case Stmt::ObjCStringLiteralClass:
8181   case Stmt::ObjCBoxedExprClass:
8182     return true;
8183   default:
8184     // Note that ObjCBoolLiteral is NOT an object literal!
8185     return false;
8186   }
8187 }
8188
8189 static bool hasIsEqualMethod(Sema &S, const Expr *LHS, const Expr *RHS) {
8190   const ObjCObjectPointerType *Type =
8191     LHS->getType()->getAs<ObjCObjectPointerType>();
8192
8193   // If this is not actually an Objective-C object, bail out.
8194   if (!Type)
8195     return false;
8196
8197   // Get the LHS object's interface type.
8198   QualType InterfaceType = Type->getPointeeType();
8199   if (const ObjCObjectType *iQFaceTy =
8200       InterfaceType->getAsObjCQualifiedInterfaceType())
8201     InterfaceType = iQFaceTy->getBaseType();
8202
8203   // If the RHS isn't an Objective-C object, bail out.
8204   if (!RHS->getType()->isObjCObjectPointerType())
8205     return false;
8206
8207   // Try to find the -isEqual: method.
8208   Selector IsEqualSel = S.NSAPIObj->getIsEqualSelector();
8209   ObjCMethodDecl *Method = S.LookupMethodInObjectType(IsEqualSel,
8210                                                       InterfaceType,
8211                                                       /*instance=*/true);
8212   if (!Method) {
8213     if (Type->isObjCIdType()) {
8214       // For 'id', just check the global pool.
8215       Method = S.LookupInstanceMethodInGlobalPool(IsEqualSel, SourceRange(),
8216                                                   /*receiverId=*/true);
8217     } else {
8218       // Check protocols.
8219       Method = S.LookupMethodInQualifiedType(IsEqualSel, Type,
8220                                              /*instance=*/true);
8221     }
8222   }
8223
8224   if (!Method)
8225     return false;
8226
8227   QualType T = Method->parameters()[0]->getType();
8228   if (!T->isObjCObjectPointerType())
8229     return false;
8230
8231   QualType R = Method->getReturnType();
8232   if (!R->isScalarType())
8233     return false;
8234
8235   return true;
8236 }
8237
8238 Sema::ObjCLiteralKind Sema::CheckLiteralKind(Expr *FromE) {
8239   FromE = FromE->IgnoreParenImpCasts();
8240   switch (FromE->getStmtClass()) {
8241     default:
8242       break;
8243     case Stmt::ObjCStringLiteralClass:
8244       // "string literal"
8245       return LK_String;
8246     case Stmt::ObjCArrayLiteralClass:
8247       // "array literal"
8248       return LK_Array;
8249     case Stmt::ObjCDictionaryLiteralClass:
8250       // "dictionary literal"
8251       return LK_Dictionary;
8252     case Stmt::BlockExprClass:
8253       return LK_Block;
8254     case Stmt::ObjCBoxedExprClass: {
8255       Expr *Inner = cast<ObjCBoxedExpr>(FromE)->getSubExpr()->IgnoreParens();
8256       switch (Inner->getStmtClass()) {
8257         case Stmt::IntegerLiteralClass:
8258         case Stmt::FloatingLiteralClass:
8259         case Stmt::CharacterLiteralClass:
8260         case Stmt::ObjCBoolLiteralExprClass:
8261         case Stmt::CXXBoolLiteralExprClass:
8262           // "numeric literal"
8263           return LK_Numeric;
8264         case Stmt::ImplicitCastExprClass: {
8265           CastKind CK = cast<CastExpr>(Inner)->getCastKind();
8266           // Boolean literals can be represented by implicit casts.
8267           if (CK == CK_IntegralToBoolean || CK == CK_IntegralCast)
8268             return LK_Numeric;
8269           break;
8270         }
8271         default:
8272           break;
8273       }
8274       return LK_Boxed;
8275     }
8276   }
8277   return LK_None;
8278 }
8279
8280 static void diagnoseObjCLiteralComparison(Sema &S, SourceLocation Loc,
8281                                           ExprResult &LHS, ExprResult &RHS,
8282                                           BinaryOperator::Opcode Opc){
8283   Expr *Literal;
8284   Expr *Other;
8285   if (isObjCObjectLiteral(LHS)) {
8286     Literal = LHS.get();
8287     Other = RHS.get();
8288   } else {
8289     Literal = RHS.get();
8290     Other = LHS.get();
8291   }
8292
8293   // Don't warn on comparisons against nil.
8294   Other = Other->IgnoreParenCasts();
8295   if (Other->isNullPointerConstant(S.getASTContext(),
8296                                    Expr::NPC_ValueDependentIsNotNull))
8297     return;
8298
8299   // This should be kept in sync with warn_objc_literal_comparison.
8300   // LK_String should always be after the other literals, since it has its own
8301   // warning flag.
8302   Sema::ObjCLiteralKind LiteralKind = S.CheckLiteralKind(Literal);
8303   assert(LiteralKind != Sema::LK_Block);
8304   if (LiteralKind == Sema::LK_None) {
8305     llvm_unreachable("Unknown Objective-C object literal kind");
8306   }
8307
8308   if (LiteralKind == Sema::LK_String)
8309     S.Diag(Loc, diag::warn_objc_string_literal_comparison)
8310       << Literal->getSourceRange();
8311   else
8312     S.Diag(Loc, diag::warn_objc_literal_comparison)
8313       << LiteralKind << Literal->getSourceRange();
8314
8315   if (BinaryOperator::isEqualityOp(Opc) &&
8316       hasIsEqualMethod(S, LHS.get(), RHS.get())) {
8317     SourceLocation Start = LHS.get()->getLocStart();
8318     SourceLocation End = S.PP.getLocForEndOfToken(RHS.get()->getLocEnd());
8319     CharSourceRange OpRange =
8320       CharSourceRange::getCharRange(Loc, S.PP.getLocForEndOfToken(Loc));
8321
8322     S.Diag(Loc, diag::note_objc_literal_comparison_isequal)
8323       << FixItHint::CreateInsertion(Start, Opc == BO_EQ ? "[" : "![")
8324       << FixItHint::CreateReplacement(OpRange, " isEqual:")
8325       << FixItHint::CreateInsertion(End, "]");
8326   }
8327 }
8328
8329 static void diagnoseLogicalNotOnLHSofComparison(Sema &S, ExprResult &LHS,
8330                                                 ExprResult &RHS,
8331                                                 SourceLocation Loc,
8332                                                 unsigned OpaqueOpc) {
8333   // This checking requires bools.
8334   if (!S.getLangOpts().Bool) return;
8335
8336   // Check that left hand side is !something.
8337   UnaryOperator *UO = dyn_cast<UnaryOperator>(LHS.get()->IgnoreImpCasts());
8338   if (!UO || UO->getOpcode() != UO_LNot) return;
8339
8340   // Only check if the right hand side is non-bool arithmetic type.
8341   if (RHS.get()->getType()->isBooleanType()) return;
8342
8343   // Make sure that the something in !something is not bool.
8344   Expr *SubExpr = UO->getSubExpr()->IgnoreImpCasts();
8345   if (SubExpr->getType()->isBooleanType()) return;
8346
8347   // Emit warning.
8348   S.Diag(UO->getOperatorLoc(), diag::warn_logical_not_on_lhs_of_comparison)
8349       << Loc;
8350
8351   // First note suggest !(x < y)
8352   SourceLocation FirstOpen = SubExpr->getLocStart();
8353   SourceLocation FirstClose = RHS.get()->getLocEnd();
8354   FirstClose = S.getPreprocessor().getLocForEndOfToken(FirstClose);
8355   if (FirstClose.isInvalid())
8356     FirstOpen = SourceLocation();
8357   S.Diag(UO->getOperatorLoc(), diag::note_logical_not_fix)
8358       << FixItHint::CreateInsertion(FirstOpen, "(")
8359       << FixItHint::CreateInsertion(FirstClose, ")");
8360
8361   // Second note suggests (!x) < y
8362   SourceLocation SecondOpen = LHS.get()->getLocStart();
8363   SourceLocation SecondClose = LHS.get()->getLocEnd();
8364   SecondClose = S.getPreprocessor().getLocForEndOfToken(SecondClose);
8365   if (SecondClose.isInvalid())
8366     SecondOpen = SourceLocation();
8367   S.Diag(UO->getOperatorLoc(), diag::note_logical_not_silence_with_parens)
8368       << FixItHint::CreateInsertion(SecondOpen, "(")
8369       << FixItHint::CreateInsertion(SecondClose, ")");
8370 }
8371
8372 // Get the decl for a simple expression: a reference to a variable,
8373 // an implicit C++ field reference, or an implicit ObjC ivar reference.
8374 static ValueDecl *getCompareDecl(Expr *E) {
8375   if (DeclRefExpr* DR = dyn_cast<DeclRefExpr>(E))
8376     return DR->getDecl();
8377   if (ObjCIvarRefExpr* Ivar = dyn_cast<ObjCIvarRefExpr>(E)) {
8378     if (Ivar->isFreeIvar())
8379       return Ivar->getDecl();
8380   }
8381   if (MemberExpr* Mem = dyn_cast<MemberExpr>(E)) {
8382     if (Mem->isImplicitAccess())
8383       return Mem->getMemberDecl();
8384   }
8385   return nullptr;
8386 }
8387
8388 // C99 6.5.8, C++ [expr.rel]
8389 QualType Sema::CheckCompareOperands(ExprResult &LHS, ExprResult &RHS,
8390                                     SourceLocation Loc, unsigned OpaqueOpc,
8391                                     bool IsRelational) {
8392   checkArithmeticNull(*this, LHS, RHS, Loc, /*isCompare=*/true);
8393
8394   BinaryOperatorKind Opc = (BinaryOperatorKind) OpaqueOpc;
8395
8396   // Handle vector comparisons separately.
8397   if (LHS.get()->getType()->isVectorType() ||
8398       RHS.get()->getType()->isVectorType())
8399     return CheckVectorCompareOperands(LHS, RHS, Loc, IsRelational);
8400
8401   QualType LHSType = LHS.get()->getType();
8402   QualType RHSType = RHS.get()->getType();
8403
8404   Expr *LHSStripped = LHS.get()->IgnoreParenImpCasts();
8405   Expr *RHSStripped = RHS.get()->IgnoreParenImpCasts();
8406
8407   checkEnumComparison(*this, Loc, LHS.get(), RHS.get());
8408   diagnoseLogicalNotOnLHSofComparison(*this, LHS, RHS, Loc, OpaqueOpc);
8409
8410   if (!LHSType->hasFloatingRepresentation() &&
8411       !(LHSType->isBlockPointerType() && IsRelational) &&
8412       !LHS.get()->getLocStart().isMacroID() &&
8413       !RHS.get()->getLocStart().isMacroID() &&
8414       ActiveTemplateInstantiations.empty()) {
8415     // For non-floating point types, check for self-comparisons of the form
8416     // x == x, x != x, x < x, etc.  These always evaluate to a constant, and
8417     // often indicate logic errors in the program.
8418     //
8419     // NOTE: Don't warn about comparison expressions resulting from macro
8420     // expansion. Also don't warn about comparisons which are only self
8421     // comparisons within a template specialization. The warnings should catch
8422     // obvious cases in the definition of the template anyways. The idea is to
8423     // warn when the typed comparison operator will always evaluate to the same
8424     // result.
8425     ValueDecl *DL = getCompareDecl(LHSStripped);
8426     ValueDecl *DR = getCompareDecl(RHSStripped);
8427     if (DL && DR && DL == DR && !IsWithinTemplateSpecialization(DL)) {
8428       DiagRuntimeBehavior(Loc, nullptr, PDiag(diag::warn_comparison_always)
8429                           << 0 // self-
8430                           << (Opc == BO_EQ
8431                               || Opc == BO_LE
8432                               || Opc == BO_GE));
8433     } else if (DL && DR && LHSType->isArrayType() && RHSType->isArrayType() &&
8434                !DL->getType()->isReferenceType() &&
8435                !DR->getType()->isReferenceType()) {
8436         // what is it always going to eval to?
8437         char always_evals_to;
8438         switch(Opc) {
8439         case BO_EQ: // e.g. array1 == array2
8440           always_evals_to = 0; // false
8441           break;
8442         case BO_NE: // e.g. array1 != array2
8443           always_evals_to = 1; // true
8444           break;
8445         default:
8446           // best we can say is 'a constant'
8447           always_evals_to = 2; // e.g. array1 <= array2
8448           break;
8449         }
8450         DiagRuntimeBehavior(Loc, nullptr, PDiag(diag::warn_comparison_always)
8451                             << 1 // array
8452                             << always_evals_to);
8453     }
8454
8455     if (isa<CastExpr>(LHSStripped))
8456       LHSStripped = LHSStripped->IgnoreParenCasts();
8457     if (isa<CastExpr>(RHSStripped))
8458       RHSStripped = RHSStripped->IgnoreParenCasts();
8459
8460     // Warn about comparisons against a string constant (unless the other
8461     // operand is null), the user probably wants strcmp.
8462     Expr *literalString = nullptr;
8463     Expr *literalStringStripped = nullptr;
8464     if ((isa<StringLiteral>(LHSStripped) || isa<ObjCEncodeExpr>(LHSStripped)) &&
8465         !RHSStripped->isNullPointerConstant(Context,
8466                                             Expr::NPC_ValueDependentIsNull)) {
8467       literalString = LHS.get();
8468       literalStringStripped = LHSStripped;
8469     } else if ((isa<StringLiteral>(RHSStripped) ||
8470                 isa<ObjCEncodeExpr>(RHSStripped)) &&
8471                !LHSStripped->isNullPointerConstant(Context,
8472                                             Expr::NPC_ValueDependentIsNull)) {
8473       literalString = RHS.get();
8474       literalStringStripped = RHSStripped;
8475     }
8476
8477     if (literalString) {
8478       DiagRuntimeBehavior(Loc, nullptr,
8479         PDiag(diag::warn_stringcompare)
8480           << isa<ObjCEncodeExpr>(literalStringStripped)
8481           << literalString->getSourceRange());
8482     }
8483   }
8484
8485   // C99 6.5.8p3 / C99 6.5.9p4
8486   UsualArithmeticConversions(LHS, RHS);
8487   if (LHS.isInvalid() || RHS.isInvalid())
8488     return QualType();
8489
8490   LHSType = LHS.get()->getType();
8491   RHSType = RHS.get()->getType();
8492
8493   // The result of comparisons is 'bool' in C++, 'int' in C.
8494   QualType ResultTy = Context.getLogicalOperationType();
8495
8496   if (IsRelational) {
8497     if (LHSType->isRealType() && RHSType->isRealType())
8498       return ResultTy;
8499   } else {
8500     // Check for comparisons of floating point operands using != and ==.
8501     if (LHSType->hasFloatingRepresentation())
8502       CheckFloatComparison(Loc, LHS.get(), RHS.get());
8503
8504     if (LHSType->isArithmeticType() && RHSType->isArithmeticType())
8505       return ResultTy;
8506   }
8507
8508   const Expr::NullPointerConstantKind LHSNullKind =
8509       LHS.get()->isNullPointerConstant(Context, Expr::NPC_ValueDependentIsNull);
8510   const Expr::NullPointerConstantKind RHSNullKind =
8511       RHS.get()->isNullPointerConstant(Context, Expr::NPC_ValueDependentIsNull);
8512   bool LHSIsNull = LHSNullKind != Expr::NPCK_NotNull;
8513   bool RHSIsNull = RHSNullKind != Expr::NPCK_NotNull;
8514
8515   if (!IsRelational && LHSIsNull != RHSIsNull) {
8516     bool IsEquality = Opc == BO_EQ;
8517     if (RHSIsNull)
8518       DiagnoseAlwaysNonNullPointer(LHS.get(), RHSNullKind, IsEquality,
8519                                    RHS.get()->getSourceRange());
8520     else
8521       DiagnoseAlwaysNonNullPointer(RHS.get(), LHSNullKind, IsEquality,
8522                                    LHS.get()->getSourceRange());
8523   }
8524
8525   // All of the following pointer-related warnings are GCC extensions, except
8526   // when handling null pointer constants. 
8527   if (LHSType->isPointerType() && RHSType->isPointerType()) { // C99 6.5.8p2
8528     QualType LCanPointeeTy =
8529       LHSType->castAs<PointerType>()->getPointeeType().getCanonicalType();
8530     QualType RCanPointeeTy =
8531       RHSType->castAs<PointerType>()->getPointeeType().getCanonicalType();
8532
8533     if (getLangOpts().CPlusPlus) {
8534       if (LCanPointeeTy == RCanPointeeTy)
8535         return ResultTy;
8536       if (!IsRelational &&
8537           (LCanPointeeTy->isVoidType() || RCanPointeeTy->isVoidType())) {
8538         // Valid unless comparison between non-null pointer and function pointer
8539         // This is a gcc extension compatibility comparison.
8540         // In a SFINAE context, we treat this as a hard error to maintain
8541         // conformance with the C++ standard.
8542         if ((LCanPointeeTy->isFunctionType() || RCanPointeeTy->isFunctionType())
8543             && !LHSIsNull && !RHSIsNull) {
8544           diagnoseFunctionPointerToVoidComparison(
8545               *this, Loc, LHS, RHS, /*isError*/ (bool)isSFINAEContext());
8546           
8547           if (isSFINAEContext())
8548             return QualType();
8549           
8550           RHS = ImpCastExprToType(RHS.get(), LHSType, CK_BitCast);
8551           return ResultTy;
8552         }
8553       }
8554
8555       if (convertPointersToCompositeType(*this, Loc, LHS, RHS))
8556         return QualType();
8557       else
8558         return ResultTy;
8559     }
8560     // C99 6.5.9p2 and C99 6.5.8p2
8561     if (Context.typesAreCompatible(LCanPointeeTy.getUnqualifiedType(),
8562                                    RCanPointeeTy.getUnqualifiedType())) {
8563       // Valid unless a relational comparison of function pointers
8564       if (IsRelational && LCanPointeeTy->isFunctionType()) {
8565         Diag(Loc, diag::ext_typecheck_ordered_comparison_of_function_pointers)
8566           << LHSType << RHSType << LHS.get()->getSourceRange()
8567           << RHS.get()->getSourceRange();
8568       }
8569     } else if (!IsRelational &&
8570                (LCanPointeeTy->isVoidType() || RCanPointeeTy->isVoidType())) {
8571       // Valid unless comparison between non-null pointer and function pointer
8572       if ((LCanPointeeTy->isFunctionType() || RCanPointeeTy->isFunctionType())
8573           && !LHSIsNull && !RHSIsNull)
8574         diagnoseFunctionPointerToVoidComparison(*this, Loc, LHS, RHS,
8575                                                 /*isError*/false);
8576     } else {
8577       // Invalid
8578       diagnoseDistinctPointerComparison(*this, Loc, LHS, RHS, /*isError*/false);
8579     }
8580     if (LCanPointeeTy != RCanPointeeTy) {
8581       const PointerType *lhsPtr = LHSType->getAs<PointerType>();
8582       if (!lhsPtr->isAddressSpaceOverlapping(*RHSType->getAs<PointerType>())) {
8583         Diag(Loc,
8584              diag::err_typecheck_op_on_nonoverlapping_address_space_pointers)
8585             << LHSType << RHSType << 0 /* comparison */
8586             << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
8587       }
8588       unsigned AddrSpaceL = LCanPointeeTy.getAddressSpace();
8589       unsigned AddrSpaceR = RCanPointeeTy.getAddressSpace();
8590       CastKind Kind = AddrSpaceL != AddrSpaceR ? CK_AddressSpaceConversion
8591                                                : CK_BitCast;
8592       if (LHSIsNull && !RHSIsNull)
8593         LHS = ImpCastExprToType(LHS.get(), RHSType, Kind);
8594       else
8595         RHS = ImpCastExprToType(RHS.get(), LHSType, Kind);
8596     }
8597     return ResultTy;
8598   }
8599
8600   if (getLangOpts().CPlusPlus) {
8601     // Comparison of nullptr_t with itself.
8602     if (LHSType->isNullPtrType() && RHSType->isNullPtrType())
8603       return ResultTy;
8604     
8605     // Comparison of pointers with null pointer constants and equality
8606     // comparisons of member pointers to null pointer constants.
8607     if (RHSIsNull &&
8608         ((LHSType->isAnyPointerType() || LHSType->isNullPtrType()) ||
8609          (!IsRelational && 
8610           (LHSType->isMemberPointerType() || LHSType->isBlockPointerType())))) {
8611       RHS = ImpCastExprToType(RHS.get(), LHSType, 
8612                         LHSType->isMemberPointerType()
8613                           ? CK_NullToMemberPointer
8614                           : CK_NullToPointer);
8615       return ResultTy;
8616     }
8617     if (LHSIsNull &&
8618         ((RHSType->isAnyPointerType() || RHSType->isNullPtrType()) ||
8619          (!IsRelational && 
8620           (RHSType->isMemberPointerType() || RHSType->isBlockPointerType())))) {
8621       LHS = ImpCastExprToType(LHS.get(), RHSType, 
8622                         RHSType->isMemberPointerType()
8623                           ? CK_NullToMemberPointer
8624                           : CK_NullToPointer);
8625       return ResultTy;
8626     }
8627
8628     // Comparison of member pointers.
8629     if (!IsRelational &&
8630         LHSType->isMemberPointerType() && RHSType->isMemberPointerType()) {
8631       if (convertPointersToCompositeType(*this, Loc, LHS, RHS))
8632         return QualType();
8633       else
8634         return ResultTy;
8635     }
8636
8637     // Handle scoped enumeration types specifically, since they don't promote
8638     // to integers.
8639     if (LHS.get()->getType()->isEnumeralType() &&
8640         Context.hasSameUnqualifiedType(LHS.get()->getType(),
8641                                        RHS.get()->getType()))
8642       return ResultTy;
8643   }
8644
8645   // Handle block pointer types.
8646   if (!IsRelational && LHSType->isBlockPointerType() &&
8647       RHSType->isBlockPointerType()) {
8648     QualType lpointee = LHSType->castAs<BlockPointerType>()->getPointeeType();
8649     QualType rpointee = RHSType->castAs<BlockPointerType>()->getPointeeType();
8650
8651     if (!LHSIsNull && !RHSIsNull &&
8652         !Context.typesAreCompatible(lpointee, rpointee)) {
8653       Diag(Loc, diag::err_typecheck_comparison_of_distinct_blocks)
8654         << LHSType << RHSType << LHS.get()->getSourceRange()
8655         << RHS.get()->getSourceRange();
8656     }
8657     RHS = ImpCastExprToType(RHS.get(), LHSType, CK_BitCast);
8658     return ResultTy;
8659   }
8660
8661   // Allow block pointers to be compared with null pointer constants.
8662   if (!IsRelational
8663       && ((LHSType->isBlockPointerType() && RHSType->isPointerType())
8664           || (LHSType->isPointerType() && RHSType->isBlockPointerType()))) {
8665     if (!LHSIsNull && !RHSIsNull) {
8666       if (!((RHSType->isPointerType() && RHSType->castAs<PointerType>()
8667              ->getPointeeType()->isVoidType())
8668             || (LHSType->isPointerType() && LHSType->castAs<PointerType>()
8669                 ->getPointeeType()->isVoidType())))
8670         Diag(Loc, diag::err_typecheck_comparison_of_distinct_blocks)
8671           << LHSType << RHSType << LHS.get()->getSourceRange()
8672           << RHS.get()->getSourceRange();
8673     }
8674     if (LHSIsNull && !RHSIsNull)
8675       LHS = ImpCastExprToType(LHS.get(), RHSType,
8676                               RHSType->isPointerType() ? CK_BitCast
8677                                 : CK_AnyPointerToBlockPointerCast);
8678     else
8679       RHS = ImpCastExprToType(RHS.get(), LHSType,
8680                               LHSType->isPointerType() ? CK_BitCast
8681                                 : CK_AnyPointerToBlockPointerCast);
8682     return ResultTy;
8683   }
8684
8685   if (LHSType->isObjCObjectPointerType() ||
8686       RHSType->isObjCObjectPointerType()) {
8687     const PointerType *LPT = LHSType->getAs<PointerType>();
8688     const PointerType *RPT = RHSType->getAs<PointerType>();
8689     if (LPT || RPT) {
8690       bool LPtrToVoid = LPT ? LPT->getPointeeType()->isVoidType() : false;
8691       bool RPtrToVoid = RPT ? RPT->getPointeeType()->isVoidType() : false;
8692
8693       if (!LPtrToVoid && !RPtrToVoid &&
8694           !Context.typesAreCompatible(LHSType, RHSType)) {
8695         diagnoseDistinctPointerComparison(*this, Loc, LHS, RHS,
8696                                           /*isError*/false);
8697       }
8698       if (LHSIsNull && !RHSIsNull) {
8699         Expr *E = LHS.get();
8700         if (getLangOpts().ObjCAutoRefCount)
8701           CheckObjCARCConversion(SourceRange(), RHSType, E, CCK_ImplicitConversion);
8702         LHS = ImpCastExprToType(E, RHSType,
8703                                 RPT ? CK_BitCast :CK_CPointerToObjCPointerCast);
8704       }
8705       else {
8706         Expr *E = RHS.get();
8707         if (getLangOpts().ObjCAutoRefCount)
8708           CheckObjCARCConversion(SourceRange(), LHSType, E, CCK_ImplicitConversion, false,
8709                                  Opc);
8710         RHS = ImpCastExprToType(E, LHSType,
8711                                 LPT ? CK_BitCast :CK_CPointerToObjCPointerCast);
8712       }
8713       return ResultTy;
8714     }
8715     if (LHSType->isObjCObjectPointerType() &&
8716         RHSType->isObjCObjectPointerType()) {
8717       if (!Context.areComparableObjCPointerTypes(LHSType, RHSType))
8718         diagnoseDistinctPointerComparison(*this, Loc, LHS, RHS,
8719                                           /*isError*/false);
8720       if (isObjCObjectLiteral(LHS) || isObjCObjectLiteral(RHS))
8721         diagnoseObjCLiteralComparison(*this, Loc, LHS, RHS, Opc);
8722
8723       if (LHSIsNull && !RHSIsNull)
8724         LHS = ImpCastExprToType(LHS.get(), RHSType, CK_BitCast);
8725       else
8726         RHS = ImpCastExprToType(RHS.get(), LHSType, CK_BitCast);
8727       return ResultTy;
8728     }
8729   }
8730   if ((LHSType->isAnyPointerType() && RHSType->isIntegerType()) ||
8731       (LHSType->isIntegerType() && RHSType->isAnyPointerType())) {
8732     unsigned DiagID = 0;
8733     bool isError = false;
8734     if (LangOpts.DebuggerSupport) {
8735       // Under a debugger, allow the comparison of pointers to integers,
8736       // since users tend to want to compare addresses.
8737     } else if ((LHSIsNull && LHSType->isIntegerType()) ||
8738         (RHSIsNull && RHSType->isIntegerType())) {
8739       if (IsRelational && !getLangOpts().CPlusPlus)
8740         DiagID = diag::ext_typecheck_ordered_comparison_of_pointer_and_zero;
8741     } else if (IsRelational && !getLangOpts().CPlusPlus)
8742       DiagID = diag::ext_typecheck_ordered_comparison_of_pointer_integer;
8743     else if (getLangOpts().CPlusPlus) {
8744       DiagID = diag::err_typecheck_comparison_of_pointer_integer;
8745       isError = true;
8746     } else
8747       DiagID = diag::ext_typecheck_comparison_of_pointer_integer;
8748
8749     if (DiagID) {
8750       Diag(Loc, DiagID)
8751         << LHSType << RHSType << LHS.get()->getSourceRange()
8752         << RHS.get()->getSourceRange();
8753       if (isError)
8754         return QualType();
8755     }
8756     
8757     if (LHSType->isIntegerType())
8758       LHS = ImpCastExprToType(LHS.get(), RHSType,
8759                         LHSIsNull ? CK_NullToPointer : CK_IntegralToPointer);
8760     else
8761       RHS = ImpCastExprToType(RHS.get(), LHSType,
8762                         RHSIsNull ? CK_NullToPointer : CK_IntegralToPointer);
8763     return ResultTy;
8764   }
8765   
8766   // Handle block pointers.
8767   if (!IsRelational && RHSIsNull
8768       && LHSType->isBlockPointerType() && RHSType->isIntegerType()) {
8769     RHS = ImpCastExprToType(RHS.get(), LHSType, CK_NullToPointer);
8770     return ResultTy;
8771   }
8772   if (!IsRelational && LHSIsNull
8773       && LHSType->isIntegerType() && RHSType->isBlockPointerType()) {
8774     LHS = ImpCastExprToType(LHS.get(), RHSType, CK_NullToPointer);
8775     return ResultTy;
8776   }
8777
8778   return InvalidOperands(Loc, LHS, RHS);
8779 }
8780
8781
8782 // Return a signed type that is of identical size and number of elements.
8783 // For floating point vectors, return an integer type of identical size 
8784 // and number of elements.
8785 QualType Sema::GetSignedVectorType(QualType V) {
8786   const VectorType *VTy = V->getAs<VectorType>();
8787   unsigned TypeSize = Context.getTypeSize(VTy->getElementType());
8788   if (TypeSize == Context.getTypeSize(Context.CharTy))
8789     return Context.getExtVectorType(Context.CharTy, VTy->getNumElements());
8790   else if (TypeSize == Context.getTypeSize(Context.ShortTy))
8791     return Context.getExtVectorType(Context.ShortTy, VTy->getNumElements());
8792   else if (TypeSize == Context.getTypeSize(Context.IntTy))
8793     return Context.getExtVectorType(Context.IntTy, VTy->getNumElements());
8794   else if (TypeSize == Context.getTypeSize(Context.LongTy))
8795     return Context.getExtVectorType(Context.LongTy, VTy->getNumElements());
8796   assert(TypeSize == Context.getTypeSize(Context.LongLongTy) &&
8797          "Unhandled vector element size in vector compare");
8798   return Context.getExtVectorType(Context.LongLongTy, VTy->getNumElements());
8799 }
8800
8801 /// CheckVectorCompareOperands - vector comparisons are a clang extension that
8802 /// operates on extended vector types.  Instead of producing an IntTy result,
8803 /// like a scalar comparison, a vector comparison produces a vector of integer
8804 /// types.
8805 QualType Sema::CheckVectorCompareOperands(ExprResult &LHS, ExprResult &RHS,
8806                                           SourceLocation Loc,
8807                                           bool IsRelational) {
8808   // Check to make sure we're operating on vectors of the same type and width,
8809   // Allowing one side to be a scalar of element type.
8810   QualType vType = CheckVectorOperands(LHS, RHS, Loc, /*isCompAssign*/false);
8811   if (vType.isNull())
8812     return vType;
8813
8814   QualType LHSType = LHS.get()->getType();
8815
8816   // If AltiVec, the comparison results in a numeric type, i.e.
8817   // bool for C++, int for C
8818   if (vType->getAs<VectorType>()->getVectorKind() == VectorType::AltiVecVector)
8819     return Context.getLogicalOperationType();
8820
8821   // For non-floating point types, check for self-comparisons of the form
8822   // x == x, x != x, x < x, etc.  These always evaluate to a constant, and
8823   // often indicate logic errors in the program.
8824   if (!LHSType->hasFloatingRepresentation() &&
8825       ActiveTemplateInstantiations.empty()) {
8826     if (DeclRefExpr* DRL
8827           = dyn_cast<DeclRefExpr>(LHS.get()->IgnoreParenImpCasts()))
8828       if (DeclRefExpr* DRR
8829             = dyn_cast<DeclRefExpr>(RHS.get()->IgnoreParenImpCasts()))
8830         if (DRL->getDecl() == DRR->getDecl())
8831           DiagRuntimeBehavior(Loc, nullptr,
8832                               PDiag(diag::warn_comparison_always)
8833                                 << 0 // self-
8834                                 << 2 // "a constant"
8835                               );
8836   }
8837
8838   // Check for comparisons of floating point operands using != and ==.
8839   if (!IsRelational && LHSType->hasFloatingRepresentation()) {
8840     assert (RHS.get()->getType()->hasFloatingRepresentation());
8841     CheckFloatComparison(Loc, LHS.get(), RHS.get());
8842   }
8843   
8844   // Return a signed type for the vector.
8845   return GetSignedVectorType(LHSType);
8846 }
8847
8848 QualType Sema::CheckVectorLogicalOperands(ExprResult &LHS, ExprResult &RHS,
8849                                           SourceLocation Loc) {
8850   // Ensure that either both operands are of the same vector type, or
8851   // one operand is of a vector type and the other is of its element type.
8852   QualType vType = CheckVectorOperands(LHS, RHS, Loc, false);
8853   if (vType.isNull())
8854     return InvalidOperands(Loc, LHS, RHS);
8855   if (getLangOpts().OpenCL && getLangOpts().OpenCLVersion < 120 &&
8856       vType->hasFloatingRepresentation())
8857     return InvalidOperands(Loc, LHS, RHS);
8858   
8859   return GetSignedVectorType(LHS.get()->getType());
8860 }
8861
8862 inline QualType Sema::CheckBitwiseOperands(
8863   ExprResult &LHS, ExprResult &RHS, SourceLocation Loc, bool IsCompAssign) {
8864   checkArithmeticNull(*this, LHS, RHS, Loc, /*isCompare=*/false);
8865
8866   if (LHS.get()->getType()->isVectorType() ||
8867       RHS.get()->getType()->isVectorType()) {
8868     if (LHS.get()->getType()->hasIntegerRepresentation() &&
8869         RHS.get()->getType()->hasIntegerRepresentation())
8870       return CheckVectorOperands(LHS, RHS, Loc, IsCompAssign);
8871     
8872     return InvalidOperands(Loc, LHS, RHS);
8873   }
8874
8875   ExprResult LHSResult = LHS, RHSResult = RHS;
8876   QualType compType = UsualArithmeticConversions(LHSResult, RHSResult,
8877                                                  IsCompAssign);
8878   if (LHSResult.isInvalid() || RHSResult.isInvalid())
8879     return QualType();
8880   LHS = LHSResult.get();
8881   RHS = RHSResult.get();
8882
8883   if (!compType.isNull() && compType->isIntegralOrUnscopedEnumerationType())
8884     return compType;
8885   return InvalidOperands(Loc, LHS, RHS);
8886 }
8887
8888 inline QualType Sema::CheckLogicalOperands( // C99 6.5.[13,14]
8889   ExprResult &LHS, ExprResult &RHS, SourceLocation Loc, unsigned Opc) {
8890   
8891   // Check vector operands differently.
8892   if (LHS.get()->getType()->isVectorType() || RHS.get()->getType()->isVectorType())
8893     return CheckVectorLogicalOperands(LHS, RHS, Loc);
8894   
8895   // Diagnose cases where the user write a logical and/or but probably meant a
8896   // bitwise one.  We do this when the LHS is a non-bool integer and the RHS
8897   // is a constant.
8898   if (LHS.get()->getType()->isIntegerType() &&
8899       !LHS.get()->getType()->isBooleanType() &&
8900       RHS.get()->getType()->isIntegerType() && !RHS.get()->isValueDependent() &&
8901       // Don't warn in macros or template instantiations.
8902       !Loc.isMacroID() && ActiveTemplateInstantiations.empty()) {
8903     // If the RHS can be constant folded, and if it constant folds to something
8904     // that isn't 0 or 1 (which indicate a potential logical operation that
8905     // happened to fold to true/false) then warn.
8906     // Parens on the RHS are ignored.
8907     llvm::APSInt Result;
8908     if (RHS.get()->EvaluateAsInt(Result, Context))
8909       if ((getLangOpts().Bool && !RHS.get()->getType()->isBooleanType() &&
8910            !RHS.get()->getExprLoc().isMacroID()) ||
8911           (Result != 0 && Result != 1)) {
8912         Diag(Loc, diag::warn_logical_instead_of_bitwise)
8913           << RHS.get()->getSourceRange()
8914           << (Opc == BO_LAnd ? "&&" : "||");
8915         // Suggest replacing the logical operator with the bitwise version
8916         Diag(Loc, diag::note_logical_instead_of_bitwise_change_operator)
8917             << (Opc == BO_LAnd ? "&" : "|")
8918             << FixItHint::CreateReplacement(SourceRange(
8919                 Loc, Lexer::getLocForEndOfToken(Loc, 0, getSourceManager(),
8920                                                 getLangOpts())),
8921                                             Opc == BO_LAnd ? "&" : "|");
8922         if (Opc == BO_LAnd)
8923           // Suggest replacing "Foo() && kNonZero" with "Foo()"
8924           Diag(Loc, diag::note_logical_instead_of_bitwise_remove_constant)
8925               << FixItHint::CreateRemoval(
8926                   SourceRange(
8927                       Lexer::getLocForEndOfToken(LHS.get()->getLocEnd(),
8928                                                  0, getSourceManager(),
8929                                                  getLangOpts()),
8930                       RHS.get()->getLocEnd()));
8931       }
8932   }
8933
8934   if (!Context.getLangOpts().CPlusPlus) {
8935     // OpenCL v1.1 s6.3.g: The logical operators and (&&), or (||) do
8936     // not operate on the built-in scalar and vector float types.
8937     if (Context.getLangOpts().OpenCL &&
8938         Context.getLangOpts().OpenCLVersion < 120) {
8939       if (LHS.get()->getType()->isFloatingType() ||
8940           RHS.get()->getType()->isFloatingType())
8941         return InvalidOperands(Loc, LHS, RHS);
8942     }
8943
8944     LHS = UsualUnaryConversions(LHS.get());
8945     if (LHS.isInvalid())
8946       return QualType();
8947
8948     RHS = UsualUnaryConversions(RHS.get());
8949     if (RHS.isInvalid())
8950       return QualType();
8951
8952     if (!LHS.get()->getType()->isScalarType() ||
8953         !RHS.get()->getType()->isScalarType())
8954       return InvalidOperands(Loc, LHS, RHS);
8955
8956     return Context.IntTy;
8957   }
8958
8959   // The following is safe because we only use this method for
8960   // non-overloadable operands.
8961
8962   // C++ [expr.log.and]p1
8963   // C++ [expr.log.or]p1
8964   // The operands are both contextually converted to type bool.
8965   ExprResult LHSRes = PerformContextuallyConvertToBool(LHS.get());
8966   if (LHSRes.isInvalid())
8967     return InvalidOperands(Loc, LHS, RHS);
8968   LHS = LHSRes;
8969
8970   ExprResult RHSRes = PerformContextuallyConvertToBool(RHS.get());
8971   if (RHSRes.isInvalid())
8972     return InvalidOperands(Loc, LHS, RHS);
8973   RHS = RHSRes;
8974
8975   // C++ [expr.log.and]p2
8976   // C++ [expr.log.or]p2
8977   // The result is a bool.
8978   return Context.BoolTy;
8979 }
8980
8981 static bool IsReadonlyMessage(Expr *E, Sema &S) {
8982   const MemberExpr *ME = dyn_cast<MemberExpr>(E);
8983   if (!ME) return false;
8984   if (!isa<FieldDecl>(ME->getMemberDecl())) return false;
8985   ObjCMessageExpr *Base =
8986     dyn_cast<ObjCMessageExpr>(ME->getBase()->IgnoreParenImpCasts());
8987   if (!Base) return false;
8988   return Base->getMethodDecl() != nullptr;
8989 }
8990
8991 /// Is the given expression (which must be 'const') a reference to a
8992 /// variable which was originally non-const, but which has become
8993 /// 'const' due to being captured within a block?
8994 enum NonConstCaptureKind { NCCK_None, NCCK_Block, NCCK_Lambda };
8995 static NonConstCaptureKind isReferenceToNonConstCapture(Sema &S, Expr *E) {
8996   assert(E->isLValue() && E->getType().isConstQualified());
8997   E = E->IgnoreParens();
8998
8999   // Must be a reference to a declaration from an enclosing scope.
9000   DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(E);
9001   if (!DRE) return NCCK_None;
9002   if (!DRE->refersToEnclosingVariableOrCapture()) return NCCK_None;
9003
9004   // The declaration must be a variable which is not declared 'const'.
9005   VarDecl *var = dyn_cast<VarDecl>(DRE->getDecl());
9006   if (!var) return NCCK_None;
9007   if (var->getType().isConstQualified()) return NCCK_None;
9008   assert(var->hasLocalStorage() && "capture added 'const' to non-local?");
9009
9010   // Decide whether the first capture was for a block or a lambda.
9011   DeclContext *DC = S.CurContext, *Prev = nullptr;
9012   while (DC != var->getDeclContext()) {
9013     Prev = DC;
9014     DC = DC->getParent();
9015   }
9016   // Unless we have an init-capture, we've gone one step too far.
9017   if (!var->isInitCapture())
9018     DC = Prev;
9019   return (isa<BlockDecl>(DC) ? NCCK_Block : NCCK_Lambda);
9020 }
9021
9022 static bool IsTypeModifiable(QualType Ty, bool IsDereference) {
9023   Ty = Ty.getNonReferenceType();
9024   if (IsDereference && Ty->isPointerType())
9025     Ty = Ty->getPointeeType();
9026   return !Ty.isConstQualified();
9027 }
9028
9029 /// Emit the "read-only variable not assignable" error and print notes to give
9030 /// more information about why the variable is not assignable, such as pointing
9031 /// to the declaration of a const variable, showing that a method is const, or
9032 /// that the function is returning a const reference.
9033 static void DiagnoseConstAssignment(Sema &S, const Expr *E,
9034                                     SourceLocation Loc) {
9035   // Update err_typecheck_assign_const and note_typecheck_assign_const
9036   // when this enum is changed.
9037   enum {
9038     ConstFunction,
9039     ConstVariable,
9040     ConstMember,
9041     ConstMethod,
9042     ConstUnknown,  // Keep as last element
9043   };
9044
9045   SourceRange ExprRange = E->getSourceRange();
9046
9047   // Only emit one error on the first const found.  All other consts will emit
9048   // a note to the error.
9049   bool DiagnosticEmitted = false;
9050
9051   // Track if the current expression is the result of a derefence, and if the
9052   // next checked expression is the result of a derefence.
9053   bool IsDereference = false;
9054   bool NextIsDereference = false;
9055
9056   // Loop to process MemberExpr chains.
9057   while (true) {
9058     IsDereference = NextIsDereference;
9059     NextIsDereference = false;
9060
9061     E = E->IgnoreParenImpCasts();
9062     if (const MemberExpr *ME = dyn_cast<MemberExpr>(E)) {
9063       NextIsDereference = ME->isArrow();
9064       const ValueDecl *VD = ME->getMemberDecl();
9065       if (const FieldDecl *Field = dyn_cast<FieldDecl>(VD)) {
9066         // Mutable fields can be modified even if the class is const.
9067         if (Field->isMutable()) {
9068           assert(DiagnosticEmitted && "Expected diagnostic not emitted.");
9069           break;
9070         }
9071
9072         if (!IsTypeModifiable(Field->getType(), IsDereference)) {
9073           if (!DiagnosticEmitted) {
9074             S.Diag(Loc, diag::err_typecheck_assign_const)
9075                 << ExprRange << ConstMember << false /*static*/ << Field
9076                 << Field->getType();
9077             DiagnosticEmitted = true;
9078           }
9079           S.Diag(VD->getLocation(), diag::note_typecheck_assign_const)
9080               << ConstMember << false /*static*/ << Field << Field->getType()
9081               << Field->getSourceRange();
9082         }
9083         E = ME->getBase();
9084         continue;
9085       } else if (const VarDecl *VDecl = dyn_cast<VarDecl>(VD)) {
9086         if (VDecl->getType().isConstQualified()) {
9087           if (!DiagnosticEmitted) {
9088             S.Diag(Loc, diag::err_typecheck_assign_const)
9089                 << ExprRange << ConstMember << true /*static*/ << VDecl
9090                 << VDecl->getType();
9091             DiagnosticEmitted = true;
9092           }
9093           S.Diag(VD->getLocation(), diag::note_typecheck_assign_const)
9094               << ConstMember << true /*static*/ << VDecl << VDecl->getType()
9095               << VDecl->getSourceRange();
9096         }
9097         // Static fields do not inherit constness from parents.
9098         break;
9099       }
9100       break;
9101     } // End MemberExpr
9102     break;
9103   }
9104
9105   if (const CallExpr *CE = dyn_cast<CallExpr>(E)) {
9106     // Function calls
9107     const FunctionDecl *FD = CE->getDirectCallee();
9108     if (!IsTypeModifiable(FD->getReturnType(), IsDereference)) {
9109       if (!DiagnosticEmitted) {
9110         S.Diag(Loc, diag::err_typecheck_assign_const) << ExprRange
9111                                                       << ConstFunction << FD;
9112         DiagnosticEmitted = true;
9113       }
9114       S.Diag(FD->getReturnTypeSourceRange().getBegin(),
9115              diag::note_typecheck_assign_const)
9116           << ConstFunction << FD << FD->getReturnType()
9117           << FD->getReturnTypeSourceRange();
9118     }
9119   } else if (const DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(E)) {
9120     // Point to variable declaration.
9121     if (const ValueDecl *VD = DRE->getDecl()) {
9122       if (!IsTypeModifiable(VD->getType(), IsDereference)) {
9123         if (!DiagnosticEmitted) {
9124           S.Diag(Loc, diag::err_typecheck_assign_const)
9125               << ExprRange << ConstVariable << VD << VD->getType();
9126           DiagnosticEmitted = true;
9127         }
9128         S.Diag(VD->getLocation(), diag::note_typecheck_assign_const)
9129             << ConstVariable << VD << VD->getType() << VD->getSourceRange();
9130       }
9131     }
9132   } else if (isa<CXXThisExpr>(E)) {
9133     if (const DeclContext *DC = S.getFunctionLevelDeclContext()) {
9134       if (const CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(DC)) {
9135         if (MD->isConst()) {
9136           if (!DiagnosticEmitted) {
9137             S.Diag(Loc, diag::err_typecheck_assign_const) << ExprRange
9138                                                           << ConstMethod << MD;
9139             DiagnosticEmitted = true;
9140           }
9141           S.Diag(MD->getLocation(), diag::note_typecheck_assign_const)
9142               << ConstMethod << MD << MD->getSourceRange();
9143         }
9144       }
9145     }
9146   }
9147
9148   if (DiagnosticEmitted)
9149     return;
9150
9151   // Can't determine a more specific message, so display the generic error.
9152   S.Diag(Loc, diag::err_typecheck_assign_const) << ExprRange << ConstUnknown;
9153 }
9154
9155 /// CheckForModifiableLvalue - Verify that E is a modifiable lvalue.  If not,
9156 /// emit an error and return true.  If so, return false.
9157 static bool CheckForModifiableLvalue(Expr *E, SourceLocation Loc, Sema &S) {
9158   assert(!E->hasPlaceholderType(BuiltinType::PseudoObject));
9159   SourceLocation OrigLoc = Loc;
9160   Expr::isModifiableLvalueResult IsLV = E->isModifiableLvalue(S.Context,
9161                                                               &Loc);
9162   if (IsLV == Expr::MLV_ClassTemporary && IsReadonlyMessage(E, S))
9163     IsLV = Expr::MLV_InvalidMessageExpression;
9164   if (IsLV == Expr::MLV_Valid)
9165     return false;
9166
9167   unsigned DiagID = 0;
9168   bool NeedType = false;
9169   switch (IsLV) { // C99 6.5.16p2
9170   case Expr::MLV_ConstQualified:
9171     // Use a specialized diagnostic when we're assigning to an object
9172     // from an enclosing function or block.
9173     if (NonConstCaptureKind NCCK = isReferenceToNonConstCapture(S, E)) {
9174       if (NCCK == NCCK_Block)
9175         DiagID = diag::err_block_decl_ref_not_modifiable_lvalue;
9176       else
9177         DiagID = diag::err_lambda_decl_ref_not_modifiable_lvalue;
9178       break;
9179     }
9180
9181     // In ARC, use some specialized diagnostics for occasions where we
9182     // infer 'const'.  These are always pseudo-strong variables.
9183     if (S.getLangOpts().ObjCAutoRefCount) {
9184       DeclRefExpr *declRef = dyn_cast<DeclRefExpr>(E->IgnoreParenCasts());
9185       if (declRef && isa<VarDecl>(declRef->getDecl())) {
9186         VarDecl *var = cast<VarDecl>(declRef->getDecl());
9187
9188         // Use the normal diagnostic if it's pseudo-__strong but the
9189         // user actually wrote 'const'.
9190         if (var->isARCPseudoStrong() &&
9191             (!var->getTypeSourceInfo() ||
9192              !var->getTypeSourceInfo()->getType().isConstQualified())) {
9193           // There are two pseudo-strong cases:
9194           //  - self
9195           ObjCMethodDecl *method = S.getCurMethodDecl();
9196           if (method && var == method->getSelfDecl())
9197             DiagID = method->isClassMethod()
9198               ? diag::err_typecheck_arc_assign_self_class_method
9199               : diag::err_typecheck_arc_assign_self;
9200
9201           //  - fast enumeration variables
9202           else
9203             DiagID = diag::err_typecheck_arr_assign_enumeration;
9204
9205           SourceRange Assign;
9206           if (Loc != OrigLoc)
9207             Assign = SourceRange(OrigLoc, OrigLoc);
9208           S.Diag(Loc, DiagID) << E->getSourceRange() << Assign;
9209           // We need to preserve the AST regardless, so migration tool
9210           // can do its job.
9211           return false;
9212         }
9213       }
9214     }
9215
9216     // If none of the special cases above are triggered, then this is a
9217     // simple const assignment.
9218     if (DiagID == 0) {
9219       DiagnoseConstAssignment(S, E, Loc);
9220       return true;
9221     }
9222
9223     break;
9224   case Expr::MLV_ConstAddrSpace:
9225     DiagnoseConstAssignment(S, E, Loc);
9226     return true;
9227   case Expr::MLV_ArrayType:
9228   case Expr::MLV_ArrayTemporary:
9229     DiagID = diag::err_typecheck_array_not_modifiable_lvalue;
9230     NeedType = true;
9231     break;
9232   case Expr::MLV_NotObjectType:
9233     DiagID = diag::err_typecheck_non_object_not_modifiable_lvalue;
9234     NeedType = true;
9235     break;
9236   case Expr::MLV_LValueCast:
9237     DiagID = diag::err_typecheck_lvalue_casts_not_supported;
9238     break;
9239   case Expr::MLV_Valid:
9240     llvm_unreachable("did not take early return for MLV_Valid");
9241   case Expr::MLV_InvalidExpression:
9242   case Expr::MLV_MemberFunction:
9243   case Expr::MLV_ClassTemporary:
9244     DiagID = diag::err_typecheck_expression_not_modifiable_lvalue;
9245     break;
9246   case Expr::MLV_IncompleteType:
9247   case Expr::MLV_IncompleteVoidType:
9248     return S.RequireCompleteType(Loc, E->getType(),
9249              diag::err_typecheck_incomplete_type_not_modifiable_lvalue, E);
9250   case Expr::MLV_DuplicateVectorComponents:
9251     DiagID = diag::err_typecheck_duplicate_vector_components_not_mlvalue;
9252     break;
9253   case Expr::MLV_NoSetterProperty:
9254     llvm_unreachable("readonly properties should be processed differently");
9255   case Expr::MLV_InvalidMessageExpression:
9256     DiagID = diag::error_readonly_message_assignment;
9257     break;
9258   case Expr::MLV_SubObjCPropertySetting:
9259     DiagID = diag::error_no_subobject_property_setting;
9260     break;
9261   }
9262
9263   SourceRange Assign;
9264   if (Loc != OrigLoc)
9265     Assign = SourceRange(OrigLoc, OrigLoc);
9266   if (NeedType)
9267     S.Diag(Loc, DiagID) << E->getType() << E->getSourceRange() << Assign;
9268   else
9269     S.Diag(Loc, DiagID) << E->getSourceRange() << Assign;
9270   return true;
9271 }
9272
9273 static void CheckIdentityFieldAssignment(Expr *LHSExpr, Expr *RHSExpr,
9274                                          SourceLocation Loc,
9275                                          Sema &Sema) {
9276   // C / C++ fields
9277   MemberExpr *ML = dyn_cast<MemberExpr>(LHSExpr);
9278   MemberExpr *MR = dyn_cast<MemberExpr>(RHSExpr);
9279   if (ML && MR && ML->getMemberDecl() == MR->getMemberDecl()) {
9280     if (isa<CXXThisExpr>(ML->getBase()) && isa<CXXThisExpr>(MR->getBase()))
9281       Sema.Diag(Loc, diag::warn_identity_field_assign) << 0;
9282   }
9283
9284   // Objective-C instance variables
9285   ObjCIvarRefExpr *OL = dyn_cast<ObjCIvarRefExpr>(LHSExpr);
9286   ObjCIvarRefExpr *OR = dyn_cast<ObjCIvarRefExpr>(RHSExpr);
9287   if (OL && OR && OL->getDecl() == OR->getDecl()) {
9288     DeclRefExpr *RL = dyn_cast<DeclRefExpr>(OL->getBase()->IgnoreImpCasts());
9289     DeclRefExpr *RR = dyn_cast<DeclRefExpr>(OR->getBase()->IgnoreImpCasts());
9290     if (RL && RR && RL->getDecl() == RR->getDecl())
9291       Sema.Diag(Loc, diag::warn_identity_field_assign) << 1;
9292   }
9293 }
9294
9295 // C99 6.5.16.1
9296 QualType Sema::CheckAssignmentOperands(Expr *LHSExpr, ExprResult &RHS,
9297                                        SourceLocation Loc,
9298                                        QualType CompoundType) {
9299   assert(!LHSExpr->hasPlaceholderType(BuiltinType::PseudoObject));
9300
9301   // Verify that LHS is a modifiable lvalue, and emit error if not.
9302   if (CheckForModifiableLvalue(LHSExpr, Loc, *this))
9303     return QualType();
9304
9305   QualType LHSType = LHSExpr->getType();
9306   QualType RHSType = CompoundType.isNull() ? RHS.get()->getType() :
9307                                              CompoundType;
9308   AssignConvertType ConvTy;
9309   if (CompoundType.isNull()) {
9310     Expr *RHSCheck = RHS.get();
9311
9312     CheckIdentityFieldAssignment(LHSExpr, RHSCheck, Loc, *this);
9313
9314     QualType LHSTy(LHSType);
9315     ConvTy = CheckSingleAssignmentConstraints(LHSTy, RHS);
9316     if (RHS.isInvalid())
9317       return QualType();
9318     // Special case of NSObject attributes on c-style pointer types.
9319     if (ConvTy == IncompatiblePointer &&
9320         ((Context.isObjCNSObjectType(LHSType) &&
9321           RHSType->isObjCObjectPointerType()) ||
9322          (Context.isObjCNSObjectType(RHSType) &&
9323           LHSType->isObjCObjectPointerType())))
9324       ConvTy = Compatible;
9325
9326     if (ConvTy == Compatible &&
9327         LHSType->isObjCObjectType())
9328         Diag(Loc, diag::err_objc_object_assignment)
9329           << LHSType;
9330
9331     // If the RHS is a unary plus or minus, check to see if they = and + are
9332     // right next to each other.  If so, the user may have typo'd "x =+ 4"
9333     // instead of "x += 4".
9334     if (ImplicitCastExpr *ICE = dyn_cast<ImplicitCastExpr>(RHSCheck))
9335       RHSCheck = ICE->getSubExpr();
9336     if (UnaryOperator *UO = dyn_cast<UnaryOperator>(RHSCheck)) {
9337       if ((UO->getOpcode() == UO_Plus ||
9338            UO->getOpcode() == UO_Minus) &&
9339           Loc.isFileID() && UO->getOperatorLoc().isFileID() &&
9340           // Only if the two operators are exactly adjacent.
9341           Loc.getLocWithOffset(1) == UO->getOperatorLoc() &&
9342           // And there is a space or other character before the subexpr of the
9343           // unary +/-.  We don't want to warn on "x=-1".
9344           Loc.getLocWithOffset(2) != UO->getSubExpr()->getLocStart() &&
9345           UO->getSubExpr()->getLocStart().isFileID()) {
9346         Diag(Loc, diag::warn_not_compound_assign)
9347           << (UO->getOpcode() == UO_Plus ? "+" : "-")
9348           << SourceRange(UO->getOperatorLoc(), UO->getOperatorLoc());
9349       }
9350     }
9351
9352     if (ConvTy == Compatible) {
9353       if (LHSType.getObjCLifetime() == Qualifiers::OCL_Strong) {
9354         // Warn about retain cycles where a block captures the LHS, but
9355         // not if the LHS is a simple variable into which the block is
9356         // being stored...unless that variable can be captured by reference!
9357         const Expr *InnerLHS = LHSExpr->IgnoreParenCasts();
9358         const DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(InnerLHS);
9359         if (!DRE || DRE->getDecl()->hasAttr<BlocksAttr>())
9360           checkRetainCycles(LHSExpr, RHS.get());
9361
9362         // It is safe to assign a weak reference into a strong variable.
9363         // Although this code can still have problems:
9364         //   id x = self.weakProp;
9365         //   id y = self.weakProp;
9366         // we do not warn to warn spuriously when 'x' and 'y' are on separate
9367         // paths through the function. This should be revisited if
9368         // -Wrepeated-use-of-weak is made flow-sensitive.
9369         if (!Diags.isIgnored(diag::warn_arc_repeated_use_of_weak,
9370                              RHS.get()->getLocStart()))
9371           getCurFunction()->markSafeWeakUse(RHS.get());
9372
9373       } else if (getLangOpts().ObjCAutoRefCount) {
9374         checkUnsafeExprAssigns(Loc, LHSExpr, RHS.get());
9375       }
9376     }
9377   } else {
9378     // Compound assignment "x += y"
9379     ConvTy = CheckAssignmentConstraints(Loc, LHSType, RHSType);
9380   }
9381
9382   if (DiagnoseAssignmentResult(ConvTy, Loc, LHSType, RHSType,
9383                                RHS.get(), AA_Assigning))
9384     return QualType();
9385
9386   CheckForNullPointerDereference(*this, LHSExpr);
9387
9388   // C99 6.5.16p3: The type of an assignment expression is the type of the
9389   // left operand unless the left operand has qualified type, in which case
9390   // it is the unqualified version of the type of the left operand.
9391   // C99 6.5.16.1p2: In simple assignment, the value of the right operand
9392   // is converted to the type of the assignment expression (above).
9393   // C++ 5.17p1: the type of the assignment expression is that of its left
9394   // operand.
9395   return (getLangOpts().CPlusPlus
9396           ? LHSType : LHSType.getUnqualifiedType());
9397 }
9398
9399 // C99 6.5.17
9400 static QualType CheckCommaOperands(Sema &S, ExprResult &LHS, ExprResult &RHS,
9401                                    SourceLocation Loc) {
9402   LHS = S.CheckPlaceholderExpr(LHS.get());
9403   RHS = S.CheckPlaceholderExpr(RHS.get());
9404   if (LHS.isInvalid() || RHS.isInvalid())
9405     return QualType();
9406
9407   // C's comma performs lvalue conversion (C99 6.3.2.1) on both its
9408   // operands, but not unary promotions.
9409   // C++'s comma does not do any conversions at all (C++ [expr.comma]p1).
9410
9411   // So we treat the LHS as a ignored value, and in C++ we allow the
9412   // containing site to determine what should be done with the RHS.
9413   LHS = S.IgnoredValueConversions(LHS.get());
9414   if (LHS.isInvalid())
9415     return QualType();
9416
9417   S.DiagnoseUnusedExprResult(LHS.get());
9418
9419   if (!S.getLangOpts().CPlusPlus) {
9420     RHS = S.DefaultFunctionArrayLvalueConversion(RHS.get());
9421     if (RHS.isInvalid())
9422       return QualType();
9423     if (!RHS.get()->getType()->isVoidType())
9424       S.RequireCompleteType(Loc, RHS.get()->getType(),
9425                             diag::err_incomplete_type);
9426   }
9427
9428   return RHS.get()->getType();
9429 }
9430
9431 /// CheckIncrementDecrementOperand - unlike most "Check" methods, this routine
9432 /// doesn't need to call UsualUnaryConversions or UsualArithmeticConversions.
9433 static QualType CheckIncrementDecrementOperand(Sema &S, Expr *Op,
9434                                                ExprValueKind &VK,
9435                                                ExprObjectKind &OK,
9436                                                SourceLocation OpLoc,
9437                                                bool IsInc, bool IsPrefix) {
9438   if (Op->isTypeDependent())
9439     return S.Context.DependentTy;
9440
9441   QualType ResType = Op->getType();
9442   // Atomic types can be used for increment / decrement where the non-atomic
9443   // versions can, so ignore the _Atomic() specifier for the purpose of
9444   // checking.
9445   if (const AtomicType *ResAtomicType = ResType->getAs<AtomicType>())
9446     ResType = ResAtomicType->getValueType();
9447
9448   assert(!ResType.isNull() && "no type for increment/decrement expression");
9449
9450   if (S.getLangOpts().CPlusPlus && ResType->isBooleanType()) {
9451     // Decrement of bool is not allowed.
9452     if (!IsInc) {
9453       S.Diag(OpLoc, diag::err_decrement_bool) << Op->getSourceRange();
9454       return QualType();
9455     }
9456     // Increment of bool sets it to true, but is deprecated.
9457     S.Diag(OpLoc, diag::warn_increment_bool) << Op->getSourceRange();
9458   } else if (S.getLangOpts().CPlusPlus && ResType->isEnumeralType()) {
9459     // Error on enum increments and decrements in C++ mode
9460     S.Diag(OpLoc, diag::err_increment_decrement_enum) << IsInc << ResType;
9461     return QualType();
9462   } else if (ResType->isRealType()) {
9463     // OK!
9464   } else if (ResType->isPointerType()) {
9465     // C99 6.5.2.4p2, 6.5.6p2
9466     if (!checkArithmeticOpPointerOperand(S, OpLoc, Op))
9467       return QualType();
9468   } else if (ResType->isObjCObjectPointerType()) {
9469     // On modern runtimes, ObjC pointer arithmetic is forbidden.
9470     // Otherwise, we just need a complete type.
9471     if (checkArithmeticIncompletePointerType(S, OpLoc, Op) ||
9472         checkArithmeticOnObjCPointer(S, OpLoc, Op))
9473       return QualType();    
9474   } else if (ResType->isAnyComplexType()) {
9475     // C99 does not support ++/-- on complex types, we allow as an extension.
9476     S.Diag(OpLoc, diag::ext_integer_increment_complex)
9477       << ResType << Op->getSourceRange();
9478   } else if (ResType->isPlaceholderType()) {
9479     ExprResult PR = S.CheckPlaceholderExpr(Op);
9480     if (PR.isInvalid()) return QualType();
9481     return CheckIncrementDecrementOperand(S, PR.get(), VK, OK, OpLoc,
9482                                           IsInc, IsPrefix);
9483   } else if (S.getLangOpts().AltiVec && ResType->isVectorType()) {
9484     // OK! ( C/C++ Language Extensions for CBEA(Version 2.6) 10.3 )
9485   } else if(S.getLangOpts().OpenCL && ResType->isVectorType() &&
9486             ResType->getAs<VectorType>()->getElementType()->isIntegerType()) {
9487     // OpenCL V1.2 6.3 says dec/inc ops operate on integer vector types.
9488   } else {
9489     S.Diag(OpLoc, diag::err_typecheck_illegal_increment_decrement)
9490       << ResType << int(IsInc) << Op->getSourceRange();
9491     return QualType();
9492   }
9493   // At this point, we know we have a real, complex or pointer type.
9494   // Now make sure the operand is a modifiable lvalue.
9495   if (CheckForModifiableLvalue(Op, OpLoc, S))
9496     return QualType();
9497   // In C++, a prefix increment is the same type as the operand. Otherwise
9498   // (in C or with postfix), the increment is the unqualified type of the
9499   // operand.
9500   if (IsPrefix && S.getLangOpts().CPlusPlus) {
9501     VK = VK_LValue;
9502     OK = Op->getObjectKind();
9503     return ResType;
9504   } else {
9505     VK = VK_RValue;
9506     return ResType.getUnqualifiedType();
9507   }
9508 }
9509   
9510
9511 /// getPrimaryDecl - Helper function for CheckAddressOfOperand().
9512 /// This routine allows us to typecheck complex/recursive expressions
9513 /// where the declaration is needed for type checking. We only need to
9514 /// handle cases when the expression references a function designator
9515 /// or is an lvalue. Here are some examples:
9516 ///  - &(x) => x
9517 ///  - &*****f => f for f a function designator.
9518 ///  - &s.xx => s
9519 ///  - &s.zz[1].yy -> s, if zz is an array
9520 ///  - *(x + 1) -> x, if x is an array
9521 ///  - &"123"[2] -> 0
9522 ///  - & __real__ x -> x
9523 static ValueDecl *getPrimaryDecl(Expr *E) {
9524   switch (E->getStmtClass()) {
9525   case Stmt::DeclRefExprClass:
9526     return cast<DeclRefExpr>(E)->getDecl();
9527   case Stmt::MemberExprClass:
9528     // If this is an arrow operator, the address is an offset from
9529     // the base's value, so the object the base refers to is
9530     // irrelevant.
9531     if (cast<MemberExpr>(E)->isArrow())
9532       return nullptr;
9533     // Otherwise, the expression refers to a part of the base
9534     return getPrimaryDecl(cast<MemberExpr>(E)->getBase());
9535   case Stmt::ArraySubscriptExprClass: {
9536     // FIXME: This code shouldn't be necessary!  We should catch the implicit
9537     // promotion of register arrays earlier.
9538     Expr* Base = cast<ArraySubscriptExpr>(E)->getBase();
9539     if (ImplicitCastExpr* ICE = dyn_cast<ImplicitCastExpr>(Base)) {
9540       if (ICE->getSubExpr()->getType()->isArrayType())
9541         return getPrimaryDecl(ICE->getSubExpr());
9542     }
9543     return nullptr;
9544   }
9545   case Stmt::UnaryOperatorClass: {
9546     UnaryOperator *UO = cast<UnaryOperator>(E);
9547
9548     switch(UO->getOpcode()) {
9549     case UO_Real:
9550     case UO_Imag:
9551     case UO_Extension:
9552       return getPrimaryDecl(UO->getSubExpr());
9553     default:
9554       return nullptr;
9555     }
9556   }
9557   case Stmt::ParenExprClass:
9558     return getPrimaryDecl(cast<ParenExpr>(E)->getSubExpr());
9559   case Stmt::ImplicitCastExprClass:
9560     // If the result of an implicit cast is an l-value, we care about
9561     // the sub-expression; otherwise, the result here doesn't matter.
9562     return getPrimaryDecl(cast<ImplicitCastExpr>(E)->getSubExpr());
9563   default:
9564     return nullptr;
9565   }
9566 }
9567
9568 namespace {
9569   enum {
9570     AO_Bit_Field = 0,
9571     AO_Vector_Element = 1,
9572     AO_Property_Expansion = 2,
9573     AO_Register_Variable = 3,
9574     AO_No_Error = 4
9575   };
9576 }
9577 /// \brief Diagnose invalid operand for address of operations.
9578 ///
9579 /// \param Type The type of operand which cannot have its address taken.
9580 static void diagnoseAddressOfInvalidType(Sema &S, SourceLocation Loc,
9581                                          Expr *E, unsigned Type) {
9582   S.Diag(Loc, diag::err_typecheck_address_of) << Type << E->getSourceRange();
9583 }
9584
9585 /// CheckAddressOfOperand - The operand of & must be either a function
9586 /// designator or an lvalue designating an object. If it is an lvalue, the
9587 /// object cannot be declared with storage class register or be a bit field.
9588 /// Note: The usual conversions are *not* applied to the operand of the &
9589 /// operator (C99 6.3.2.1p[2-4]), and its result is never an lvalue.
9590 /// In C++, the operand might be an overloaded function name, in which case
9591 /// we allow the '&' but retain the overloaded-function type.
9592 QualType Sema::CheckAddressOfOperand(ExprResult &OrigOp, SourceLocation OpLoc) {
9593   if (const BuiltinType *PTy = OrigOp.get()->getType()->getAsPlaceholderType()){
9594     if (PTy->getKind() == BuiltinType::Overload) {
9595       Expr *E = OrigOp.get()->IgnoreParens();
9596       if (!isa<OverloadExpr>(E)) {
9597         assert(cast<UnaryOperator>(E)->getOpcode() == UO_AddrOf);
9598         Diag(OpLoc, diag::err_typecheck_invalid_lvalue_addrof_addrof_function)
9599           << OrigOp.get()->getSourceRange();
9600         return QualType();
9601       }
9602
9603       OverloadExpr *Ovl = cast<OverloadExpr>(E);
9604       if (isa<UnresolvedMemberExpr>(Ovl))
9605         if (!ResolveSingleFunctionTemplateSpecialization(Ovl)) {
9606           Diag(OpLoc, diag::err_invalid_form_pointer_member_function)
9607             << OrigOp.get()->getSourceRange();
9608           return QualType();
9609         }
9610
9611       return Context.OverloadTy;
9612     }
9613
9614     if (PTy->getKind() == BuiltinType::UnknownAny)
9615       return Context.UnknownAnyTy;
9616
9617     if (PTy->getKind() == BuiltinType::BoundMember) {
9618       Diag(OpLoc, diag::err_invalid_form_pointer_member_function)
9619         << OrigOp.get()->getSourceRange();
9620       return QualType();
9621     }
9622
9623     OrigOp = CheckPlaceholderExpr(OrigOp.get());
9624     if (OrigOp.isInvalid()) return QualType();
9625   }
9626
9627   if (OrigOp.get()->isTypeDependent())
9628     return Context.DependentTy;
9629
9630   assert(!OrigOp.get()->getType()->isPlaceholderType());
9631
9632   // Make sure to ignore parentheses in subsequent checks
9633   Expr *op = OrigOp.get()->IgnoreParens();
9634
9635   // OpenCL v1.0 s6.8.a.3: Pointers to functions are not allowed.
9636   if (LangOpts.OpenCL && op->getType()->isFunctionType()) {
9637     Diag(op->getExprLoc(), diag::err_opencl_taking_function_address);
9638     return QualType();
9639   }
9640
9641   if (getLangOpts().C99) {
9642     // Implement C99-only parts of addressof rules.
9643     if (UnaryOperator* uOp = dyn_cast<UnaryOperator>(op)) {
9644       if (uOp->getOpcode() == UO_Deref)
9645         // Per C99 6.5.3.2, the address of a deref always returns a valid result
9646         // (assuming the deref expression is valid).
9647         return uOp->getSubExpr()->getType();
9648     }
9649     // Technically, there should be a check for array subscript
9650     // expressions here, but the result of one is always an lvalue anyway.
9651   }
9652   ValueDecl *dcl = getPrimaryDecl(op);
9653   Expr::LValueClassification lval = op->ClassifyLValue(Context);
9654   unsigned AddressOfError = AO_No_Error;
9655
9656   if (lval == Expr::LV_ClassTemporary || lval == Expr::LV_ArrayTemporary) { 
9657     bool sfinae = (bool)isSFINAEContext();
9658     Diag(OpLoc, isSFINAEContext() ? diag::err_typecheck_addrof_temporary
9659                                   : diag::ext_typecheck_addrof_temporary)
9660       << op->getType() << op->getSourceRange();
9661     if (sfinae)
9662       return QualType();
9663     // Materialize the temporary as an lvalue so that we can take its address.
9664     OrigOp = op = new (Context)
9665         MaterializeTemporaryExpr(op->getType(), OrigOp.get(), true);
9666   } else if (isa<ObjCSelectorExpr>(op)) {
9667     return Context.getPointerType(op->getType());
9668   } else if (lval == Expr::LV_MemberFunction) {
9669     // If it's an instance method, make a member pointer.
9670     // The expression must have exactly the form &A::foo.
9671
9672     // If the underlying expression isn't a decl ref, give up.
9673     if (!isa<DeclRefExpr>(op)) {
9674       Diag(OpLoc, diag::err_invalid_form_pointer_member_function)
9675         << OrigOp.get()->getSourceRange();
9676       return QualType();
9677     }
9678     DeclRefExpr *DRE = cast<DeclRefExpr>(op);
9679     CXXMethodDecl *MD = cast<CXXMethodDecl>(DRE->getDecl());
9680
9681     // The id-expression was parenthesized.
9682     if (OrigOp.get() != DRE) {
9683       Diag(OpLoc, diag::err_parens_pointer_member_function)
9684         << OrigOp.get()->getSourceRange();
9685
9686     // The method was named without a qualifier.
9687     } else if (!DRE->getQualifier()) {
9688       if (MD->getParent()->getName().empty())
9689         Diag(OpLoc, diag::err_unqualified_pointer_member_function)
9690           << op->getSourceRange();
9691       else {
9692         SmallString<32> Str;
9693         StringRef Qual = (MD->getParent()->getName() + "::").toStringRef(Str);
9694         Diag(OpLoc, diag::err_unqualified_pointer_member_function)
9695           << op->getSourceRange()
9696           << FixItHint::CreateInsertion(op->getSourceRange().getBegin(), Qual);
9697       }
9698     }
9699
9700     // Taking the address of a dtor is illegal per C++ [class.dtor]p2.
9701     if (isa<CXXDestructorDecl>(MD))
9702       Diag(OpLoc, diag::err_typecheck_addrof_dtor) << op->getSourceRange();
9703
9704     QualType MPTy = Context.getMemberPointerType(
9705         op->getType(), Context.getTypeDeclType(MD->getParent()).getTypePtr());
9706     if (Context.getTargetInfo().getCXXABI().isMicrosoft())
9707       RequireCompleteType(OpLoc, MPTy, 0);
9708     return MPTy;
9709   } else if (lval != Expr::LV_Valid && lval != Expr::LV_IncompleteVoidType) {
9710     // C99 6.5.3.2p1
9711     // The operand must be either an l-value or a function designator
9712     if (!op->getType()->isFunctionType()) {
9713       // Use a special diagnostic for loads from property references.
9714       if (isa<PseudoObjectExpr>(op)) {
9715         AddressOfError = AO_Property_Expansion;
9716       } else {
9717         Diag(OpLoc, diag::err_typecheck_invalid_lvalue_addrof)
9718           << op->getType() << op->getSourceRange();
9719         return QualType();
9720       }
9721     }
9722   } else if (op->getObjectKind() == OK_BitField) { // C99 6.5.3.2p1
9723     // The operand cannot be a bit-field
9724     AddressOfError = AO_Bit_Field;
9725   } else if (op->getObjectKind() == OK_VectorComponent) {
9726     // The operand cannot be an element of a vector
9727     AddressOfError = AO_Vector_Element;
9728   } else if (dcl) { // C99 6.5.3.2p1
9729     // We have an lvalue with a decl. Make sure the decl is not declared
9730     // with the register storage-class specifier.
9731     if (const VarDecl *vd = dyn_cast<VarDecl>(dcl)) {
9732       // in C++ it is not error to take address of a register
9733       // variable (c++03 7.1.1P3)
9734       if (vd->getStorageClass() == SC_Register &&
9735           !getLangOpts().CPlusPlus) {
9736         AddressOfError = AO_Register_Variable;
9737       }
9738     } else if (isa<MSPropertyDecl>(dcl)) {
9739       AddressOfError = AO_Property_Expansion;
9740     } else if (isa<FunctionTemplateDecl>(dcl)) {
9741       return Context.OverloadTy;
9742     } else if (isa<FieldDecl>(dcl) || isa<IndirectFieldDecl>(dcl)) {
9743       // Okay: we can take the address of a field.
9744       // Could be a pointer to member, though, if there is an explicit
9745       // scope qualifier for the class.
9746       if (isa<DeclRefExpr>(op) && cast<DeclRefExpr>(op)->getQualifier()) {
9747         DeclContext *Ctx = dcl->getDeclContext();
9748         if (Ctx && Ctx->isRecord()) {
9749           if (dcl->getType()->isReferenceType()) {
9750             Diag(OpLoc,
9751                  diag::err_cannot_form_pointer_to_member_of_reference_type)
9752               << dcl->getDeclName() << dcl->getType();
9753             return QualType();
9754           }
9755
9756           while (cast<RecordDecl>(Ctx)->isAnonymousStructOrUnion())
9757             Ctx = Ctx->getParent();
9758
9759           QualType MPTy = Context.getMemberPointerType(
9760               op->getType(),
9761               Context.getTypeDeclType(cast<RecordDecl>(Ctx)).getTypePtr());
9762           if (Context.getTargetInfo().getCXXABI().isMicrosoft())
9763             RequireCompleteType(OpLoc, MPTy, 0);
9764           return MPTy;
9765         }
9766       }
9767     } else if (!isa<FunctionDecl>(dcl) && !isa<NonTypeTemplateParmDecl>(dcl))
9768       llvm_unreachable("Unknown/unexpected decl type");
9769   }
9770
9771   if (AddressOfError != AO_No_Error) {
9772     diagnoseAddressOfInvalidType(*this, OpLoc, op, AddressOfError);
9773     return QualType();
9774   }
9775
9776   if (lval == Expr::LV_IncompleteVoidType) {
9777     // Taking the address of a void variable is technically illegal, but we
9778     // allow it in cases which are otherwise valid.
9779     // Example: "extern void x; void* y = &x;".
9780     Diag(OpLoc, diag::ext_typecheck_addrof_void) << op->getSourceRange();
9781   }
9782
9783   // If the operand has type "type", the result has type "pointer to type".
9784   if (op->getType()->isObjCObjectType())
9785     return Context.getObjCObjectPointerType(op->getType());
9786   return Context.getPointerType(op->getType());
9787 }
9788
9789 static void RecordModifiableNonNullParam(Sema &S, const Expr *Exp) {
9790   const DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(Exp);
9791   if (!DRE)
9792     return;
9793   const Decl *D = DRE->getDecl();
9794   if (!D)
9795     return;
9796   const ParmVarDecl *Param = dyn_cast<ParmVarDecl>(D);
9797   if (!Param)
9798     return;
9799   if (const FunctionDecl* FD = dyn_cast<FunctionDecl>(Param->getDeclContext()))
9800     if (!FD->hasAttr<NonNullAttr>() && !Param->hasAttr<NonNullAttr>())
9801       return;
9802   if (FunctionScopeInfo *FD = S.getCurFunction())
9803     if (!FD->ModifiedNonNullParams.count(Param))
9804       FD->ModifiedNonNullParams.insert(Param);
9805 }
9806
9807 /// CheckIndirectionOperand - Type check unary indirection (prefix '*').
9808 static QualType CheckIndirectionOperand(Sema &S, Expr *Op, ExprValueKind &VK,
9809                                         SourceLocation OpLoc) {
9810   if (Op->isTypeDependent())
9811     return S.Context.DependentTy;
9812
9813   ExprResult ConvResult = S.UsualUnaryConversions(Op);
9814   if (ConvResult.isInvalid())
9815     return QualType();
9816   Op = ConvResult.get();
9817   QualType OpTy = Op->getType();
9818   QualType Result;
9819
9820   if (isa<CXXReinterpretCastExpr>(Op)) {
9821     QualType OpOrigType = Op->IgnoreParenCasts()->getType();
9822     S.CheckCompatibleReinterpretCast(OpOrigType, OpTy, /*IsDereference*/true,
9823                                      Op->getSourceRange());
9824   }
9825
9826   if (const PointerType *PT = OpTy->getAs<PointerType>())
9827     Result = PT->getPointeeType();
9828   else if (const ObjCObjectPointerType *OPT =
9829              OpTy->getAs<ObjCObjectPointerType>())
9830     Result = OPT->getPointeeType();
9831   else {
9832     ExprResult PR = S.CheckPlaceholderExpr(Op);
9833     if (PR.isInvalid()) return QualType();
9834     if (PR.get() != Op)
9835       return CheckIndirectionOperand(S, PR.get(), VK, OpLoc);
9836   }
9837
9838   if (Result.isNull()) {
9839     S.Diag(OpLoc, diag::err_typecheck_indirection_requires_pointer)
9840       << OpTy << Op->getSourceRange();
9841     return QualType();
9842   }
9843
9844   // Note that per both C89 and C99, indirection is always legal, even if Result
9845   // is an incomplete type or void.  It would be possible to warn about
9846   // dereferencing a void pointer, but it's completely well-defined, and such a
9847   // warning is unlikely to catch any mistakes. In C++, indirection is not valid
9848   // for pointers to 'void' but is fine for any other pointer type:
9849   //
9850   // C++ [expr.unary.op]p1:
9851   //   [...] the expression to which [the unary * operator] is applied shall
9852   //   be a pointer to an object type, or a pointer to a function type
9853   if (S.getLangOpts().CPlusPlus && Result->isVoidType())
9854     S.Diag(OpLoc, diag::ext_typecheck_indirection_through_void_pointer)
9855       << OpTy << Op->getSourceRange();
9856
9857   // Dereferences are usually l-values...
9858   VK = VK_LValue;
9859
9860   // ...except that certain expressions are never l-values in C.
9861   if (!S.getLangOpts().CPlusPlus && Result.isCForbiddenLValueType())
9862     VK = VK_RValue;
9863   
9864   return Result;
9865 }
9866
9867 BinaryOperatorKind Sema::ConvertTokenKindToBinaryOpcode(tok::TokenKind Kind) {
9868   BinaryOperatorKind Opc;
9869   switch (Kind) {
9870   default: llvm_unreachable("Unknown binop!");
9871   case tok::periodstar:           Opc = BO_PtrMemD; break;
9872   case tok::arrowstar:            Opc = BO_PtrMemI; break;
9873   case tok::star:                 Opc = BO_Mul; break;
9874   case tok::slash:                Opc = BO_Div; break;
9875   case tok::percent:              Opc = BO_Rem; break;
9876   case tok::plus:                 Opc = BO_Add; break;
9877   case tok::minus:                Opc = BO_Sub; break;
9878   case tok::lessless:             Opc = BO_Shl; break;
9879   case tok::greatergreater:       Opc = BO_Shr; break;
9880   case tok::lessequal:            Opc = BO_LE; break;
9881   case tok::less:                 Opc = BO_LT; break;
9882   case tok::greaterequal:         Opc = BO_GE; break;
9883   case tok::greater:              Opc = BO_GT; break;
9884   case tok::exclaimequal:         Opc = BO_NE; break;
9885   case tok::equalequal:           Opc = BO_EQ; break;
9886   case tok::amp:                  Opc = BO_And; break;
9887   case tok::caret:                Opc = BO_Xor; break;
9888   case tok::pipe:                 Opc = BO_Or; break;
9889   case tok::ampamp:               Opc = BO_LAnd; break;
9890   case tok::pipepipe:             Opc = BO_LOr; break;
9891   case tok::equal:                Opc = BO_Assign; break;
9892   case tok::starequal:            Opc = BO_MulAssign; break;
9893   case tok::slashequal:           Opc = BO_DivAssign; break;
9894   case tok::percentequal:         Opc = BO_RemAssign; break;
9895   case tok::plusequal:            Opc = BO_AddAssign; break;
9896   case tok::minusequal:           Opc = BO_SubAssign; break;
9897   case tok::lesslessequal:        Opc = BO_ShlAssign; break;
9898   case tok::greatergreaterequal:  Opc = BO_ShrAssign; break;
9899   case tok::ampequal:             Opc = BO_AndAssign; break;
9900   case tok::caretequal:           Opc = BO_XorAssign; break;
9901   case tok::pipeequal:            Opc = BO_OrAssign; break;
9902   case tok::comma:                Opc = BO_Comma; break;
9903   }
9904   return Opc;
9905 }
9906
9907 static inline UnaryOperatorKind ConvertTokenKindToUnaryOpcode(
9908   tok::TokenKind Kind) {
9909   UnaryOperatorKind Opc;
9910   switch (Kind) {
9911   default: llvm_unreachable("Unknown unary op!");
9912   case tok::plusplus:     Opc = UO_PreInc; break;
9913   case tok::minusminus:   Opc = UO_PreDec; break;
9914   case tok::amp:          Opc = UO_AddrOf; break;
9915   case tok::star:         Opc = UO_Deref; break;
9916   case tok::plus:         Opc = UO_Plus; break;
9917   case tok::minus:        Opc = UO_Minus; break;
9918   case tok::tilde:        Opc = UO_Not; break;
9919   case tok::exclaim:      Opc = UO_LNot; break;
9920   case tok::kw___real:    Opc = UO_Real; break;
9921   case tok::kw___imag:    Opc = UO_Imag; break;
9922   case tok::kw___extension__: Opc = UO_Extension; break;
9923   }
9924   return Opc;
9925 }
9926
9927 /// DiagnoseSelfAssignment - Emits a warning if a value is assigned to itself.
9928 /// This warning is only emitted for builtin assignment operations. It is also
9929 /// suppressed in the event of macro expansions.
9930 static void DiagnoseSelfAssignment(Sema &S, Expr *LHSExpr, Expr *RHSExpr,
9931                                    SourceLocation OpLoc) {
9932   if (!S.ActiveTemplateInstantiations.empty())
9933     return;
9934   if (OpLoc.isInvalid() || OpLoc.isMacroID())
9935     return;
9936   LHSExpr = LHSExpr->IgnoreParenImpCasts();
9937   RHSExpr = RHSExpr->IgnoreParenImpCasts();
9938   const DeclRefExpr *LHSDeclRef = dyn_cast<DeclRefExpr>(LHSExpr);
9939   const DeclRefExpr *RHSDeclRef = dyn_cast<DeclRefExpr>(RHSExpr);
9940   if (!LHSDeclRef || !RHSDeclRef ||
9941       LHSDeclRef->getLocation().isMacroID() ||
9942       RHSDeclRef->getLocation().isMacroID())
9943     return;
9944   const ValueDecl *LHSDecl =
9945     cast<ValueDecl>(LHSDeclRef->getDecl()->getCanonicalDecl());
9946   const ValueDecl *RHSDecl =
9947     cast<ValueDecl>(RHSDeclRef->getDecl()->getCanonicalDecl());
9948   if (LHSDecl != RHSDecl)
9949     return;
9950   if (LHSDecl->getType().isVolatileQualified())
9951     return;
9952   if (const ReferenceType *RefTy = LHSDecl->getType()->getAs<ReferenceType>())
9953     if (RefTy->getPointeeType().isVolatileQualified())
9954       return;
9955
9956   S.Diag(OpLoc, diag::warn_self_assignment)
9957       << LHSDeclRef->getType()
9958       << LHSExpr->getSourceRange() << RHSExpr->getSourceRange();
9959 }
9960
9961 /// Check if a bitwise-& is performed on an Objective-C pointer.  This
9962 /// is usually indicative of introspection within the Objective-C pointer.
9963 static void checkObjCPointerIntrospection(Sema &S, ExprResult &L, ExprResult &R,
9964                                           SourceLocation OpLoc) {
9965   if (!S.getLangOpts().ObjC1)
9966     return;
9967
9968   const Expr *ObjCPointerExpr = nullptr, *OtherExpr = nullptr;
9969   const Expr *LHS = L.get();
9970   const Expr *RHS = R.get();
9971
9972   if (LHS->IgnoreParenCasts()->getType()->isObjCObjectPointerType()) {
9973     ObjCPointerExpr = LHS;
9974     OtherExpr = RHS;
9975   }
9976   else if (RHS->IgnoreParenCasts()->getType()->isObjCObjectPointerType()) {
9977     ObjCPointerExpr = RHS;
9978     OtherExpr = LHS;
9979   }
9980
9981   // This warning is deliberately made very specific to reduce false
9982   // positives with logic that uses '&' for hashing.  This logic mainly
9983   // looks for code trying to introspect into tagged pointers, which
9984   // code should generally never do.
9985   if (ObjCPointerExpr && isa<IntegerLiteral>(OtherExpr->IgnoreParenCasts())) {
9986     unsigned Diag = diag::warn_objc_pointer_masking;
9987     // Determine if we are introspecting the result of performSelectorXXX.
9988     const Expr *Ex = ObjCPointerExpr->IgnoreParenCasts();
9989     // Special case messages to -performSelector and friends, which
9990     // can return non-pointer values boxed in a pointer value.
9991     // Some clients may wish to silence warnings in this subcase.
9992     if (const ObjCMessageExpr *ME = dyn_cast<ObjCMessageExpr>(Ex)) {
9993       Selector S = ME->getSelector();
9994       StringRef SelArg0 = S.getNameForSlot(0);
9995       if (SelArg0.startswith("performSelector"))
9996         Diag = diag::warn_objc_pointer_masking_performSelector;
9997     }
9998     
9999     S.Diag(OpLoc, Diag)
10000       << ObjCPointerExpr->getSourceRange();
10001   }
10002 }
10003
10004 static NamedDecl *getDeclFromExpr(Expr *E) {
10005   if (!E)
10006     return nullptr;
10007   if (auto *DRE = dyn_cast<DeclRefExpr>(E))
10008     return DRE->getDecl();
10009   if (auto *ME = dyn_cast<MemberExpr>(E))
10010     return ME->getMemberDecl();
10011   if (auto *IRE = dyn_cast<ObjCIvarRefExpr>(E))
10012     return IRE->getDecl();
10013   return nullptr;
10014 }
10015
10016 /// CreateBuiltinBinOp - Creates a new built-in binary operation with
10017 /// operator @p Opc at location @c TokLoc. This routine only supports
10018 /// built-in operations; ActOnBinOp handles overloaded operators.
10019 ExprResult Sema::CreateBuiltinBinOp(SourceLocation OpLoc,
10020                                     BinaryOperatorKind Opc,
10021                                     Expr *LHSExpr, Expr *RHSExpr) {
10022   if (getLangOpts().CPlusPlus11 && isa<InitListExpr>(RHSExpr)) {
10023     // The syntax only allows initializer lists on the RHS of assignment,
10024     // so we don't need to worry about accepting invalid code for
10025     // non-assignment operators.
10026     // C++11 5.17p9:
10027     //   The meaning of x = {v} [...] is that of x = T(v) [...]. The meaning
10028     //   of x = {} is x = T().
10029     InitializationKind Kind =
10030         InitializationKind::CreateDirectList(RHSExpr->getLocStart());
10031     InitializedEntity Entity =
10032         InitializedEntity::InitializeTemporary(LHSExpr->getType());
10033     InitializationSequence InitSeq(*this, Entity, Kind, RHSExpr);
10034     ExprResult Init = InitSeq.Perform(*this, Entity, Kind, RHSExpr);
10035     if (Init.isInvalid())
10036       return Init;
10037     RHSExpr = Init.get();
10038   }
10039
10040   ExprResult LHS = LHSExpr, RHS = RHSExpr;
10041   QualType ResultTy;     // Result type of the binary operator.
10042   // The following two variables are used for compound assignment operators
10043   QualType CompLHSTy;    // Type of LHS after promotions for computation
10044   QualType CompResultTy; // Type of computation result
10045   ExprValueKind VK = VK_RValue;
10046   ExprObjectKind OK = OK_Ordinary;
10047
10048   if (!getLangOpts().CPlusPlus) {
10049     // C cannot handle TypoExpr nodes on either side of a binop because it
10050     // doesn't handle dependent types properly, so make sure any TypoExprs have
10051     // been dealt with before checking the operands.
10052     LHS = CorrectDelayedTyposInExpr(LHSExpr);
10053     RHS = CorrectDelayedTyposInExpr(RHSExpr, [Opc, LHS](Expr *E) {
10054       if (Opc != BO_Assign)
10055         return ExprResult(E);
10056       // Avoid correcting the RHS to the same Expr as the LHS.
10057       Decl *D = getDeclFromExpr(E);
10058       return (D && D == getDeclFromExpr(LHS.get())) ? ExprError() : E;
10059     });
10060     if (!LHS.isUsable() || !RHS.isUsable())
10061       return ExprError();
10062   }
10063
10064   switch (Opc) {
10065   case BO_Assign:
10066     ResultTy = CheckAssignmentOperands(LHS.get(), RHS, OpLoc, QualType());
10067     if (getLangOpts().CPlusPlus &&
10068         LHS.get()->getObjectKind() != OK_ObjCProperty) {
10069       VK = LHS.get()->getValueKind();
10070       OK = LHS.get()->getObjectKind();
10071     }
10072     if (!ResultTy.isNull()) {
10073       DiagnoseSelfAssignment(*this, LHS.get(), RHS.get(), OpLoc);
10074       DiagnoseSelfMove(LHS.get(), RHS.get(), OpLoc);
10075     }
10076     RecordModifiableNonNullParam(*this, LHS.get());
10077     break;
10078   case BO_PtrMemD:
10079   case BO_PtrMemI:
10080     ResultTy = CheckPointerToMemberOperands(LHS, RHS, VK, OpLoc,
10081                                             Opc == BO_PtrMemI);
10082     break;
10083   case BO_Mul:
10084   case BO_Div:
10085     ResultTy = CheckMultiplyDivideOperands(LHS, RHS, OpLoc, false,
10086                                            Opc == BO_Div);
10087     break;
10088   case BO_Rem:
10089     ResultTy = CheckRemainderOperands(LHS, RHS, OpLoc);
10090     break;
10091   case BO_Add:
10092     ResultTy = CheckAdditionOperands(LHS, RHS, OpLoc, Opc);
10093     break;
10094   case BO_Sub:
10095     ResultTy = CheckSubtractionOperands(LHS, RHS, OpLoc);
10096     break;
10097   case BO_Shl:
10098   case BO_Shr:
10099     ResultTy = CheckShiftOperands(LHS, RHS, OpLoc, Opc);
10100     break;
10101   case BO_LE:
10102   case BO_LT:
10103   case BO_GE:
10104   case BO_GT:
10105     ResultTy = CheckCompareOperands(LHS, RHS, OpLoc, Opc, true);
10106     break;
10107   case BO_EQ:
10108   case BO_NE:
10109     ResultTy = CheckCompareOperands(LHS, RHS, OpLoc, Opc, false);
10110     break;
10111   case BO_And:
10112     checkObjCPointerIntrospection(*this, LHS, RHS, OpLoc);
10113   case BO_Xor:
10114   case BO_Or:
10115     ResultTy = CheckBitwiseOperands(LHS, RHS, OpLoc);
10116     break;
10117   case BO_LAnd:
10118   case BO_LOr:
10119     ResultTy = CheckLogicalOperands(LHS, RHS, OpLoc, Opc);
10120     break;
10121   case BO_MulAssign:
10122   case BO_DivAssign:
10123     CompResultTy = CheckMultiplyDivideOperands(LHS, RHS, OpLoc, true,
10124                                                Opc == BO_DivAssign);
10125     CompLHSTy = CompResultTy;
10126     if (!CompResultTy.isNull() && !LHS.isInvalid() && !RHS.isInvalid())
10127       ResultTy = CheckAssignmentOperands(LHS.get(), RHS, OpLoc, CompResultTy);
10128     break;
10129   case BO_RemAssign:
10130     CompResultTy = CheckRemainderOperands(LHS, RHS, OpLoc, true);
10131     CompLHSTy = CompResultTy;
10132     if (!CompResultTy.isNull() && !LHS.isInvalid() && !RHS.isInvalid())
10133       ResultTy = CheckAssignmentOperands(LHS.get(), RHS, OpLoc, CompResultTy);
10134     break;
10135   case BO_AddAssign:
10136     CompResultTy = CheckAdditionOperands(LHS, RHS, OpLoc, Opc, &CompLHSTy);
10137     if (!CompResultTy.isNull() && !LHS.isInvalid() && !RHS.isInvalid())
10138       ResultTy = CheckAssignmentOperands(LHS.get(), RHS, OpLoc, CompResultTy);
10139     break;
10140   case BO_SubAssign:
10141     CompResultTy = CheckSubtractionOperands(LHS, RHS, OpLoc, &CompLHSTy);
10142     if (!CompResultTy.isNull() && !LHS.isInvalid() && !RHS.isInvalid())
10143       ResultTy = CheckAssignmentOperands(LHS.get(), RHS, OpLoc, CompResultTy);
10144     break;
10145   case BO_ShlAssign:
10146   case BO_ShrAssign:
10147     CompResultTy = CheckShiftOperands(LHS, RHS, OpLoc, Opc, true);
10148     CompLHSTy = CompResultTy;
10149     if (!CompResultTy.isNull() && !LHS.isInvalid() && !RHS.isInvalid())
10150       ResultTy = CheckAssignmentOperands(LHS.get(), RHS, OpLoc, CompResultTy);
10151     break;
10152   case BO_AndAssign:
10153   case BO_OrAssign: // fallthrough
10154           DiagnoseSelfAssignment(*this, LHS.get(), RHS.get(), OpLoc);
10155   case BO_XorAssign:
10156     CompResultTy = CheckBitwiseOperands(LHS, RHS, OpLoc, true);
10157     CompLHSTy = CompResultTy;
10158     if (!CompResultTy.isNull() && !LHS.isInvalid() && !RHS.isInvalid())
10159       ResultTy = CheckAssignmentOperands(LHS.get(), RHS, OpLoc, CompResultTy);
10160     break;
10161   case BO_Comma:
10162     ResultTy = CheckCommaOperands(*this, LHS, RHS, OpLoc);
10163     if (getLangOpts().CPlusPlus && !RHS.isInvalid()) {
10164       VK = RHS.get()->getValueKind();
10165       OK = RHS.get()->getObjectKind();
10166     }
10167     break;
10168   }
10169   if (ResultTy.isNull() || LHS.isInvalid() || RHS.isInvalid())
10170     return ExprError();
10171
10172   // Check for array bounds violations for both sides of the BinaryOperator
10173   CheckArrayAccess(LHS.get());
10174   CheckArrayAccess(RHS.get());
10175
10176   if (const ObjCIsaExpr *OISA = dyn_cast<ObjCIsaExpr>(LHS.get()->IgnoreParenCasts())) {
10177     NamedDecl *ObjectSetClass = LookupSingleName(TUScope,
10178                                                  &Context.Idents.get("object_setClass"),
10179                                                  SourceLocation(), LookupOrdinaryName);
10180     if (ObjectSetClass && isa<ObjCIsaExpr>(LHS.get())) {
10181       SourceLocation RHSLocEnd = PP.getLocForEndOfToken(RHS.get()->getLocEnd());
10182       Diag(LHS.get()->getExprLoc(), diag::warn_objc_isa_assign) <<
10183       FixItHint::CreateInsertion(LHS.get()->getLocStart(), "object_setClass(") <<
10184       FixItHint::CreateReplacement(SourceRange(OISA->getOpLoc(), OpLoc), ",") <<
10185       FixItHint::CreateInsertion(RHSLocEnd, ")");
10186     }
10187     else
10188       Diag(LHS.get()->getExprLoc(), diag::warn_objc_isa_assign);
10189   }
10190   else if (const ObjCIvarRefExpr *OIRE =
10191            dyn_cast<ObjCIvarRefExpr>(LHS.get()->IgnoreParenCasts()))
10192     DiagnoseDirectIsaAccess(*this, OIRE, OpLoc, RHS.get());
10193   
10194   if (CompResultTy.isNull())
10195     return new (Context) BinaryOperator(LHS.get(), RHS.get(), Opc, ResultTy, VK,
10196                                         OK, OpLoc, FPFeatures.fp_contract);
10197   if (getLangOpts().CPlusPlus && LHS.get()->getObjectKind() !=
10198       OK_ObjCProperty) {
10199     VK = VK_LValue;
10200     OK = LHS.get()->getObjectKind();
10201   }
10202   return new (Context) CompoundAssignOperator(
10203       LHS.get(), RHS.get(), Opc, ResultTy, VK, OK, CompLHSTy, CompResultTy,
10204       OpLoc, FPFeatures.fp_contract);
10205 }
10206
10207 /// DiagnoseBitwisePrecedence - Emit a warning when bitwise and comparison
10208 /// operators are mixed in a way that suggests that the programmer forgot that
10209 /// comparison operators have higher precedence. The most typical example of
10210 /// such code is "flags & 0x0020 != 0", which is equivalent to "flags & 1".
10211 static void DiagnoseBitwisePrecedence(Sema &Self, BinaryOperatorKind Opc,
10212                                       SourceLocation OpLoc, Expr *LHSExpr,
10213                                       Expr *RHSExpr) {
10214   BinaryOperator *LHSBO = dyn_cast<BinaryOperator>(LHSExpr);
10215   BinaryOperator *RHSBO = dyn_cast<BinaryOperator>(RHSExpr);
10216
10217   // Check that one of the sides is a comparison operator.
10218   bool isLeftComp = LHSBO && LHSBO->isComparisonOp();
10219   bool isRightComp = RHSBO && RHSBO->isComparisonOp();
10220   if (!isLeftComp && !isRightComp)
10221     return;
10222
10223   // Bitwise operations are sometimes used as eager logical ops.
10224   // Don't diagnose this.
10225   bool isLeftBitwise = LHSBO && LHSBO->isBitwiseOp();
10226   bool isRightBitwise = RHSBO && RHSBO->isBitwiseOp();
10227   if ((isLeftComp || isLeftBitwise) && (isRightComp || isRightBitwise))
10228     return;
10229
10230   SourceRange DiagRange = isLeftComp ? SourceRange(LHSExpr->getLocStart(),
10231                                                    OpLoc)
10232                                      : SourceRange(OpLoc, RHSExpr->getLocEnd());
10233   StringRef OpStr = isLeftComp ? LHSBO->getOpcodeStr() : RHSBO->getOpcodeStr();
10234   SourceRange ParensRange = isLeftComp ?
10235       SourceRange(LHSBO->getRHS()->getLocStart(), RHSExpr->getLocEnd())
10236     : SourceRange(LHSExpr->getLocStart(), RHSBO->getLHS()->getLocEnd());
10237
10238   Self.Diag(OpLoc, diag::warn_precedence_bitwise_rel)
10239     << DiagRange << BinaryOperator::getOpcodeStr(Opc) << OpStr;
10240   SuggestParentheses(Self, OpLoc,
10241     Self.PDiag(diag::note_precedence_silence) << OpStr,
10242     (isLeftComp ? LHSExpr : RHSExpr)->getSourceRange());
10243   SuggestParentheses(Self, OpLoc,
10244     Self.PDiag(diag::note_precedence_bitwise_first)
10245       << BinaryOperator::getOpcodeStr(Opc),
10246     ParensRange);
10247 }
10248
10249 /// \brief It accepts a '&' expr that is inside a '|' one.
10250 /// Emit a diagnostic together with a fixit hint that wraps the '&' expression
10251 /// in parentheses.
10252 static void
10253 EmitDiagnosticForBitwiseAndInBitwiseOr(Sema &Self, SourceLocation OpLoc,
10254                                        BinaryOperator *Bop) {
10255   assert(Bop->getOpcode() == BO_And);
10256   Self.Diag(Bop->getOperatorLoc(), diag::warn_bitwise_and_in_bitwise_or)
10257       << Bop->getSourceRange() << OpLoc;
10258   SuggestParentheses(Self, Bop->getOperatorLoc(),
10259     Self.PDiag(diag::note_precedence_silence)
10260       << Bop->getOpcodeStr(),
10261     Bop->getSourceRange());
10262 }
10263
10264 /// \brief It accepts a '&&' expr that is inside a '||' one.
10265 /// Emit a diagnostic together with a fixit hint that wraps the '&&' expression
10266 /// in parentheses.
10267 static void
10268 EmitDiagnosticForLogicalAndInLogicalOr(Sema &Self, SourceLocation OpLoc,
10269                                        BinaryOperator *Bop) {
10270   assert(Bop->getOpcode() == BO_LAnd);
10271   Self.Diag(Bop->getOperatorLoc(), diag::warn_logical_and_in_logical_or)
10272       << Bop->getSourceRange() << OpLoc;
10273   SuggestParentheses(Self, Bop->getOperatorLoc(),
10274     Self.PDiag(diag::note_precedence_silence)
10275       << Bop->getOpcodeStr(),
10276     Bop->getSourceRange());
10277 }
10278
10279 /// \brief Returns true if the given expression can be evaluated as a constant
10280 /// 'true'.
10281 static bool EvaluatesAsTrue(Sema &S, Expr *E) {
10282   bool Res;
10283   return !E->isValueDependent() &&
10284          E->EvaluateAsBooleanCondition(Res, S.getASTContext()) && Res;
10285 }
10286
10287 /// \brief Returns true if the given expression can be evaluated as a constant
10288 /// 'false'.
10289 static bool EvaluatesAsFalse(Sema &S, Expr *E) {
10290   bool Res;
10291   return !E->isValueDependent() &&
10292          E->EvaluateAsBooleanCondition(Res, S.getASTContext()) && !Res;
10293 }
10294
10295 /// \brief Look for '&&' in the left hand of a '||' expr.
10296 static void DiagnoseLogicalAndInLogicalOrLHS(Sema &S, SourceLocation OpLoc,
10297                                              Expr *LHSExpr, Expr *RHSExpr) {
10298   if (BinaryOperator *Bop = dyn_cast<BinaryOperator>(LHSExpr)) {
10299     if (Bop->getOpcode() == BO_LAnd) {
10300       // If it's "a && b || 0" don't warn since the precedence doesn't matter.
10301       if (EvaluatesAsFalse(S, RHSExpr))
10302         return;
10303       // If it's "1 && a || b" don't warn since the precedence doesn't matter.
10304       if (!EvaluatesAsTrue(S, Bop->getLHS()))
10305         return EmitDiagnosticForLogicalAndInLogicalOr(S, OpLoc, Bop);
10306     } else if (Bop->getOpcode() == BO_LOr) {
10307       if (BinaryOperator *RBop = dyn_cast<BinaryOperator>(Bop->getRHS())) {
10308         // If it's "a || b && 1 || c" we didn't warn earlier for
10309         // "a || b && 1", but warn now.
10310         if (RBop->getOpcode() == BO_LAnd && EvaluatesAsTrue(S, RBop->getRHS()))
10311           return EmitDiagnosticForLogicalAndInLogicalOr(S, OpLoc, RBop);
10312       }
10313     }
10314   }
10315 }
10316
10317 /// \brief Look for '&&' in the right hand of a '||' expr.
10318 static void DiagnoseLogicalAndInLogicalOrRHS(Sema &S, SourceLocation OpLoc,
10319                                              Expr *LHSExpr, Expr *RHSExpr) {
10320   if (BinaryOperator *Bop = dyn_cast<BinaryOperator>(RHSExpr)) {
10321     if (Bop->getOpcode() == BO_LAnd) {
10322       // If it's "0 || a && b" don't warn since the precedence doesn't matter.
10323       if (EvaluatesAsFalse(S, LHSExpr))
10324         return;
10325       // If it's "a || b && 1" don't warn since the precedence doesn't matter.
10326       if (!EvaluatesAsTrue(S, Bop->getRHS()))
10327         return EmitDiagnosticForLogicalAndInLogicalOr(S, OpLoc, Bop);
10328     }
10329   }
10330 }
10331
10332 /// \brief Look for '&' in the left or right hand of a '|' expr.
10333 static void DiagnoseBitwiseAndInBitwiseOr(Sema &S, SourceLocation OpLoc,
10334                                              Expr *OrArg) {
10335   if (BinaryOperator *Bop = dyn_cast<BinaryOperator>(OrArg)) {
10336     if (Bop->getOpcode() == BO_And)
10337       return EmitDiagnosticForBitwiseAndInBitwiseOr(S, OpLoc, Bop);
10338   }
10339 }
10340
10341 static void DiagnoseAdditionInShift(Sema &S, SourceLocation OpLoc,
10342                                     Expr *SubExpr, StringRef Shift) {
10343   if (BinaryOperator *Bop = dyn_cast<BinaryOperator>(SubExpr)) {
10344     if (Bop->getOpcode() == BO_Add || Bop->getOpcode() == BO_Sub) {
10345       StringRef Op = Bop->getOpcodeStr();
10346       S.Diag(Bop->getOperatorLoc(), diag::warn_addition_in_bitshift)
10347           << Bop->getSourceRange() << OpLoc << Shift << Op;
10348       SuggestParentheses(S, Bop->getOperatorLoc(),
10349           S.PDiag(diag::note_precedence_silence) << Op,
10350           Bop->getSourceRange());
10351     }
10352   }
10353 }
10354
10355 static void DiagnoseShiftCompare(Sema &S, SourceLocation OpLoc,
10356                                  Expr *LHSExpr, Expr *RHSExpr) {
10357   CXXOperatorCallExpr *OCE = dyn_cast<CXXOperatorCallExpr>(LHSExpr);
10358   if (!OCE)
10359     return;
10360
10361   FunctionDecl *FD = OCE->getDirectCallee();
10362   if (!FD || !FD->isOverloadedOperator())
10363     return;
10364
10365   OverloadedOperatorKind Kind = FD->getOverloadedOperator();
10366   if (Kind != OO_LessLess && Kind != OO_GreaterGreater)
10367     return;
10368
10369   S.Diag(OpLoc, diag::warn_overloaded_shift_in_comparison)
10370       << LHSExpr->getSourceRange() << RHSExpr->getSourceRange()
10371       << (Kind == OO_LessLess);
10372   SuggestParentheses(S, OCE->getOperatorLoc(),
10373                      S.PDiag(diag::note_precedence_silence)
10374                          << (Kind == OO_LessLess ? "<<" : ">>"),
10375                      OCE->getSourceRange());
10376   SuggestParentheses(S, OpLoc,
10377                      S.PDiag(diag::note_evaluate_comparison_first),
10378                      SourceRange(OCE->getArg(1)->getLocStart(),
10379                                  RHSExpr->getLocEnd()));
10380 }
10381
10382 /// DiagnoseBinOpPrecedence - Emit warnings for expressions with tricky
10383 /// precedence.
10384 static void DiagnoseBinOpPrecedence(Sema &Self, BinaryOperatorKind Opc,
10385                                     SourceLocation OpLoc, Expr *LHSExpr,
10386                                     Expr *RHSExpr){
10387   // Diagnose "arg1 'bitwise' arg2 'eq' arg3".
10388   if (BinaryOperator::isBitwiseOp(Opc))
10389     DiagnoseBitwisePrecedence(Self, Opc, OpLoc, LHSExpr, RHSExpr);
10390
10391   // Diagnose "arg1 & arg2 | arg3"
10392   if (Opc == BO_Or && !OpLoc.isMacroID()/* Don't warn in macros. */) {
10393     DiagnoseBitwiseAndInBitwiseOr(Self, OpLoc, LHSExpr);
10394     DiagnoseBitwiseAndInBitwiseOr(Self, OpLoc, RHSExpr);
10395   }
10396
10397   // Warn about arg1 || arg2 && arg3, as GCC 4.3+ does.
10398   // We don't warn for 'assert(a || b && "bad")' since this is safe.
10399   if (Opc == BO_LOr && !OpLoc.isMacroID()/* Don't warn in macros. */) {
10400     DiagnoseLogicalAndInLogicalOrLHS(Self, OpLoc, LHSExpr, RHSExpr);
10401     DiagnoseLogicalAndInLogicalOrRHS(Self, OpLoc, LHSExpr, RHSExpr);
10402   }
10403
10404   if ((Opc == BO_Shl && LHSExpr->getType()->isIntegralType(Self.getASTContext()))
10405       || Opc == BO_Shr) {
10406     StringRef Shift = BinaryOperator::getOpcodeStr(Opc);
10407     DiagnoseAdditionInShift(Self, OpLoc, LHSExpr, Shift);
10408     DiagnoseAdditionInShift(Self, OpLoc, RHSExpr, Shift);
10409   }
10410
10411   // Warn on overloaded shift operators and comparisons, such as:
10412   // cout << 5 == 4;
10413   if (BinaryOperator::isComparisonOp(Opc))
10414     DiagnoseShiftCompare(Self, OpLoc, LHSExpr, RHSExpr);
10415 }
10416
10417 // Binary Operators.  'Tok' is the token for the operator.
10418 ExprResult Sema::ActOnBinOp(Scope *S, SourceLocation TokLoc,
10419                             tok::TokenKind Kind,
10420                             Expr *LHSExpr, Expr *RHSExpr) {
10421   BinaryOperatorKind Opc = ConvertTokenKindToBinaryOpcode(Kind);
10422   assert(LHSExpr && "ActOnBinOp(): missing left expression");
10423   assert(RHSExpr && "ActOnBinOp(): missing right expression");
10424
10425   // Emit warnings for tricky precedence issues, e.g. "bitfield & 0x4 == 0"
10426   DiagnoseBinOpPrecedence(*this, Opc, TokLoc, LHSExpr, RHSExpr);
10427
10428   return BuildBinOp(S, TokLoc, Opc, LHSExpr, RHSExpr);
10429 }
10430
10431 /// Build an overloaded binary operator expression in the given scope.
10432 static ExprResult BuildOverloadedBinOp(Sema &S, Scope *Sc, SourceLocation OpLoc,
10433                                        BinaryOperatorKind Opc,
10434                                        Expr *LHS, Expr *RHS) {
10435   // Find all of the overloaded operators visible from this
10436   // point. We perform both an operator-name lookup from the local
10437   // scope and an argument-dependent lookup based on the types of
10438   // the arguments.
10439   UnresolvedSet<16> Functions;
10440   OverloadedOperatorKind OverOp
10441     = BinaryOperator::getOverloadedOperator(Opc);
10442   if (Sc && OverOp != OO_None && OverOp != OO_Equal)
10443     S.LookupOverloadedOperatorName(OverOp, Sc, LHS->getType(),
10444                                    RHS->getType(), Functions);
10445
10446   // Build the (potentially-overloaded, potentially-dependent)
10447   // binary operation.
10448   return S.CreateOverloadedBinOp(OpLoc, Opc, Functions, LHS, RHS);
10449 }
10450
10451 ExprResult Sema::BuildBinOp(Scope *S, SourceLocation OpLoc,
10452                             BinaryOperatorKind Opc,
10453                             Expr *LHSExpr, Expr *RHSExpr) {
10454   // We want to end up calling one of checkPseudoObjectAssignment
10455   // (if the LHS is a pseudo-object), BuildOverloadedBinOp (if
10456   // both expressions are overloadable or either is type-dependent),
10457   // or CreateBuiltinBinOp (in any other case).  We also want to get
10458   // any placeholder types out of the way.
10459
10460   // Handle pseudo-objects in the LHS.
10461   if (const BuiltinType *pty = LHSExpr->getType()->getAsPlaceholderType()) {
10462     // Assignments with a pseudo-object l-value need special analysis.
10463     if (pty->getKind() == BuiltinType::PseudoObject &&
10464         BinaryOperator::isAssignmentOp(Opc))
10465       return checkPseudoObjectAssignment(S, OpLoc, Opc, LHSExpr, RHSExpr);
10466
10467     // Don't resolve overloads if the other type is overloadable.
10468     if (pty->getKind() == BuiltinType::Overload) {
10469       // We can't actually test that if we still have a placeholder,
10470       // though.  Fortunately, none of the exceptions we see in that
10471       // code below are valid when the LHS is an overload set.  Note
10472       // that an overload set can be dependently-typed, but it never
10473       // instantiates to having an overloadable type.
10474       ExprResult resolvedRHS = CheckPlaceholderExpr(RHSExpr);
10475       if (resolvedRHS.isInvalid()) return ExprError();
10476       RHSExpr = resolvedRHS.get();
10477
10478       if (RHSExpr->isTypeDependent() ||
10479           RHSExpr->getType()->isOverloadableType())
10480         return BuildOverloadedBinOp(*this, S, OpLoc, Opc, LHSExpr, RHSExpr);
10481     }
10482         
10483     ExprResult LHS = CheckPlaceholderExpr(LHSExpr);
10484     if (LHS.isInvalid()) return ExprError();
10485     LHSExpr = LHS.get();
10486   }
10487
10488   // Handle pseudo-objects in the RHS.
10489   if (const BuiltinType *pty = RHSExpr->getType()->getAsPlaceholderType()) {
10490     // An overload in the RHS can potentially be resolved by the type
10491     // being assigned to.
10492     if (Opc == BO_Assign && pty->getKind() == BuiltinType::Overload) {
10493       if (LHSExpr->isTypeDependent() || RHSExpr->isTypeDependent())
10494         return BuildOverloadedBinOp(*this, S, OpLoc, Opc, LHSExpr, RHSExpr);
10495
10496       if (LHSExpr->getType()->isOverloadableType())
10497         return BuildOverloadedBinOp(*this, S, OpLoc, Opc, LHSExpr, RHSExpr);
10498
10499       return CreateBuiltinBinOp(OpLoc, Opc, LHSExpr, RHSExpr);
10500     }
10501
10502     // Don't resolve overloads if the other type is overloadable.
10503     if (pty->getKind() == BuiltinType::Overload &&
10504         LHSExpr->getType()->isOverloadableType())
10505       return BuildOverloadedBinOp(*this, S, OpLoc, Opc, LHSExpr, RHSExpr);
10506
10507     ExprResult resolvedRHS = CheckPlaceholderExpr(RHSExpr);
10508     if (!resolvedRHS.isUsable()) return ExprError();
10509     RHSExpr = resolvedRHS.get();
10510   }
10511
10512   if (getLangOpts().CPlusPlus) {
10513     // If either expression is type-dependent, always build an
10514     // overloaded op.
10515     if (LHSExpr->isTypeDependent() || RHSExpr->isTypeDependent())
10516       return BuildOverloadedBinOp(*this, S, OpLoc, Opc, LHSExpr, RHSExpr);
10517
10518     // Otherwise, build an overloaded op if either expression has an
10519     // overloadable type.
10520     if (LHSExpr->getType()->isOverloadableType() ||
10521         RHSExpr->getType()->isOverloadableType())
10522       return BuildOverloadedBinOp(*this, S, OpLoc, Opc, LHSExpr, RHSExpr);
10523   }
10524
10525   // Build a built-in binary operation.
10526   return CreateBuiltinBinOp(OpLoc, Opc, LHSExpr, RHSExpr);
10527 }
10528
10529 ExprResult Sema::CreateBuiltinUnaryOp(SourceLocation OpLoc,
10530                                       UnaryOperatorKind Opc,
10531                                       Expr *InputExpr) {
10532   ExprResult Input = InputExpr;
10533   ExprValueKind VK = VK_RValue;
10534   ExprObjectKind OK = OK_Ordinary;
10535   QualType resultType;
10536   switch (Opc) {
10537   case UO_PreInc:
10538   case UO_PreDec:
10539   case UO_PostInc:
10540   case UO_PostDec:
10541     resultType = CheckIncrementDecrementOperand(*this, Input.get(), VK, OK,
10542                                                 OpLoc,
10543                                                 Opc == UO_PreInc ||
10544                                                 Opc == UO_PostInc,
10545                                                 Opc == UO_PreInc ||
10546                                                 Opc == UO_PreDec);
10547     break;
10548   case UO_AddrOf:
10549     resultType = CheckAddressOfOperand(Input, OpLoc);
10550     RecordModifiableNonNullParam(*this, InputExpr);
10551     break;
10552   case UO_Deref: {
10553     Input = DefaultFunctionArrayLvalueConversion(Input.get());
10554     if (Input.isInvalid()) return ExprError();
10555     resultType = CheckIndirectionOperand(*this, Input.get(), VK, OpLoc);
10556     break;
10557   }
10558   case UO_Plus:
10559   case UO_Minus:
10560     Input = UsualUnaryConversions(Input.get());
10561     if (Input.isInvalid()) return ExprError();
10562     resultType = Input.get()->getType();
10563     if (resultType->isDependentType())
10564       break;
10565     if (resultType->isArithmeticType() || // C99 6.5.3.3p1
10566         resultType->isVectorType()) 
10567       break;
10568     else if (getLangOpts().CPlusPlus && // C++ [expr.unary.op]p6
10569              Opc == UO_Plus &&
10570              resultType->isPointerType())
10571       break;
10572
10573     return ExprError(Diag(OpLoc, diag::err_typecheck_unary_expr)
10574       << resultType << Input.get()->getSourceRange());
10575
10576   case UO_Not: // bitwise complement
10577     Input = UsualUnaryConversions(Input.get());
10578     if (Input.isInvalid())
10579       return ExprError();
10580     resultType = Input.get()->getType();
10581     if (resultType->isDependentType())
10582       break;
10583     // C99 6.5.3.3p1. We allow complex int and float as a GCC extension.
10584     if (resultType->isComplexType() || resultType->isComplexIntegerType())
10585       // C99 does not support '~' for complex conjugation.
10586       Diag(OpLoc, diag::ext_integer_complement_complex)
10587           << resultType << Input.get()->getSourceRange();
10588     else if (resultType->hasIntegerRepresentation())
10589       break;
10590     else if (resultType->isExtVectorType()) {
10591       if (Context.getLangOpts().OpenCL) {
10592         // OpenCL v1.1 s6.3.f: The bitwise operator not (~) does not operate
10593         // on vector float types.
10594         QualType T = resultType->getAs<ExtVectorType>()->getElementType();
10595         if (!T->isIntegerType())
10596           return ExprError(Diag(OpLoc, diag::err_typecheck_unary_expr)
10597                            << resultType << Input.get()->getSourceRange());
10598       }
10599       break;
10600     } else {
10601       return ExprError(Diag(OpLoc, diag::err_typecheck_unary_expr)
10602                        << resultType << Input.get()->getSourceRange());
10603     }
10604     break;
10605
10606   case UO_LNot: // logical negation
10607     // Unlike +/-/~, integer promotions aren't done here (C99 6.5.3.3p5).
10608     Input = DefaultFunctionArrayLvalueConversion(Input.get());
10609     if (Input.isInvalid()) return ExprError();
10610     resultType = Input.get()->getType();
10611
10612     // Though we still have to promote half FP to float...
10613     if (resultType->isHalfType() && !Context.getLangOpts().NativeHalfType) {
10614       Input = ImpCastExprToType(Input.get(), Context.FloatTy, CK_FloatingCast).get();
10615       resultType = Context.FloatTy;
10616     }
10617
10618     if (resultType->isDependentType())
10619       break;
10620     if (resultType->isScalarType() && !isScopedEnumerationType(resultType)) {
10621       // C99 6.5.3.3p1: ok, fallthrough;
10622       if (Context.getLangOpts().CPlusPlus) {
10623         // C++03 [expr.unary.op]p8, C++0x [expr.unary.op]p9:
10624         // operand contextually converted to bool.
10625         Input = ImpCastExprToType(Input.get(), Context.BoolTy,
10626                                   ScalarTypeToBooleanCastKind(resultType));
10627       } else if (Context.getLangOpts().OpenCL &&
10628                  Context.getLangOpts().OpenCLVersion < 120) {
10629         // OpenCL v1.1 6.3.h: The logical operator not (!) does not
10630         // operate on scalar float types.
10631         if (!resultType->isIntegerType())
10632           return ExprError(Diag(OpLoc, diag::err_typecheck_unary_expr)
10633                            << resultType << Input.get()->getSourceRange());
10634       }
10635     } else if (resultType->isExtVectorType()) {
10636       if (Context.getLangOpts().OpenCL &&
10637           Context.getLangOpts().OpenCLVersion < 120) {
10638         // OpenCL v1.1 6.3.h: The logical operator not (!) does not
10639         // operate on vector float types.
10640         QualType T = resultType->getAs<ExtVectorType>()->getElementType();
10641         if (!T->isIntegerType())
10642           return ExprError(Diag(OpLoc, diag::err_typecheck_unary_expr)
10643                            << resultType << Input.get()->getSourceRange());
10644       }
10645       // Vector logical not returns the signed variant of the operand type.
10646       resultType = GetSignedVectorType(resultType);
10647       break;
10648     } else {
10649       return ExprError(Diag(OpLoc, diag::err_typecheck_unary_expr)
10650         << resultType << Input.get()->getSourceRange());
10651     }
10652     
10653     // LNot always has type int. C99 6.5.3.3p5.
10654     // In C++, it's bool. C++ 5.3.1p8
10655     resultType = Context.getLogicalOperationType();
10656     break;
10657   case UO_Real:
10658   case UO_Imag:
10659     resultType = CheckRealImagOperand(*this, Input, OpLoc, Opc == UO_Real);
10660     // _Real maps ordinary l-values into ordinary l-values. _Imag maps ordinary
10661     // complex l-values to ordinary l-values and all other values to r-values.
10662     if (Input.isInvalid()) return ExprError();
10663     if (Opc == UO_Real || Input.get()->getType()->isAnyComplexType()) {
10664       if (Input.get()->getValueKind() != VK_RValue &&
10665           Input.get()->getObjectKind() == OK_Ordinary)
10666         VK = Input.get()->getValueKind();
10667     } else if (!getLangOpts().CPlusPlus) {
10668       // In C, a volatile scalar is read by __imag. In C++, it is not.
10669       Input = DefaultLvalueConversion(Input.get());
10670     }
10671     break;
10672   case UO_Extension:
10673     resultType = Input.get()->getType();
10674     VK = Input.get()->getValueKind();
10675     OK = Input.get()->getObjectKind();
10676     break;
10677   }
10678   if (resultType.isNull() || Input.isInvalid())
10679     return ExprError();
10680
10681   // Check for array bounds violations in the operand of the UnaryOperator,
10682   // except for the '*' and '&' operators that have to be handled specially
10683   // by CheckArrayAccess (as there are special cases like &array[arraysize]
10684   // that are explicitly defined as valid by the standard).
10685   if (Opc != UO_AddrOf && Opc != UO_Deref)
10686     CheckArrayAccess(Input.get());
10687
10688   return new (Context)
10689       UnaryOperator(Input.get(), Opc, resultType, VK, OK, OpLoc);
10690 }
10691
10692 /// \brief Determine whether the given expression is a qualified member
10693 /// access expression, of a form that could be turned into a pointer to member
10694 /// with the address-of operator.
10695 static bool isQualifiedMemberAccess(Expr *E) {
10696   if (DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(E)) {
10697     if (!DRE->getQualifier())
10698       return false;
10699     
10700     ValueDecl *VD = DRE->getDecl();
10701     if (!VD->isCXXClassMember())
10702       return false;
10703     
10704     if (isa<FieldDecl>(VD) || isa<IndirectFieldDecl>(VD))
10705       return true;
10706     if (CXXMethodDecl *Method = dyn_cast<CXXMethodDecl>(VD))
10707       return Method->isInstance();
10708       
10709     return false;
10710   }
10711   
10712   if (UnresolvedLookupExpr *ULE = dyn_cast<UnresolvedLookupExpr>(E)) {
10713     if (!ULE->getQualifier())
10714       return false;
10715     
10716     for (UnresolvedLookupExpr::decls_iterator D = ULE->decls_begin(),
10717                                            DEnd = ULE->decls_end();
10718          D != DEnd; ++D) {
10719       if (CXXMethodDecl *Method = dyn_cast<CXXMethodDecl>(*D)) {
10720         if (Method->isInstance())
10721           return true;
10722       } else {
10723         // Overload set does not contain methods.
10724         break;
10725       }
10726     }
10727     
10728     return false;
10729   }
10730   
10731   return false;
10732 }
10733
10734 ExprResult Sema::BuildUnaryOp(Scope *S, SourceLocation OpLoc,
10735                               UnaryOperatorKind Opc, Expr *Input) {
10736   // First things first: handle placeholders so that the
10737   // overloaded-operator check considers the right type.
10738   if (const BuiltinType *pty = Input->getType()->getAsPlaceholderType()) {
10739     // Increment and decrement of pseudo-object references.
10740     if (pty->getKind() == BuiltinType::PseudoObject &&
10741         UnaryOperator::isIncrementDecrementOp(Opc))
10742       return checkPseudoObjectIncDec(S, OpLoc, Opc, Input);
10743
10744     // extension is always a builtin operator.
10745     if (Opc == UO_Extension)
10746       return CreateBuiltinUnaryOp(OpLoc, Opc, Input);
10747
10748     // & gets special logic for several kinds of placeholder.
10749     // The builtin code knows what to do.
10750     if (Opc == UO_AddrOf &&
10751         (pty->getKind() == BuiltinType::Overload ||
10752          pty->getKind() == BuiltinType::UnknownAny ||
10753          pty->getKind() == BuiltinType::BoundMember))
10754       return CreateBuiltinUnaryOp(OpLoc, Opc, Input);
10755
10756     // Anything else needs to be handled now.
10757     ExprResult Result = CheckPlaceholderExpr(Input);
10758     if (Result.isInvalid()) return ExprError();
10759     Input = Result.get();
10760   }
10761
10762   if (getLangOpts().CPlusPlus && Input->getType()->isOverloadableType() &&
10763       UnaryOperator::getOverloadedOperator(Opc) != OO_None &&
10764       !(Opc == UO_AddrOf && isQualifiedMemberAccess(Input))) {
10765     // Find all of the overloaded operators visible from this
10766     // point. We perform both an operator-name lookup from the local
10767     // scope and an argument-dependent lookup based on the types of
10768     // the arguments.
10769     UnresolvedSet<16> Functions;
10770     OverloadedOperatorKind OverOp = UnaryOperator::getOverloadedOperator(Opc);
10771     if (S && OverOp != OO_None)
10772       LookupOverloadedOperatorName(OverOp, S, Input->getType(), QualType(),
10773                                    Functions);
10774
10775     return CreateOverloadedUnaryOp(OpLoc, Opc, Functions, Input);
10776   }
10777
10778   return CreateBuiltinUnaryOp(OpLoc, Opc, Input);
10779 }
10780
10781 // Unary Operators.  'Tok' is the token for the operator.
10782 ExprResult Sema::ActOnUnaryOp(Scope *S, SourceLocation OpLoc,
10783                               tok::TokenKind Op, Expr *Input) {
10784   return BuildUnaryOp(S, OpLoc, ConvertTokenKindToUnaryOpcode(Op), Input);
10785 }
10786
10787 /// ActOnAddrLabel - Parse the GNU address of label extension: "&&foo".
10788 ExprResult Sema::ActOnAddrLabel(SourceLocation OpLoc, SourceLocation LabLoc,
10789                                 LabelDecl *TheDecl) {
10790   TheDecl->markUsed(Context);
10791   // Create the AST node.  The address of a label always has type 'void*'.
10792   return new (Context) AddrLabelExpr(OpLoc, LabLoc, TheDecl,
10793                                      Context.getPointerType(Context.VoidTy));
10794 }
10795
10796 /// Given the last statement in a statement-expression, check whether
10797 /// the result is a producing expression (like a call to an
10798 /// ns_returns_retained function) and, if so, rebuild it to hoist the
10799 /// release out of the full-expression.  Otherwise, return null.
10800 /// Cannot fail.
10801 static Expr *maybeRebuildARCConsumingStmt(Stmt *Statement) {
10802   // Should always be wrapped with one of these.
10803   ExprWithCleanups *cleanups = dyn_cast<ExprWithCleanups>(Statement);
10804   if (!cleanups) return nullptr;
10805
10806   ImplicitCastExpr *cast = dyn_cast<ImplicitCastExpr>(cleanups->getSubExpr());
10807   if (!cast || cast->getCastKind() != CK_ARCConsumeObject)
10808     return nullptr;
10809
10810   // Splice out the cast.  This shouldn't modify any interesting
10811   // features of the statement.
10812   Expr *producer = cast->getSubExpr();
10813   assert(producer->getType() == cast->getType());
10814   assert(producer->getValueKind() == cast->getValueKind());
10815   cleanups->setSubExpr(producer);
10816   return cleanups;
10817 }
10818
10819 void Sema::ActOnStartStmtExpr() {
10820   PushExpressionEvaluationContext(ExprEvalContexts.back().Context);
10821 }
10822
10823 void Sema::ActOnStmtExprError() {
10824   // Note that function is also called by TreeTransform when leaving a
10825   // StmtExpr scope without rebuilding anything.
10826
10827   DiscardCleanupsInEvaluationContext();
10828   PopExpressionEvaluationContext();
10829 }
10830
10831 ExprResult
10832 Sema::ActOnStmtExpr(SourceLocation LPLoc, Stmt *SubStmt,
10833                     SourceLocation RPLoc) { // "({..})"
10834   assert(SubStmt && isa<CompoundStmt>(SubStmt) && "Invalid action invocation!");
10835   CompoundStmt *Compound = cast<CompoundStmt>(SubStmt);
10836
10837   if (hasAnyUnrecoverableErrorsInThisFunction())
10838     DiscardCleanupsInEvaluationContext();
10839   assert(!ExprNeedsCleanups && "cleanups within StmtExpr not correctly bound!");
10840   PopExpressionEvaluationContext();
10841
10842   // FIXME: there are a variety of strange constraints to enforce here, for
10843   // example, it is not possible to goto into a stmt expression apparently.
10844   // More semantic analysis is needed.
10845
10846   // If there are sub-stmts in the compound stmt, take the type of the last one
10847   // as the type of the stmtexpr.
10848   QualType Ty = Context.VoidTy;
10849   bool StmtExprMayBindToTemp = false;
10850   if (!Compound->body_empty()) {
10851     Stmt *LastStmt = Compound->body_back();
10852     LabelStmt *LastLabelStmt = nullptr;
10853     // If LastStmt is a label, skip down through into the body.
10854     while (LabelStmt *Label = dyn_cast<LabelStmt>(LastStmt)) {
10855       LastLabelStmt = Label;
10856       LastStmt = Label->getSubStmt();
10857     }
10858
10859     if (Expr *LastE = dyn_cast<Expr>(LastStmt)) {
10860       // Do function/array conversion on the last expression, but not
10861       // lvalue-to-rvalue.  However, initialize an unqualified type.
10862       ExprResult LastExpr = DefaultFunctionArrayConversion(LastE);
10863       if (LastExpr.isInvalid())
10864         return ExprError();
10865       Ty = LastExpr.get()->getType().getUnqualifiedType();
10866
10867       if (!Ty->isDependentType() && !LastExpr.get()->isTypeDependent()) {
10868         // In ARC, if the final expression ends in a consume, splice
10869         // the consume out and bind it later.  In the alternate case
10870         // (when dealing with a retainable type), the result
10871         // initialization will create a produce.  In both cases the
10872         // result will be +1, and we'll need to balance that out with
10873         // a bind.
10874         if (Expr *rebuiltLastStmt
10875               = maybeRebuildARCConsumingStmt(LastExpr.get())) {
10876           LastExpr = rebuiltLastStmt;
10877         } else {
10878           LastExpr = PerformCopyInitialization(
10879                             InitializedEntity::InitializeResult(LPLoc, 
10880                                                                 Ty,
10881                                                                 false),
10882                                                    SourceLocation(),
10883                                                LastExpr);
10884         }
10885
10886         if (LastExpr.isInvalid())
10887           return ExprError();
10888         if (LastExpr.get() != nullptr) {
10889           if (!LastLabelStmt)
10890             Compound->setLastStmt(LastExpr.get());
10891           else
10892             LastLabelStmt->setSubStmt(LastExpr.get());
10893           StmtExprMayBindToTemp = true;
10894         }
10895       }
10896     }
10897   }
10898
10899   // FIXME: Check that expression type is complete/non-abstract; statement
10900   // expressions are not lvalues.
10901   Expr *ResStmtExpr = new (Context) StmtExpr(Compound, Ty, LPLoc, RPLoc);
10902   if (StmtExprMayBindToTemp)
10903     return MaybeBindToTemporary(ResStmtExpr);
10904   return ResStmtExpr;
10905 }
10906
10907 ExprResult Sema::BuildBuiltinOffsetOf(SourceLocation BuiltinLoc,
10908                                       TypeSourceInfo *TInfo,
10909                                       OffsetOfComponent *CompPtr,
10910                                       unsigned NumComponents,
10911                                       SourceLocation RParenLoc) {
10912   QualType ArgTy = TInfo->getType();
10913   bool Dependent = ArgTy->isDependentType();
10914   SourceRange TypeRange = TInfo->getTypeLoc().getLocalSourceRange();
10915   
10916   // We must have at least one component that refers to the type, and the first
10917   // one is known to be a field designator.  Verify that the ArgTy represents
10918   // a struct/union/class.
10919   if (!Dependent && !ArgTy->isRecordType())
10920     return ExprError(Diag(BuiltinLoc, diag::err_offsetof_record_type) 
10921                        << ArgTy << TypeRange);
10922   
10923   // Type must be complete per C99 7.17p3 because a declaring a variable
10924   // with an incomplete type would be ill-formed.
10925   if (!Dependent 
10926       && RequireCompleteType(BuiltinLoc, ArgTy,
10927                              diag::err_offsetof_incomplete_type, TypeRange))
10928     return ExprError();
10929   
10930   // offsetof with non-identifier designators (e.g. "offsetof(x, a.b[c])") are a
10931   // GCC extension, diagnose them.
10932   // FIXME: This diagnostic isn't actually visible because the location is in
10933   // a system header!
10934   if (NumComponents != 1)
10935     Diag(BuiltinLoc, diag::ext_offsetof_extended_field_designator)
10936       << SourceRange(CompPtr[1].LocStart, CompPtr[NumComponents-1].LocEnd);
10937   
10938   bool DidWarnAboutNonPOD = false;
10939   QualType CurrentType = ArgTy;
10940   typedef OffsetOfExpr::OffsetOfNode OffsetOfNode;
10941   SmallVector<OffsetOfNode, 4> Comps;
10942   SmallVector<Expr*, 4> Exprs;
10943   for (unsigned i = 0; i != NumComponents; ++i) {
10944     const OffsetOfComponent &OC = CompPtr[i];
10945     if (OC.isBrackets) {
10946       // Offset of an array sub-field.  TODO: Should we allow vector elements?
10947       if (!CurrentType->isDependentType()) {
10948         const ArrayType *AT = Context.getAsArrayType(CurrentType);
10949         if(!AT)
10950           return ExprError(Diag(OC.LocEnd, diag::err_offsetof_array_type)
10951                            << CurrentType);
10952         CurrentType = AT->getElementType();
10953       } else
10954         CurrentType = Context.DependentTy;
10955       
10956       ExprResult IdxRval = DefaultLvalueConversion(static_cast<Expr*>(OC.U.E));
10957       if (IdxRval.isInvalid())
10958         return ExprError();
10959       Expr *Idx = IdxRval.get();
10960
10961       // The expression must be an integral expression.
10962       // FIXME: An integral constant expression?
10963       if (!Idx->isTypeDependent() && !Idx->isValueDependent() &&
10964           !Idx->getType()->isIntegerType())
10965         return ExprError(Diag(Idx->getLocStart(),
10966                               diag::err_typecheck_subscript_not_integer)
10967                          << Idx->getSourceRange());
10968
10969       // Record this array index.
10970       Comps.push_back(OffsetOfNode(OC.LocStart, Exprs.size(), OC.LocEnd));
10971       Exprs.push_back(Idx);
10972       continue;
10973     }
10974     
10975     // Offset of a field.
10976     if (CurrentType->isDependentType()) {
10977       // We have the offset of a field, but we can't look into the dependent
10978       // type. Just record the identifier of the field.
10979       Comps.push_back(OffsetOfNode(OC.LocStart, OC.U.IdentInfo, OC.LocEnd));
10980       CurrentType = Context.DependentTy;
10981       continue;
10982     }
10983     
10984     // We need to have a complete type to look into.
10985     if (RequireCompleteType(OC.LocStart, CurrentType,
10986                             diag::err_offsetof_incomplete_type))
10987       return ExprError();
10988     
10989     // Look for the designated field.
10990     const RecordType *RC = CurrentType->getAs<RecordType>();
10991     if (!RC) 
10992       return ExprError(Diag(OC.LocEnd, diag::err_offsetof_record_type)
10993                        << CurrentType);
10994     RecordDecl *RD = RC->getDecl();
10995     
10996     // C++ [lib.support.types]p5:
10997     //   The macro offsetof accepts a restricted set of type arguments in this
10998     //   International Standard. type shall be a POD structure or a POD union
10999     //   (clause 9).
11000     // C++11 [support.types]p4:
11001     //   If type is not a standard-layout class (Clause 9), the results are
11002     //   undefined.
11003     if (CXXRecordDecl *CRD = dyn_cast<CXXRecordDecl>(RD)) {
11004       bool IsSafe = LangOpts.CPlusPlus11? CRD->isStandardLayout() : CRD->isPOD();
11005       unsigned DiagID =
11006         LangOpts.CPlusPlus11? diag::ext_offsetof_non_standardlayout_type
11007                             : diag::ext_offsetof_non_pod_type;
11008
11009       if (!IsSafe && !DidWarnAboutNonPOD &&
11010           DiagRuntimeBehavior(BuiltinLoc, nullptr,
11011                               PDiag(DiagID)
11012                               << SourceRange(CompPtr[0].LocStart, OC.LocEnd)
11013                               << CurrentType))
11014         DidWarnAboutNonPOD = true;
11015     }
11016     
11017     // Look for the field.
11018     LookupResult R(*this, OC.U.IdentInfo, OC.LocStart, LookupMemberName);
11019     LookupQualifiedName(R, RD);
11020     FieldDecl *MemberDecl = R.getAsSingle<FieldDecl>();
11021     IndirectFieldDecl *IndirectMemberDecl = nullptr;
11022     if (!MemberDecl) {
11023       if ((IndirectMemberDecl = R.getAsSingle<IndirectFieldDecl>()))
11024         MemberDecl = IndirectMemberDecl->getAnonField();
11025     }
11026
11027     if (!MemberDecl)
11028       return ExprError(Diag(BuiltinLoc, diag::err_no_member)
11029                        << OC.U.IdentInfo << RD << SourceRange(OC.LocStart, 
11030                                                               OC.LocEnd));
11031     
11032     // C99 7.17p3:
11033     //   (If the specified member is a bit-field, the behavior is undefined.)
11034     //
11035     // We diagnose this as an error.
11036     if (MemberDecl->isBitField()) {
11037       Diag(OC.LocEnd, diag::err_offsetof_bitfield)
11038         << MemberDecl->getDeclName()
11039         << SourceRange(BuiltinLoc, RParenLoc);
11040       Diag(MemberDecl->getLocation(), diag::note_bitfield_decl);
11041       return ExprError();
11042     }
11043
11044     RecordDecl *Parent = MemberDecl->getParent();
11045     if (IndirectMemberDecl)
11046       Parent = cast<RecordDecl>(IndirectMemberDecl->getDeclContext());
11047
11048     // If the member was found in a base class, introduce OffsetOfNodes for
11049     // the base class indirections.
11050     CXXBasePaths Paths;
11051     if (IsDerivedFrom(CurrentType, Context.getTypeDeclType(Parent), Paths)) {
11052       if (Paths.getDetectedVirtual()) {
11053         Diag(OC.LocEnd, diag::err_offsetof_field_of_virtual_base)
11054           << MemberDecl->getDeclName()
11055           << SourceRange(BuiltinLoc, RParenLoc);
11056         return ExprError();
11057       }
11058
11059       CXXBasePath &Path = Paths.front();
11060       for (CXXBasePath::iterator B = Path.begin(), BEnd = Path.end();
11061            B != BEnd; ++B)
11062         Comps.push_back(OffsetOfNode(B->Base));
11063     }
11064
11065     if (IndirectMemberDecl) {
11066       for (auto *FI : IndirectMemberDecl->chain()) {
11067         assert(isa<FieldDecl>(FI));
11068         Comps.push_back(OffsetOfNode(OC.LocStart,
11069                                      cast<FieldDecl>(FI), OC.LocEnd));
11070       }
11071     } else
11072       Comps.push_back(OffsetOfNode(OC.LocStart, MemberDecl, OC.LocEnd));
11073
11074     CurrentType = MemberDecl->getType().getNonReferenceType(); 
11075   }
11076   
11077   return OffsetOfExpr::Create(Context, Context.getSizeType(), BuiltinLoc, TInfo,
11078                               Comps, Exprs, RParenLoc);
11079 }
11080
11081 ExprResult Sema::ActOnBuiltinOffsetOf(Scope *S,
11082                                       SourceLocation BuiltinLoc,
11083                                       SourceLocation TypeLoc,
11084                                       ParsedType ParsedArgTy,
11085                                       OffsetOfComponent *CompPtr,
11086                                       unsigned NumComponents,
11087                                       SourceLocation RParenLoc) {
11088   
11089   TypeSourceInfo *ArgTInfo;
11090   QualType ArgTy = GetTypeFromParser(ParsedArgTy, &ArgTInfo);
11091   if (ArgTy.isNull())
11092     return ExprError();
11093
11094   if (!ArgTInfo)
11095     ArgTInfo = Context.getTrivialTypeSourceInfo(ArgTy, TypeLoc);
11096
11097   return BuildBuiltinOffsetOf(BuiltinLoc, ArgTInfo, CompPtr, NumComponents, 
11098                               RParenLoc);
11099 }
11100
11101
11102 ExprResult Sema::ActOnChooseExpr(SourceLocation BuiltinLoc,
11103                                  Expr *CondExpr,
11104                                  Expr *LHSExpr, Expr *RHSExpr,
11105                                  SourceLocation RPLoc) {
11106   assert((CondExpr && LHSExpr && RHSExpr) && "Missing type argument(s)");
11107
11108   ExprValueKind VK = VK_RValue;
11109   ExprObjectKind OK = OK_Ordinary;
11110   QualType resType;
11111   bool ValueDependent = false;
11112   bool CondIsTrue = false;
11113   if (CondExpr->isTypeDependent() || CondExpr->isValueDependent()) {
11114     resType = Context.DependentTy;
11115     ValueDependent = true;
11116   } else {
11117     // The conditional expression is required to be a constant expression.
11118     llvm::APSInt condEval(32);
11119     ExprResult CondICE
11120       = VerifyIntegerConstantExpression(CondExpr, &condEval,
11121           diag::err_typecheck_choose_expr_requires_constant, false);
11122     if (CondICE.isInvalid())
11123       return ExprError();
11124     CondExpr = CondICE.get();
11125     CondIsTrue = condEval.getZExtValue();
11126
11127     // If the condition is > zero, then the AST type is the same as the LSHExpr.
11128     Expr *ActiveExpr = CondIsTrue ? LHSExpr : RHSExpr;
11129
11130     resType = ActiveExpr->getType();
11131     ValueDependent = ActiveExpr->isValueDependent();
11132     VK = ActiveExpr->getValueKind();
11133     OK = ActiveExpr->getObjectKind();
11134   }
11135
11136   return new (Context)
11137       ChooseExpr(BuiltinLoc, CondExpr, LHSExpr, RHSExpr, resType, VK, OK, RPLoc,
11138                  CondIsTrue, resType->isDependentType(), ValueDependent);
11139 }
11140
11141 //===----------------------------------------------------------------------===//
11142 // Clang Extensions.
11143 //===----------------------------------------------------------------------===//
11144
11145 /// ActOnBlockStart - This callback is invoked when a block literal is started.
11146 void Sema::ActOnBlockStart(SourceLocation CaretLoc, Scope *CurScope) {
11147   BlockDecl *Block = BlockDecl::Create(Context, CurContext, CaretLoc);
11148
11149   if (LangOpts.CPlusPlus) {
11150     Decl *ManglingContextDecl;
11151     if (MangleNumberingContext *MCtx =
11152             getCurrentMangleNumberContext(Block->getDeclContext(),
11153                                           ManglingContextDecl)) {
11154       unsigned ManglingNumber = MCtx->getManglingNumber(Block);
11155       Block->setBlockMangling(ManglingNumber, ManglingContextDecl);
11156     }
11157   }
11158
11159   PushBlockScope(CurScope, Block);
11160   CurContext->addDecl(Block);
11161   if (CurScope)
11162     PushDeclContext(CurScope, Block);
11163   else
11164     CurContext = Block;
11165
11166   getCurBlock()->HasImplicitReturnType = true;
11167
11168   // Enter a new evaluation context to insulate the block from any
11169   // cleanups from the enclosing full-expression.
11170   PushExpressionEvaluationContext(PotentiallyEvaluated);  
11171 }
11172
11173 void Sema::ActOnBlockArguments(SourceLocation CaretLoc, Declarator &ParamInfo,
11174                                Scope *CurScope) {
11175   assert(ParamInfo.getIdentifier() == nullptr &&
11176          "block-id should have no identifier!");
11177   assert(ParamInfo.getContext() == Declarator::BlockLiteralContext);
11178   BlockScopeInfo *CurBlock = getCurBlock();
11179
11180   TypeSourceInfo *Sig = GetTypeForDeclarator(ParamInfo, CurScope);
11181   QualType T = Sig->getType();
11182
11183   // FIXME: We should allow unexpanded parameter packs here, but that would,
11184   // in turn, make the block expression contain unexpanded parameter packs.
11185   if (DiagnoseUnexpandedParameterPack(CaretLoc, Sig, UPPC_Block)) {
11186     // Drop the parameters.
11187     FunctionProtoType::ExtProtoInfo EPI;
11188     EPI.HasTrailingReturn = false;
11189     EPI.TypeQuals |= DeclSpec::TQ_const;
11190     T = Context.getFunctionType(Context.DependentTy, None, EPI);
11191     Sig = Context.getTrivialTypeSourceInfo(T);
11192   }
11193   
11194   // GetTypeForDeclarator always produces a function type for a block
11195   // literal signature.  Furthermore, it is always a FunctionProtoType
11196   // unless the function was written with a typedef.
11197   assert(T->isFunctionType() &&
11198          "GetTypeForDeclarator made a non-function block signature");
11199
11200   // Look for an explicit signature in that function type.
11201   FunctionProtoTypeLoc ExplicitSignature;
11202
11203   TypeLoc tmp = Sig->getTypeLoc().IgnoreParens();
11204   if ((ExplicitSignature = tmp.getAs<FunctionProtoTypeLoc>())) {
11205
11206     // Check whether that explicit signature was synthesized by
11207     // GetTypeForDeclarator.  If so, don't save that as part of the
11208     // written signature.
11209     if (ExplicitSignature.getLocalRangeBegin() ==
11210         ExplicitSignature.getLocalRangeEnd()) {
11211       // This would be much cheaper if we stored TypeLocs instead of
11212       // TypeSourceInfos.
11213       TypeLoc Result = ExplicitSignature.getReturnLoc();
11214       unsigned Size = Result.getFullDataSize();
11215       Sig = Context.CreateTypeSourceInfo(Result.getType(), Size);
11216       Sig->getTypeLoc().initializeFullCopy(Result, Size);
11217
11218       ExplicitSignature = FunctionProtoTypeLoc();
11219     }
11220   }
11221
11222   CurBlock->TheDecl->setSignatureAsWritten(Sig);
11223   CurBlock->FunctionType = T;
11224
11225   const FunctionType *Fn = T->getAs<FunctionType>();
11226   QualType RetTy = Fn->getReturnType();
11227   bool isVariadic =
11228     (isa<FunctionProtoType>(Fn) && cast<FunctionProtoType>(Fn)->isVariadic());
11229
11230   CurBlock->TheDecl->setIsVariadic(isVariadic);
11231
11232   // Context.DependentTy is used as a placeholder for a missing block
11233   // return type.  TODO:  what should we do with declarators like:
11234   //   ^ * { ... }
11235   // If the answer is "apply template argument deduction"....
11236   if (RetTy != Context.DependentTy) {
11237     CurBlock->ReturnType = RetTy;
11238     CurBlock->TheDecl->setBlockMissingReturnType(false);
11239     CurBlock->HasImplicitReturnType = false;
11240   }
11241
11242   // Push block parameters from the declarator if we had them.
11243   SmallVector<ParmVarDecl*, 8> Params;
11244   if (ExplicitSignature) {
11245     for (unsigned I = 0, E = ExplicitSignature.getNumParams(); I != E; ++I) {
11246       ParmVarDecl *Param = ExplicitSignature.getParam(I);
11247       if (Param->getIdentifier() == nullptr &&
11248           !Param->isImplicit() &&
11249           !Param->isInvalidDecl() &&
11250           !getLangOpts().CPlusPlus)
11251         Diag(Param->getLocation(), diag::err_parameter_name_omitted);
11252       Params.push_back(Param);
11253     }
11254
11255   // Fake up parameter variables if we have a typedef, like
11256   //   ^ fntype { ... }
11257   } else if (const FunctionProtoType *Fn = T->getAs<FunctionProtoType>()) {
11258     for (const auto &I : Fn->param_types()) {
11259       ParmVarDecl *Param = BuildParmVarDeclForTypedef(
11260           CurBlock->TheDecl, ParamInfo.getLocStart(), I);
11261       Params.push_back(Param);
11262     }
11263   }
11264
11265   // Set the parameters on the block decl.
11266   if (!Params.empty()) {
11267     CurBlock->TheDecl->setParams(Params);
11268     CheckParmsForFunctionDef(CurBlock->TheDecl->param_begin(),
11269                              CurBlock->TheDecl->param_end(),
11270                              /*CheckParameterNames=*/false);
11271   }
11272   
11273   // Finally we can process decl attributes.
11274   ProcessDeclAttributes(CurScope, CurBlock->TheDecl, ParamInfo);
11275
11276   // Put the parameter variables in scope.
11277   for (auto AI : CurBlock->TheDecl->params()) {
11278     AI->setOwningFunction(CurBlock->TheDecl);
11279
11280     // If this has an identifier, add it to the scope stack.
11281     if (AI->getIdentifier()) {
11282       CheckShadow(CurBlock->TheScope, AI);
11283
11284       PushOnScopeChains(AI, CurBlock->TheScope);
11285     }
11286   }
11287 }
11288
11289 /// ActOnBlockError - If there is an error parsing a block, this callback
11290 /// is invoked to pop the information about the block from the action impl.
11291 void Sema::ActOnBlockError(SourceLocation CaretLoc, Scope *CurScope) {
11292   // Leave the expression-evaluation context.
11293   DiscardCleanupsInEvaluationContext();
11294   PopExpressionEvaluationContext();
11295
11296   // Pop off CurBlock, handle nested blocks.
11297   PopDeclContext();
11298   PopFunctionScopeInfo();
11299 }
11300
11301 /// ActOnBlockStmtExpr - This is called when the body of a block statement
11302 /// literal was successfully completed.  ^(int x){...}
11303 ExprResult Sema::ActOnBlockStmtExpr(SourceLocation CaretLoc,
11304                                     Stmt *Body, Scope *CurScope) {
11305   // If blocks are disabled, emit an error.
11306   if (!LangOpts.Blocks)
11307     Diag(CaretLoc, diag::err_blocks_disable);
11308
11309   // Leave the expression-evaluation context.
11310   if (hasAnyUnrecoverableErrorsInThisFunction())
11311     DiscardCleanupsInEvaluationContext();
11312   assert(!ExprNeedsCleanups && "cleanups within block not correctly bound!");
11313   PopExpressionEvaluationContext();
11314
11315   BlockScopeInfo *BSI = cast<BlockScopeInfo>(FunctionScopes.back());
11316
11317   if (BSI->HasImplicitReturnType)
11318     deduceClosureReturnType(*BSI);
11319
11320   PopDeclContext();
11321
11322   QualType RetTy = Context.VoidTy;
11323   if (!BSI->ReturnType.isNull())
11324     RetTy = BSI->ReturnType;
11325
11326   bool NoReturn = BSI->TheDecl->hasAttr<NoReturnAttr>();
11327   QualType BlockTy;
11328
11329   // Set the captured variables on the block.
11330   // FIXME: Share capture structure between BlockDecl and CapturingScopeInfo!
11331   SmallVector<BlockDecl::Capture, 4> Captures;
11332   for (unsigned i = 0, e = BSI->Captures.size(); i != e; i++) {
11333     CapturingScopeInfo::Capture &Cap = BSI->Captures[i];
11334     if (Cap.isThisCapture())
11335       continue;
11336     BlockDecl::Capture NewCap(Cap.getVariable(), Cap.isBlockCapture(),
11337                               Cap.isNested(), Cap.getInitExpr());
11338     Captures.push_back(NewCap);
11339   }
11340   BSI->TheDecl->setCaptures(Context, Captures.begin(), Captures.end(),
11341                             BSI->CXXThisCaptureIndex != 0);
11342
11343   // If the user wrote a function type in some form, try to use that.
11344   if (!BSI->FunctionType.isNull()) {
11345     const FunctionType *FTy = BSI->FunctionType->getAs<FunctionType>();
11346
11347     FunctionType::ExtInfo Ext = FTy->getExtInfo();
11348     if (NoReturn && !Ext.getNoReturn()) Ext = Ext.withNoReturn(true);
11349     
11350     // Turn protoless block types into nullary block types.
11351     if (isa<FunctionNoProtoType>(FTy)) {
11352       FunctionProtoType::ExtProtoInfo EPI;
11353       EPI.ExtInfo = Ext;
11354       BlockTy = Context.getFunctionType(RetTy, None, EPI);
11355
11356     // Otherwise, if we don't need to change anything about the function type,
11357     // preserve its sugar structure.
11358     } else if (FTy->getReturnType() == RetTy &&
11359                (!NoReturn || FTy->getNoReturnAttr())) {
11360       BlockTy = BSI->FunctionType;
11361
11362     // Otherwise, make the minimal modifications to the function type.
11363     } else {
11364       const FunctionProtoType *FPT = cast<FunctionProtoType>(FTy);
11365       FunctionProtoType::ExtProtoInfo EPI = FPT->getExtProtoInfo();
11366       EPI.TypeQuals = 0; // FIXME: silently?
11367       EPI.ExtInfo = Ext;
11368       BlockTy = Context.getFunctionType(RetTy, FPT->getParamTypes(), EPI);
11369     }
11370
11371   // If we don't have a function type, just build one from nothing.
11372   } else {
11373     FunctionProtoType::ExtProtoInfo EPI;
11374     EPI.ExtInfo = FunctionType::ExtInfo().withNoReturn(NoReturn);
11375     BlockTy = Context.getFunctionType(RetTy, None, EPI);
11376   }
11377
11378   DiagnoseUnusedParameters(BSI->TheDecl->param_begin(),
11379                            BSI->TheDecl->param_end());
11380   BlockTy = Context.getBlockPointerType(BlockTy);
11381
11382   // If needed, diagnose invalid gotos and switches in the block.
11383   if (getCurFunction()->NeedsScopeChecking() &&
11384       !PP.isCodeCompletionEnabled())
11385     DiagnoseInvalidJumps(cast<CompoundStmt>(Body));
11386
11387   BSI->TheDecl->setBody(cast<CompoundStmt>(Body));
11388
11389   // Try to apply the named return value optimization. We have to check again
11390   // if we can do this, though, because blocks keep return statements around
11391   // to deduce an implicit return type.
11392   if (getLangOpts().CPlusPlus && RetTy->isRecordType() &&
11393       !BSI->TheDecl->isDependentContext())
11394     computeNRVO(Body, BSI);
11395   
11396   BlockExpr *Result = new (Context) BlockExpr(BSI->TheDecl, BlockTy);
11397   AnalysisBasedWarnings::Policy WP = AnalysisWarnings.getDefaultPolicy();
11398   PopFunctionScopeInfo(&WP, Result->getBlockDecl(), Result);
11399
11400   // If the block isn't obviously global, i.e. it captures anything at
11401   // all, then we need to do a few things in the surrounding context:
11402   if (Result->getBlockDecl()->hasCaptures()) {
11403     // First, this expression has a new cleanup object.
11404     ExprCleanupObjects.push_back(Result->getBlockDecl());
11405     ExprNeedsCleanups = true;
11406
11407     // It also gets a branch-protected scope if any of the captured
11408     // variables needs destruction.
11409     for (const auto &CI : Result->getBlockDecl()->captures()) {
11410       const VarDecl *var = CI.getVariable();
11411       if (var->getType().isDestructedType() != QualType::DK_none) {
11412         getCurFunction()->setHasBranchProtectedScope();
11413         break;
11414       }
11415     }
11416   }
11417
11418   return Result;
11419 }
11420
11421 ExprResult Sema::ActOnVAArg(SourceLocation BuiltinLoc,
11422                                         Expr *E, ParsedType Ty,
11423                                         SourceLocation RPLoc) {
11424   TypeSourceInfo *TInfo;
11425   GetTypeFromParser(Ty, &TInfo);
11426   return BuildVAArgExpr(BuiltinLoc, E, TInfo, RPLoc);
11427 }
11428
11429 ExprResult Sema::BuildVAArgExpr(SourceLocation BuiltinLoc,
11430                                 Expr *E, TypeSourceInfo *TInfo,
11431                                 SourceLocation RPLoc) {
11432   Expr *OrigExpr = E;
11433
11434   // Get the va_list type
11435   QualType VaListType = Context.getBuiltinVaListType();
11436   if (VaListType->isArrayType()) {
11437     // Deal with implicit array decay; for example, on x86-64,
11438     // va_list is an array, but it's supposed to decay to
11439     // a pointer for va_arg.
11440     VaListType = Context.getArrayDecayedType(VaListType);
11441     // Make sure the input expression also decays appropriately.
11442     ExprResult Result = UsualUnaryConversions(E);
11443     if (Result.isInvalid())
11444       return ExprError();
11445     E = Result.get();
11446   } else if (VaListType->isRecordType() && getLangOpts().CPlusPlus) {
11447     // If va_list is a record type and we are compiling in C++ mode,
11448     // check the argument using reference binding.
11449     InitializedEntity Entity
11450       = InitializedEntity::InitializeParameter(Context,
11451           Context.getLValueReferenceType(VaListType), false);
11452     ExprResult Init = PerformCopyInitialization(Entity, SourceLocation(), E);
11453     if (Init.isInvalid())
11454       return ExprError();
11455     E = Init.getAs<Expr>();
11456   } else {
11457     // Otherwise, the va_list argument must be an l-value because
11458     // it is modified by va_arg.
11459     if (!E->isTypeDependent() &&
11460         CheckForModifiableLvalue(E, BuiltinLoc, *this))
11461       return ExprError();
11462   }
11463
11464   if (!E->isTypeDependent() &&
11465       !Context.hasSameType(VaListType, E->getType())) {
11466     return ExprError(Diag(E->getLocStart(),
11467                          diag::err_first_argument_to_va_arg_not_of_type_va_list)
11468       << OrigExpr->getType() << E->getSourceRange());
11469   }
11470
11471   if (!TInfo->getType()->isDependentType()) {
11472     if (RequireCompleteType(TInfo->getTypeLoc().getBeginLoc(), TInfo->getType(),
11473                             diag::err_second_parameter_to_va_arg_incomplete,
11474                             TInfo->getTypeLoc()))
11475       return ExprError();
11476
11477     if (RequireNonAbstractType(TInfo->getTypeLoc().getBeginLoc(),
11478                                TInfo->getType(),
11479                                diag::err_second_parameter_to_va_arg_abstract,
11480                                TInfo->getTypeLoc()))
11481       return ExprError();
11482
11483     if (!TInfo->getType().isPODType(Context)) {
11484       Diag(TInfo->getTypeLoc().getBeginLoc(),
11485            TInfo->getType()->isObjCLifetimeType()
11486              ? diag::warn_second_parameter_to_va_arg_ownership_qualified
11487              : diag::warn_second_parameter_to_va_arg_not_pod)
11488         << TInfo->getType()
11489         << TInfo->getTypeLoc().getSourceRange();
11490     }
11491
11492     // Check for va_arg where arguments of the given type will be promoted
11493     // (i.e. this va_arg is guaranteed to have undefined behavior).
11494     QualType PromoteType;
11495     if (TInfo->getType()->isPromotableIntegerType()) {
11496       PromoteType = Context.getPromotedIntegerType(TInfo->getType());
11497       if (Context.typesAreCompatible(PromoteType, TInfo->getType()))
11498         PromoteType = QualType();
11499     }
11500     if (TInfo->getType()->isSpecificBuiltinType(BuiltinType::Float))
11501       PromoteType = Context.DoubleTy;
11502     if (!PromoteType.isNull())
11503       DiagRuntimeBehavior(TInfo->getTypeLoc().getBeginLoc(), E,
11504                   PDiag(diag::warn_second_parameter_to_va_arg_never_compatible)
11505                           << TInfo->getType()
11506                           << PromoteType
11507                           << TInfo->getTypeLoc().getSourceRange());
11508   }
11509
11510   QualType T = TInfo->getType().getNonLValueExprType(Context);
11511   return new (Context) VAArgExpr(BuiltinLoc, E, TInfo, RPLoc, T);
11512 }
11513
11514 ExprResult Sema::ActOnGNUNullExpr(SourceLocation TokenLoc) {
11515   // The type of __null will be int or long, depending on the size of
11516   // pointers on the target.
11517   QualType Ty;
11518   unsigned pw = Context.getTargetInfo().getPointerWidth(0);
11519   if (pw == Context.getTargetInfo().getIntWidth())
11520     Ty = Context.IntTy;
11521   else if (pw == Context.getTargetInfo().getLongWidth())
11522     Ty = Context.LongTy;
11523   else if (pw == Context.getTargetInfo().getLongLongWidth())
11524     Ty = Context.LongLongTy;
11525   else {
11526     llvm_unreachable("I don't know size of pointer!");
11527   }
11528
11529   return new (Context) GNUNullExpr(Ty, TokenLoc);
11530 }
11531
11532 bool
11533 Sema::ConversionToObjCStringLiteralCheck(QualType DstType, Expr *&Exp) {
11534   if (!getLangOpts().ObjC1)
11535     return false;
11536
11537   const ObjCObjectPointerType *PT = DstType->getAs<ObjCObjectPointerType>();
11538   if (!PT)
11539     return false;
11540
11541   if (!PT->isObjCIdType()) {
11542     // Check if the destination is the 'NSString' interface.
11543     const ObjCInterfaceDecl *ID = PT->getInterfaceDecl();
11544     if (!ID || !ID->getIdentifier()->isStr("NSString"))
11545       return false;
11546   }
11547   
11548   // Ignore any parens, implicit casts (should only be
11549   // array-to-pointer decays), and not-so-opaque values.  The last is
11550   // important for making this trigger for property assignments.
11551   Expr *SrcExpr = Exp->IgnoreParenImpCasts();
11552   if (OpaqueValueExpr *OV = dyn_cast<OpaqueValueExpr>(SrcExpr))
11553     if (OV->getSourceExpr())
11554       SrcExpr = OV->getSourceExpr()->IgnoreParenImpCasts();
11555
11556   StringLiteral *SL = dyn_cast<StringLiteral>(SrcExpr);
11557   if (!SL || !SL->isAscii())
11558     return false;
11559   Diag(SL->getLocStart(), diag::err_missing_atsign_prefix)
11560     << FixItHint::CreateInsertion(SL->getLocStart(), "@");
11561   Exp = BuildObjCStringLiteral(SL->getLocStart(), SL).get();
11562   return true;
11563 }
11564
11565 bool Sema::DiagnoseAssignmentResult(AssignConvertType ConvTy,
11566                                     SourceLocation Loc,
11567                                     QualType DstType, QualType SrcType,
11568                                     Expr *SrcExpr, AssignmentAction Action,
11569                                     bool *Complained) {
11570   if (Complained)
11571     *Complained = false;
11572
11573   // Decode the result (notice that AST's are still created for extensions).
11574   bool CheckInferredResultType = false;
11575   bool isInvalid = false;
11576   unsigned DiagKind = 0;
11577   FixItHint Hint;
11578   ConversionFixItGenerator ConvHints;
11579   bool MayHaveConvFixit = false;
11580   bool MayHaveFunctionDiff = false;
11581   const ObjCInterfaceDecl *IFace = nullptr;
11582   const ObjCProtocolDecl *PDecl = nullptr;
11583
11584   switch (ConvTy) {
11585   case Compatible:
11586       DiagnoseAssignmentEnum(DstType, SrcType, SrcExpr);
11587       return false;
11588
11589   case PointerToInt:
11590     DiagKind = diag::ext_typecheck_convert_pointer_int;
11591     ConvHints.tryToFixConversion(SrcExpr, SrcType, DstType, *this);
11592     MayHaveConvFixit = true;
11593     break;
11594   case IntToPointer:
11595     DiagKind = diag::ext_typecheck_convert_int_pointer;
11596     ConvHints.tryToFixConversion(SrcExpr, SrcType, DstType, *this);
11597     MayHaveConvFixit = true;
11598     break;
11599   case IncompatiblePointer:
11600       DiagKind =
11601         (Action == AA_Passing_CFAudited ?
11602           diag::err_arc_typecheck_convert_incompatible_pointer :
11603           diag::ext_typecheck_convert_incompatible_pointer);
11604     CheckInferredResultType = DstType->isObjCObjectPointerType() &&
11605       SrcType->isObjCObjectPointerType();
11606     if (Hint.isNull() && !CheckInferredResultType) {
11607       ConvHints.tryToFixConversion(SrcExpr, SrcType, DstType, *this);
11608     }
11609     else if (CheckInferredResultType) {
11610       SrcType = SrcType.getUnqualifiedType();
11611       DstType = DstType.getUnqualifiedType();
11612     }
11613     MayHaveConvFixit = true;
11614     break;
11615   case IncompatiblePointerSign:
11616     DiagKind = diag::ext_typecheck_convert_incompatible_pointer_sign;
11617     break;
11618   case FunctionVoidPointer:
11619     DiagKind = diag::ext_typecheck_convert_pointer_void_func;
11620     break;
11621   case IncompatiblePointerDiscardsQualifiers: {
11622     // Perform array-to-pointer decay if necessary.
11623     if (SrcType->isArrayType()) SrcType = Context.getArrayDecayedType(SrcType);
11624
11625     Qualifiers lhq = SrcType->getPointeeType().getQualifiers();
11626     Qualifiers rhq = DstType->getPointeeType().getQualifiers();
11627     if (lhq.getAddressSpace() != rhq.getAddressSpace()) {
11628       DiagKind = diag::err_typecheck_incompatible_address_space;
11629       break;
11630
11631
11632     } else if (lhq.getObjCLifetime() != rhq.getObjCLifetime()) {
11633       DiagKind = diag::err_typecheck_incompatible_ownership;
11634       break;
11635     }
11636
11637     llvm_unreachable("unknown error case for discarding qualifiers!");
11638     // fallthrough
11639   }
11640   case CompatiblePointerDiscardsQualifiers:
11641     // If the qualifiers lost were because we were applying the
11642     // (deprecated) C++ conversion from a string literal to a char*
11643     // (or wchar_t*), then there was no error (C++ 4.2p2).  FIXME:
11644     // Ideally, this check would be performed in
11645     // checkPointerTypesForAssignment. However, that would require a
11646     // bit of refactoring (so that the second argument is an
11647     // expression, rather than a type), which should be done as part
11648     // of a larger effort to fix checkPointerTypesForAssignment for
11649     // C++ semantics.
11650     if (getLangOpts().CPlusPlus &&
11651         IsStringLiteralToNonConstPointerConversion(SrcExpr, DstType))
11652       return false;
11653     DiagKind = diag::ext_typecheck_convert_discards_qualifiers;
11654     break;
11655   case IncompatibleNestedPointerQualifiers:
11656     DiagKind = diag::ext_nested_pointer_qualifier_mismatch;
11657     break;
11658   case IntToBlockPointer:
11659     DiagKind = diag::err_int_to_block_pointer;
11660     break;
11661   case IncompatibleBlockPointer:
11662     DiagKind = diag::err_typecheck_convert_incompatible_block_pointer;
11663     break;
11664   case IncompatibleObjCQualifiedId: {
11665     if (SrcType->isObjCQualifiedIdType()) {
11666       const ObjCObjectPointerType *srcOPT =
11667                 SrcType->getAs<ObjCObjectPointerType>();
11668       for (auto *srcProto : srcOPT->quals()) {
11669         PDecl = srcProto;
11670         break;
11671       }
11672       if (const ObjCInterfaceType *IFaceT =
11673             DstType->getAs<ObjCObjectPointerType>()->getInterfaceType())
11674         IFace = IFaceT->getDecl();
11675     }
11676     else if (DstType->isObjCQualifiedIdType()) {
11677       const ObjCObjectPointerType *dstOPT =
11678         DstType->getAs<ObjCObjectPointerType>();
11679       for (auto *dstProto : dstOPT->quals()) {
11680         PDecl = dstProto;
11681         break;
11682       }
11683       if (const ObjCInterfaceType *IFaceT =
11684             SrcType->getAs<ObjCObjectPointerType>()->getInterfaceType())
11685         IFace = IFaceT->getDecl();
11686     }
11687     DiagKind = diag::warn_incompatible_qualified_id;
11688     break;
11689   }
11690   case IncompatibleVectors:
11691     DiagKind = diag::warn_incompatible_vectors;
11692     break;
11693   case IncompatibleObjCWeakRef:
11694     DiagKind = diag::err_arc_weak_unavailable_assign;
11695     break;
11696   case Incompatible:
11697     DiagKind = diag::err_typecheck_convert_incompatible;
11698     ConvHints.tryToFixConversion(SrcExpr, SrcType, DstType, *this);
11699     MayHaveConvFixit = true;
11700     isInvalid = true;
11701     MayHaveFunctionDiff = true;
11702     break;
11703   }
11704
11705   QualType FirstType, SecondType;
11706   switch (Action) {
11707   case AA_Assigning:
11708   case AA_Initializing:
11709     // The destination type comes first.
11710     FirstType = DstType;
11711     SecondType = SrcType;
11712     break;
11713
11714   case AA_Returning:
11715   case AA_Passing:
11716   case AA_Passing_CFAudited:
11717   case AA_Converting:
11718   case AA_Sending:
11719   case AA_Casting:
11720     // The source type comes first.
11721     FirstType = SrcType;
11722     SecondType = DstType;
11723     break;
11724   }
11725
11726   PartialDiagnostic FDiag = PDiag(DiagKind);
11727   if (Action == AA_Passing_CFAudited)
11728     FDiag << FirstType << SecondType << AA_Passing << SrcExpr->getSourceRange();
11729   else
11730     FDiag << FirstType << SecondType << Action << SrcExpr->getSourceRange();
11731
11732   // If we can fix the conversion, suggest the FixIts.
11733   assert(ConvHints.isNull() || Hint.isNull());
11734   if (!ConvHints.isNull()) {
11735     for (std::vector<FixItHint>::iterator HI = ConvHints.Hints.begin(),
11736          HE = ConvHints.Hints.end(); HI != HE; ++HI)
11737       FDiag << *HI;
11738   } else {
11739     FDiag << Hint;
11740   }
11741   if (MayHaveConvFixit) { FDiag << (unsigned) (ConvHints.Kind); }
11742
11743   if (MayHaveFunctionDiff)
11744     HandleFunctionTypeMismatch(FDiag, SecondType, FirstType);
11745
11746   Diag(Loc, FDiag);
11747   if (DiagKind == diag::warn_incompatible_qualified_id &&
11748       PDecl && IFace && !IFace->hasDefinition())
11749       Diag(IFace->getLocation(), diag::not_incomplete_class_and_qualified_id)
11750         << IFace->getName() << PDecl->getName();
11751     
11752   if (SecondType == Context.OverloadTy)
11753     NoteAllOverloadCandidates(OverloadExpr::find(SrcExpr).Expression,
11754                               FirstType);
11755
11756   if (CheckInferredResultType)
11757     EmitRelatedResultTypeNote(SrcExpr);
11758
11759   if (Action == AA_Returning && ConvTy == IncompatiblePointer)
11760     EmitRelatedResultTypeNoteForReturn(DstType);
11761   
11762   if (Complained)
11763     *Complained = true;
11764   return isInvalid;
11765 }
11766
11767 ExprResult Sema::VerifyIntegerConstantExpression(Expr *E,
11768                                                  llvm::APSInt *Result) {
11769   class SimpleICEDiagnoser : public VerifyICEDiagnoser {
11770   public:
11771     void diagnoseNotICE(Sema &S, SourceLocation Loc, SourceRange SR) override {
11772       S.Diag(Loc, diag::err_expr_not_ice) << S.LangOpts.CPlusPlus << SR;
11773     }
11774   } Diagnoser;
11775   
11776   return VerifyIntegerConstantExpression(E, Result, Diagnoser);
11777 }
11778
11779 ExprResult Sema::VerifyIntegerConstantExpression(Expr *E,
11780                                                  llvm::APSInt *Result,
11781                                                  unsigned DiagID,
11782                                                  bool AllowFold) {
11783   class IDDiagnoser : public VerifyICEDiagnoser {
11784     unsigned DiagID;
11785     
11786   public:
11787     IDDiagnoser(unsigned DiagID)
11788       : VerifyICEDiagnoser(DiagID == 0), DiagID(DiagID) { }
11789     
11790     void diagnoseNotICE(Sema &S, SourceLocation Loc, SourceRange SR) override {
11791       S.Diag(Loc, DiagID) << SR;
11792     }
11793   } Diagnoser(DiagID);
11794   
11795   return VerifyIntegerConstantExpression(E, Result, Diagnoser, AllowFold);
11796 }
11797
11798 void Sema::VerifyICEDiagnoser::diagnoseFold(Sema &S, SourceLocation Loc,
11799                                             SourceRange SR) {
11800   S.Diag(Loc, diag::ext_expr_not_ice) << SR << S.LangOpts.CPlusPlus;
11801 }
11802
11803 ExprResult
11804 Sema::VerifyIntegerConstantExpression(Expr *E, llvm::APSInt *Result,
11805                                       VerifyICEDiagnoser &Diagnoser,
11806                                       bool AllowFold) {
11807   SourceLocation DiagLoc = E->getLocStart();
11808
11809   if (getLangOpts().CPlusPlus11) {
11810     // C++11 [expr.const]p5:
11811     //   If an expression of literal class type is used in a context where an
11812     //   integral constant expression is required, then that class type shall
11813     //   have a single non-explicit conversion function to an integral or
11814     //   unscoped enumeration type
11815     ExprResult Converted;
11816     class CXX11ConvertDiagnoser : public ICEConvertDiagnoser {
11817     public:
11818       CXX11ConvertDiagnoser(bool Silent)
11819           : ICEConvertDiagnoser(/*AllowScopedEnumerations*/false,
11820                                 Silent, true) {}
11821
11822       SemaDiagnosticBuilder diagnoseNotInt(Sema &S, SourceLocation Loc,
11823                                            QualType T) override {
11824         return S.Diag(Loc, diag::err_ice_not_integral) << T;
11825       }
11826
11827       SemaDiagnosticBuilder diagnoseIncomplete(
11828           Sema &S, SourceLocation Loc, QualType T) override {
11829         return S.Diag(Loc, diag::err_ice_incomplete_type) << T;
11830       }
11831
11832       SemaDiagnosticBuilder diagnoseExplicitConv(
11833           Sema &S, SourceLocation Loc, QualType T, QualType ConvTy) override {
11834         return S.Diag(Loc, diag::err_ice_explicit_conversion) << T << ConvTy;
11835       }
11836
11837       SemaDiagnosticBuilder noteExplicitConv(
11838           Sema &S, CXXConversionDecl *Conv, QualType ConvTy) override {
11839         return S.Diag(Conv->getLocation(), diag::note_ice_conversion_here)
11840                  << ConvTy->isEnumeralType() << ConvTy;
11841       }
11842
11843       SemaDiagnosticBuilder diagnoseAmbiguous(
11844           Sema &S, SourceLocation Loc, QualType T) override {
11845         return S.Diag(Loc, diag::err_ice_ambiguous_conversion) << T;
11846       }
11847
11848       SemaDiagnosticBuilder noteAmbiguous(
11849           Sema &S, CXXConversionDecl *Conv, QualType ConvTy) override {
11850         return S.Diag(Conv->getLocation(), diag::note_ice_conversion_here)
11851                  << ConvTy->isEnumeralType() << ConvTy;
11852       }
11853
11854       SemaDiagnosticBuilder diagnoseConversion(
11855           Sema &S, SourceLocation Loc, QualType T, QualType ConvTy) override {
11856         llvm_unreachable("conversion functions are permitted");
11857       }
11858     } ConvertDiagnoser(Diagnoser.Suppress);
11859
11860     Converted = PerformContextualImplicitConversion(DiagLoc, E,
11861                                                     ConvertDiagnoser);
11862     if (Converted.isInvalid())
11863       return Converted;
11864     E = Converted.get();
11865     if (!E->getType()->isIntegralOrUnscopedEnumerationType())
11866       return ExprError();
11867   } else if (!E->getType()->isIntegralOrUnscopedEnumerationType()) {
11868     // An ICE must be of integral or unscoped enumeration type.
11869     if (!Diagnoser.Suppress)
11870       Diagnoser.diagnoseNotICE(*this, DiagLoc, E->getSourceRange());
11871     return ExprError();
11872   }
11873
11874   // Circumvent ICE checking in C++11 to avoid evaluating the expression twice
11875   // in the non-ICE case.
11876   if (!getLangOpts().CPlusPlus11 && E->isIntegerConstantExpr(Context)) {
11877     if (Result)
11878       *Result = E->EvaluateKnownConstInt(Context);
11879     return E;
11880   }
11881
11882   Expr::EvalResult EvalResult;
11883   SmallVector<PartialDiagnosticAt, 8> Notes;
11884   EvalResult.Diag = &Notes;
11885
11886   // Try to evaluate the expression, and produce diagnostics explaining why it's
11887   // not a constant expression as a side-effect.
11888   bool Folded = E->EvaluateAsRValue(EvalResult, Context) &&
11889                 EvalResult.Val.isInt() && !EvalResult.HasSideEffects;
11890
11891   // In C++11, we can rely on diagnostics being produced for any expression
11892   // which is not a constant expression. If no diagnostics were produced, then
11893   // this is a constant expression.
11894   if (Folded && getLangOpts().CPlusPlus11 && Notes.empty()) {
11895     if (Result)
11896       *Result = EvalResult.Val.getInt();
11897     return E;
11898   }
11899
11900   // If our only note is the usual "invalid subexpression" note, just point
11901   // the caret at its location rather than producing an essentially
11902   // redundant note.
11903   if (Notes.size() == 1 && Notes[0].second.getDiagID() ==
11904         diag::note_invalid_subexpr_in_const_expr) {
11905     DiagLoc = Notes[0].first;
11906     Notes.clear();
11907   }
11908
11909   if (!Folded || !AllowFold) {
11910     if (!Diagnoser.Suppress) {
11911       Diagnoser.diagnoseNotICE(*this, DiagLoc, E->getSourceRange());
11912       for (unsigned I = 0, N = Notes.size(); I != N; ++I)
11913         Diag(Notes[I].first, Notes[I].second);
11914     }
11915
11916     return ExprError();
11917   }
11918
11919   Diagnoser.diagnoseFold(*this, DiagLoc, E->getSourceRange());
11920   for (unsigned I = 0, N = Notes.size(); I != N; ++I)
11921     Diag(Notes[I].first, Notes[I].second);
11922
11923   if (Result)
11924     *Result = EvalResult.Val.getInt();
11925   return E;
11926 }
11927
11928 namespace {
11929   // Handle the case where we conclude a expression which we speculatively
11930   // considered to be unevaluated is actually evaluated.
11931   class TransformToPE : public TreeTransform<TransformToPE> {
11932     typedef TreeTransform<TransformToPE> BaseTransform;
11933
11934   public:
11935     TransformToPE(Sema &SemaRef) : BaseTransform(SemaRef) { }
11936
11937     // Make sure we redo semantic analysis
11938     bool AlwaysRebuild() { return true; }
11939
11940     // Make sure we handle LabelStmts correctly.
11941     // FIXME: This does the right thing, but maybe we need a more general
11942     // fix to TreeTransform?
11943     StmtResult TransformLabelStmt(LabelStmt *S) {
11944       S->getDecl()->setStmt(nullptr);
11945       return BaseTransform::TransformLabelStmt(S);
11946     }
11947
11948     // We need to special-case DeclRefExprs referring to FieldDecls which
11949     // are not part of a member pointer formation; normal TreeTransforming
11950     // doesn't catch this case because of the way we represent them in the AST.
11951     // FIXME: This is a bit ugly; is it really the best way to handle this
11952     // case?
11953     //
11954     // Error on DeclRefExprs referring to FieldDecls.
11955     ExprResult TransformDeclRefExpr(DeclRefExpr *E) {
11956       if (isa<FieldDecl>(E->getDecl()) &&
11957           !SemaRef.isUnevaluatedContext())
11958         return SemaRef.Diag(E->getLocation(),
11959                             diag::err_invalid_non_static_member_use)
11960             << E->getDecl() << E->getSourceRange();
11961
11962       return BaseTransform::TransformDeclRefExpr(E);
11963     }
11964
11965     // Exception: filter out member pointer formation
11966     ExprResult TransformUnaryOperator(UnaryOperator *E) {
11967       if (E->getOpcode() == UO_AddrOf && E->getType()->isMemberPointerType())
11968         return E;
11969
11970       return BaseTransform::TransformUnaryOperator(E);
11971     }
11972
11973     ExprResult TransformLambdaExpr(LambdaExpr *E) {
11974       // Lambdas never need to be transformed.
11975       return E;
11976     }
11977   };
11978 }
11979
11980 ExprResult Sema::TransformToPotentiallyEvaluated(Expr *E) {
11981   assert(isUnevaluatedContext() &&
11982          "Should only transform unevaluated expressions");
11983   ExprEvalContexts.back().Context =
11984       ExprEvalContexts[ExprEvalContexts.size()-2].Context;
11985   if (isUnevaluatedContext())
11986     return E;
11987   return TransformToPE(*this).TransformExpr(E);
11988 }
11989
11990 void
11991 Sema::PushExpressionEvaluationContext(ExpressionEvaluationContext NewContext,
11992                                       Decl *LambdaContextDecl,
11993                                       bool IsDecltype) {
11994   ExprEvalContexts.emplace_back(NewContext, ExprCleanupObjects.size(),
11995                                 ExprNeedsCleanups, LambdaContextDecl,
11996                                 IsDecltype);
11997   ExprNeedsCleanups = false;
11998   if (!MaybeODRUseExprs.empty())
11999     std::swap(MaybeODRUseExprs, ExprEvalContexts.back().SavedMaybeODRUseExprs);
12000 }
12001
12002 void
12003 Sema::PushExpressionEvaluationContext(ExpressionEvaluationContext NewContext,
12004                                       ReuseLambdaContextDecl_t,
12005                                       bool IsDecltype) {
12006   Decl *ClosureContextDecl = ExprEvalContexts.back().ManglingContextDecl;
12007   PushExpressionEvaluationContext(NewContext, ClosureContextDecl, IsDecltype);
12008 }
12009
12010 void Sema::PopExpressionEvaluationContext() {
12011   ExpressionEvaluationContextRecord& Rec = ExprEvalContexts.back();
12012   unsigned NumTypos = Rec.NumTypos;
12013
12014   if (!Rec.Lambdas.empty()) {
12015     if (Rec.isUnevaluated() || Rec.Context == ConstantEvaluated) {
12016       unsigned D;
12017       if (Rec.isUnevaluated()) {
12018         // C++11 [expr.prim.lambda]p2:
12019         //   A lambda-expression shall not appear in an unevaluated operand
12020         //   (Clause 5).
12021         D = diag::err_lambda_unevaluated_operand;
12022       } else {
12023         // C++1y [expr.const]p2:
12024         //   A conditional-expression e is a core constant expression unless the
12025         //   evaluation of e, following the rules of the abstract machine, would
12026         //   evaluate [...] a lambda-expression.
12027         D = diag::err_lambda_in_constant_expression;
12028       }
12029       for (const auto *L : Rec.Lambdas)
12030         Diag(L->getLocStart(), D);
12031     } else {
12032       // Mark the capture expressions odr-used. This was deferred
12033       // during lambda expression creation.
12034       for (auto *Lambda : Rec.Lambdas) {
12035         for (auto *C : Lambda->capture_inits())
12036           MarkDeclarationsReferencedInExpr(C);
12037       }
12038     }
12039   }
12040
12041   // When are coming out of an unevaluated context, clear out any
12042   // temporaries that we may have created as part of the evaluation of
12043   // the expression in that context: they aren't relevant because they
12044   // will never be constructed.
12045   if (Rec.isUnevaluated() || Rec.Context == ConstantEvaluated) {
12046     ExprCleanupObjects.erase(ExprCleanupObjects.begin() + Rec.NumCleanupObjects,
12047                              ExprCleanupObjects.end());
12048     ExprNeedsCleanups = Rec.ParentNeedsCleanups;
12049     CleanupVarDeclMarking();
12050     std::swap(MaybeODRUseExprs, Rec.SavedMaybeODRUseExprs);
12051   // Otherwise, merge the contexts together.
12052   } else {
12053     ExprNeedsCleanups |= Rec.ParentNeedsCleanups;
12054     MaybeODRUseExprs.insert(Rec.SavedMaybeODRUseExprs.begin(),
12055                             Rec.SavedMaybeODRUseExprs.end());
12056   }
12057
12058   // Pop the current expression evaluation context off the stack.
12059   ExprEvalContexts.pop_back();
12060
12061   if (!ExprEvalContexts.empty())
12062     ExprEvalContexts.back().NumTypos += NumTypos;
12063   else
12064     assert(NumTypos == 0 && "There are outstanding typos after popping the "
12065                             "last ExpressionEvaluationContextRecord");
12066 }
12067
12068 void Sema::DiscardCleanupsInEvaluationContext() {
12069   ExprCleanupObjects.erase(
12070          ExprCleanupObjects.begin() + ExprEvalContexts.back().NumCleanupObjects,
12071          ExprCleanupObjects.end());
12072   ExprNeedsCleanups = false;
12073   MaybeODRUseExprs.clear();
12074 }
12075
12076 ExprResult Sema::HandleExprEvaluationContextForTypeof(Expr *E) {
12077   if (!E->getType()->isVariablyModifiedType())
12078     return E;
12079   return TransformToPotentiallyEvaluated(E);
12080 }
12081
12082 static bool IsPotentiallyEvaluatedContext(Sema &SemaRef) {
12083   // Do not mark anything as "used" within a dependent context; wait for
12084   // an instantiation.
12085   if (SemaRef.CurContext->isDependentContext())
12086     return false;
12087
12088   switch (SemaRef.ExprEvalContexts.back().Context) {
12089     case Sema::Unevaluated:
12090     case Sema::UnevaluatedAbstract:
12091       // We are in an expression that is not potentially evaluated; do nothing.
12092       // (Depending on how you read the standard, we actually do need to do
12093       // something here for null pointer constants, but the standard's
12094       // definition of a null pointer constant is completely crazy.)
12095       return false;
12096
12097     case Sema::ConstantEvaluated:
12098     case Sema::PotentiallyEvaluated:
12099       // We are in a potentially evaluated expression (or a constant-expression
12100       // in C++03); we need to do implicit template instantiation, implicitly
12101       // define class members, and mark most declarations as used.
12102       return true;
12103
12104     case Sema::PotentiallyEvaluatedIfUsed:
12105       // Referenced declarations will only be used if the construct in the
12106       // containing expression is used.
12107       return false;
12108   }
12109   llvm_unreachable("Invalid context");
12110 }
12111
12112 /// \brief Mark a function referenced, and check whether it is odr-used
12113 /// (C++ [basic.def.odr]p2, C99 6.9p3)
12114 void Sema::MarkFunctionReferenced(SourceLocation Loc, FunctionDecl *Func,
12115                                   bool OdrUse) {
12116   assert(Func && "No function?");
12117
12118   Func->setReferenced();
12119
12120   // C++11 [basic.def.odr]p3:
12121   //   A function whose name appears as a potentially-evaluated expression is
12122   //   odr-used if it is the unique lookup result or the selected member of a
12123   //   set of overloaded functions [...].
12124   //
12125   // We (incorrectly) mark overload resolution as an unevaluated context, so we
12126   // can just check that here. Skip the rest of this function if we've already
12127   // marked the function as used.
12128   if (Func->isUsed(/*CheckUsedAttr=*/false) ||
12129       !IsPotentiallyEvaluatedContext(*this)) {
12130     // C++11 [temp.inst]p3:
12131     //   Unless a function template specialization has been explicitly
12132     //   instantiated or explicitly specialized, the function template
12133     //   specialization is implicitly instantiated when the specialization is
12134     //   referenced in a context that requires a function definition to exist.
12135     //
12136     // We consider constexpr function templates to be referenced in a context
12137     // that requires a definition to exist whenever they are referenced.
12138     //
12139     // FIXME: This instantiates constexpr functions too frequently. If this is
12140     // really an unevaluated context (and we're not just in the definition of a
12141     // function template or overload resolution or other cases which we
12142     // incorrectly consider to be unevaluated contexts), and we're not in a
12143     // subexpression which we actually need to evaluate (for instance, a
12144     // template argument, array bound or an expression in a braced-init-list),
12145     // we are not permitted to instantiate this constexpr function definition.
12146     //
12147     // FIXME: This also implicitly defines special members too frequently. They
12148     // are only supposed to be implicitly defined if they are odr-used, but they
12149     // are not odr-used from constant expressions in unevaluated contexts.
12150     // However, they cannot be referenced if they are deleted, and they are
12151     // deleted whenever the implicit definition of the special member would
12152     // fail.
12153     if (!Func->isConstexpr() || Func->getBody())
12154       return;
12155     CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(Func);
12156     if (!Func->isImplicitlyInstantiable() && (!MD || MD->isUserProvided()))
12157       return;
12158   }
12159
12160   // Note that this declaration has been used.
12161   if (CXXConstructorDecl *Constructor = dyn_cast<CXXConstructorDecl>(Func)) {
12162     Constructor = cast<CXXConstructorDecl>(Constructor->getFirstDecl());
12163     if (Constructor->isDefaulted() && !Constructor->isDeleted()) {
12164       if (Constructor->isDefaultConstructor()) {
12165         if (Constructor->isTrivial() && !Constructor->hasAttr<DLLExportAttr>())
12166           return;
12167         DefineImplicitDefaultConstructor(Loc, Constructor);
12168       } else if (Constructor->isCopyConstructor()) {
12169         DefineImplicitCopyConstructor(Loc, Constructor);
12170       } else if (Constructor->isMoveConstructor()) {
12171         DefineImplicitMoveConstructor(Loc, Constructor);
12172       }
12173     } else if (Constructor->getInheritedConstructor()) {
12174       DefineInheritingConstructor(Loc, Constructor);
12175     }
12176   } else if (CXXDestructorDecl *Destructor =
12177                  dyn_cast<CXXDestructorDecl>(Func)) {
12178     Destructor = cast<CXXDestructorDecl>(Destructor->getFirstDecl());
12179     if (Destructor->isDefaulted() && !Destructor->isDeleted()) {
12180       if (Destructor->isTrivial() && !Destructor->hasAttr<DLLExportAttr>())
12181         return;
12182       DefineImplicitDestructor(Loc, Destructor);
12183     }
12184     if (Destructor->isVirtual() && getLangOpts().AppleKext)
12185       MarkVTableUsed(Loc, Destructor->getParent());
12186   } else if (CXXMethodDecl *MethodDecl = dyn_cast<CXXMethodDecl>(Func)) {
12187     if (MethodDecl->isOverloadedOperator() &&
12188         MethodDecl->getOverloadedOperator() == OO_Equal) {
12189       MethodDecl = cast<CXXMethodDecl>(MethodDecl->getFirstDecl());
12190       if (MethodDecl->isDefaulted() && !MethodDecl->isDeleted()) {
12191         if (MethodDecl->isCopyAssignmentOperator())
12192           DefineImplicitCopyAssignment(Loc, MethodDecl);
12193         else
12194           DefineImplicitMoveAssignment(Loc, MethodDecl);
12195       }
12196     } else if (isa<CXXConversionDecl>(MethodDecl) &&
12197                MethodDecl->getParent()->isLambda()) {
12198       CXXConversionDecl *Conversion =
12199           cast<CXXConversionDecl>(MethodDecl->getFirstDecl());
12200       if (Conversion->isLambdaToBlockPointerConversion())
12201         DefineImplicitLambdaToBlockPointerConversion(Loc, Conversion);
12202       else
12203         DefineImplicitLambdaToFunctionPointerConversion(Loc, Conversion);
12204     } else if (MethodDecl->isVirtual() && getLangOpts().AppleKext)
12205       MarkVTableUsed(Loc, MethodDecl->getParent());
12206   }
12207
12208   // Recursive functions should be marked when used from another function.
12209   // FIXME: Is this really right?
12210   if (CurContext == Func) return;
12211
12212   // Resolve the exception specification for any function which is
12213   // used: CodeGen will need it.
12214   const FunctionProtoType *FPT = Func->getType()->getAs<FunctionProtoType>();
12215   if (FPT && isUnresolvedExceptionSpec(FPT->getExceptionSpecType()))
12216     ResolveExceptionSpec(Loc, FPT);
12217
12218   if (!OdrUse) return;
12219
12220   // Implicit instantiation of function templates and member functions of
12221   // class templates.
12222   if (Func->isImplicitlyInstantiable()) {
12223     bool AlreadyInstantiated = false;
12224     SourceLocation PointOfInstantiation = Loc;
12225     if (FunctionTemplateSpecializationInfo *SpecInfo
12226                               = Func->getTemplateSpecializationInfo()) {
12227       if (SpecInfo->getPointOfInstantiation().isInvalid())
12228         SpecInfo->setPointOfInstantiation(Loc);
12229       else if (SpecInfo->getTemplateSpecializationKind()
12230                  == TSK_ImplicitInstantiation) {
12231         AlreadyInstantiated = true;
12232         PointOfInstantiation = SpecInfo->getPointOfInstantiation();
12233       }
12234     } else if (MemberSpecializationInfo *MSInfo
12235                                 = Func->getMemberSpecializationInfo()) {
12236       if (MSInfo->getPointOfInstantiation().isInvalid())
12237         MSInfo->setPointOfInstantiation(Loc);
12238       else if (MSInfo->getTemplateSpecializationKind()
12239                  == TSK_ImplicitInstantiation) {
12240         AlreadyInstantiated = true;
12241         PointOfInstantiation = MSInfo->getPointOfInstantiation();
12242       }
12243     }
12244
12245     if (!AlreadyInstantiated || Func->isConstexpr()) {
12246       if (isa<CXXRecordDecl>(Func->getDeclContext()) &&
12247           cast<CXXRecordDecl>(Func->getDeclContext())->isLocalClass() &&
12248           ActiveTemplateInstantiations.size())
12249         PendingLocalImplicitInstantiations.push_back(
12250             std::make_pair(Func, PointOfInstantiation));
12251       else if (Func->isConstexpr())
12252         // Do not defer instantiations of constexpr functions, to avoid the
12253         // expression evaluator needing to call back into Sema if it sees a
12254         // call to such a function.
12255         InstantiateFunctionDefinition(PointOfInstantiation, Func);
12256       else {
12257         PendingInstantiations.push_back(std::make_pair(Func,
12258                                                        PointOfInstantiation));
12259         // Notify the consumer that a function was implicitly instantiated.
12260         Consumer.HandleCXXImplicitFunctionInstantiation(Func);
12261       }
12262     }
12263   } else {
12264     // Walk redefinitions, as some of them may be instantiable.
12265     for (auto i : Func->redecls()) {
12266       if (!i->isUsed(false) && i->isImplicitlyInstantiable())
12267         MarkFunctionReferenced(Loc, i);
12268     }
12269   }
12270
12271   // Keep track of used but undefined functions.
12272   if (!Func->isDefined()) {
12273     if (mightHaveNonExternalLinkage(Func))
12274       UndefinedButUsed.insert(std::make_pair(Func->getCanonicalDecl(), Loc));
12275     else if (Func->getMostRecentDecl()->isInlined() &&
12276              !LangOpts.GNUInline &&
12277              !Func->getMostRecentDecl()->hasAttr<GNUInlineAttr>())
12278       UndefinedButUsed.insert(std::make_pair(Func->getCanonicalDecl(), Loc));
12279   }
12280
12281   // Normally the most current decl is marked used while processing the use and
12282   // any subsequent decls are marked used by decl merging. This fails with
12283   // template instantiation since marking can happen at the end of the file
12284   // and, because of the two phase lookup, this function is called with at
12285   // decl in the middle of a decl chain. We loop to maintain the invariant
12286   // that once a decl is used, all decls after it are also used.
12287   for (FunctionDecl *F = Func->getMostRecentDecl();; F = F->getPreviousDecl()) {
12288     F->markUsed(Context);
12289     if (F == Func)
12290       break;
12291   }
12292 }
12293
12294 static void
12295 diagnoseUncapturableValueReference(Sema &S, SourceLocation loc,
12296                                    VarDecl *var, DeclContext *DC) {
12297   DeclContext *VarDC = var->getDeclContext();
12298
12299   //  If the parameter still belongs to the translation unit, then
12300   //  we're actually just using one parameter in the declaration of
12301   //  the next.
12302   if (isa<ParmVarDecl>(var) &&
12303       isa<TranslationUnitDecl>(VarDC))
12304     return;
12305
12306   // For C code, don't diagnose about capture if we're not actually in code
12307   // right now; it's impossible to write a non-constant expression outside of
12308   // function context, so we'll get other (more useful) diagnostics later.
12309   //
12310   // For C++, things get a bit more nasty... it would be nice to suppress this
12311   // diagnostic for certain cases like using a local variable in an array bound
12312   // for a member of a local class, but the correct predicate is not obvious.
12313   if (!S.getLangOpts().CPlusPlus && !S.CurContext->isFunctionOrMethod())
12314     return;
12315
12316   if (isa<CXXMethodDecl>(VarDC) &&
12317       cast<CXXRecordDecl>(VarDC->getParent())->isLambda()) {
12318     S.Diag(loc, diag::err_reference_to_local_var_in_enclosing_lambda)
12319       << var->getIdentifier();
12320   } else if (FunctionDecl *fn = dyn_cast<FunctionDecl>(VarDC)) {
12321     S.Diag(loc, diag::err_reference_to_local_var_in_enclosing_function)
12322       << var->getIdentifier() << fn->getDeclName();
12323   } else if (isa<BlockDecl>(VarDC)) {
12324     S.Diag(loc, diag::err_reference_to_local_var_in_enclosing_block)
12325       << var->getIdentifier();
12326   } else {
12327     // FIXME: Is there any other context where a local variable can be
12328     // declared?
12329     S.Diag(loc, diag::err_reference_to_local_var_in_enclosing_context)
12330       << var->getIdentifier();
12331   }
12332
12333   S.Diag(var->getLocation(), diag::note_entity_declared_at)
12334       << var->getIdentifier();
12335
12336   // FIXME: Add additional diagnostic info about class etc. which prevents
12337   // capture.
12338 }
12339
12340  
12341 static bool isVariableAlreadyCapturedInScopeInfo(CapturingScopeInfo *CSI, VarDecl *Var, 
12342                                       bool &SubCapturesAreNested,
12343                                       QualType &CaptureType, 
12344                                       QualType &DeclRefType) {
12345    // Check whether we've already captured it.
12346   if (CSI->CaptureMap.count(Var)) {
12347     // If we found a capture, any subcaptures are nested.
12348     SubCapturesAreNested = true;
12349       
12350     // Retrieve the capture type for this variable.
12351     CaptureType = CSI->getCapture(Var).getCaptureType();
12352       
12353     // Compute the type of an expression that refers to this variable.
12354     DeclRefType = CaptureType.getNonReferenceType();
12355       
12356     const CapturingScopeInfo::Capture &Cap = CSI->getCapture(Var);
12357     if (Cap.isCopyCapture() &&
12358         !(isa<LambdaScopeInfo>(CSI) && cast<LambdaScopeInfo>(CSI)->Mutable))
12359       DeclRefType.addConst();
12360     return true;
12361   }
12362   return false;
12363 }
12364
12365 // Only block literals, captured statements, and lambda expressions can
12366 // capture; other scopes don't work.
12367 static DeclContext *getParentOfCapturingContextOrNull(DeclContext *DC, VarDecl *Var, 
12368                                  SourceLocation Loc, 
12369                                  const bool Diagnose, Sema &S) {
12370   if (isa<BlockDecl>(DC) || isa<CapturedDecl>(DC) || isLambdaCallOperator(DC))
12371     return getLambdaAwareParentOfDeclContext(DC);
12372   else if (Var->hasLocalStorage()) {
12373     if (Diagnose)
12374        diagnoseUncapturableValueReference(S, Loc, Var, DC);
12375   }
12376   return nullptr;
12377 }
12378
12379 // Certain capturing entities (lambdas, blocks etc.) are not allowed to capture 
12380 // certain types of variables (unnamed, variably modified types etc.)
12381 // so check for eligibility.
12382 static bool isVariableCapturable(CapturingScopeInfo *CSI, VarDecl *Var, 
12383                                  SourceLocation Loc, 
12384                                  const bool Diagnose, Sema &S) {
12385
12386   bool IsBlock = isa<BlockScopeInfo>(CSI);
12387   bool IsLambda = isa<LambdaScopeInfo>(CSI);
12388
12389   // Lambdas are not allowed to capture unnamed variables
12390   // (e.g. anonymous unions).
12391   // FIXME: The C++11 rule don't actually state this explicitly, but I'm
12392   // assuming that's the intent.
12393   if (IsLambda && !Var->getDeclName()) {
12394     if (Diagnose) {
12395       S.Diag(Loc, diag::err_lambda_capture_anonymous_var);
12396       S.Diag(Var->getLocation(), diag::note_declared_at);
12397     }
12398     return false;
12399   }
12400
12401   // Prohibit variably-modified types in blocks; they're difficult to deal with.
12402   if (Var->getType()->isVariablyModifiedType() && IsBlock) {
12403     if (Diagnose) {
12404       S.Diag(Loc, diag::err_ref_vm_type);
12405       S.Diag(Var->getLocation(), diag::note_previous_decl) 
12406         << Var->getDeclName();
12407     }
12408     return false;
12409   }
12410   // Prohibit structs with flexible array members too.
12411   // We cannot capture what is in the tail end of the struct.
12412   if (const RecordType *VTTy = Var->getType()->getAs<RecordType>()) {
12413     if (VTTy->getDecl()->hasFlexibleArrayMember()) {
12414       if (Diagnose) {
12415         if (IsBlock)
12416           S.Diag(Loc, diag::err_ref_flexarray_type);
12417         else
12418           S.Diag(Loc, diag::err_lambda_capture_flexarray_type)
12419             << Var->getDeclName();
12420         S.Diag(Var->getLocation(), diag::note_previous_decl)
12421           << Var->getDeclName();
12422       }
12423       return false;
12424     }
12425   }
12426   const bool HasBlocksAttr = Var->hasAttr<BlocksAttr>();
12427   // Lambdas and captured statements are not allowed to capture __block
12428   // variables; they don't support the expected semantics.
12429   if (HasBlocksAttr && (IsLambda || isa<CapturedRegionScopeInfo>(CSI))) {
12430     if (Diagnose) {
12431       S.Diag(Loc, diag::err_capture_block_variable)
12432         << Var->getDeclName() << !IsLambda;
12433       S.Diag(Var->getLocation(), diag::note_previous_decl)
12434         << Var->getDeclName();
12435     }
12436     return false;
12437   }
12438
12439   return true;
12440 }
12441
12442 // Returns true if the capture by block was successful.
12443 static bool captureInBlock(BlockScopeInfo *BSI, VarDecl *Var, 
12444                                  SourceLocation Loc, 
12445                                  const bool BuildAndDiagnose, 
12446                                  QualType &CaptureType,
12447                                  QualType &DeclRefType, 
12448                                  const bool Nested,
12449                                  Sema &S) {
12450   Expr *CopyExpr = nullptr;
12451   bool ByRef = false;
12452       
12453   // Blocks are not allowed to capture arrays.
12454   if (CaptureType->isArrayType()) {
12455     if (BuildAndDiagnose) {
12456       S.Diag(Loc, diag::err_ref_array_type);
12457       S.Diag(Var->getLocation(), diag::note_previous_decl) 
12458       << Var->getDeclName();
12459     }
12460     return false;
12461   }
12462
12463   // Forbid the block-capture of autoreleasing variables.
12464   if (CaptureType.getObjCLifetime() == Qualifiers::OCL_Autoreleasing) {
12465     if (BuildAndDiagnose) {
12466       S.Diag(Loc, diag::err_arc_autoreleasing_capture)
12467         << /*block*/ 0;
12468       S.Diag(Var->getLocation(), diag::note_previous_decl)
12469         << Var->getDeclName();
12470     }
12471     return false;
12472   }
12473   const bool HasBlocksAttr = Var->hasAttr<BlocksAttr>();
12474   if (HasBlocksAttr || CaptureType->isReferenceType()) {
12475     // Block capture by reference does not change the capture or
12476     // declaration reference types.
12477     ByRef = true;
12478   } else {
12479     // Block capture by copy introduces 'const'.
12480     CaptureType = CaptureType.getNonReferenceType().withConst();
12481     DeclRefType = CaptureType;
12482                 
12483     if (S.getLangOpts().CPlusPlus && BuildAndDiagnose) {
12484       if (const RecordType *Record = DeclRefType->getAs<RecordType>()) {
12485         // The capture logic needs the destructor, so make sure we mark it.
12486         // Usually this is unnecessary because most local variables have
12487         // their destructors marked at declaration time, but parameters are
12488         // an exception because it's technically only the call site that
12489         // actually requires the destructor.
12490         if (isa<ParmVarDecl>(Var))
12491           S.FinalizeVarWithDestructor(Var, Record);
12492
12493         // Enter a new evaluation context to insulate the copy
12494         // full-expression.
12495         EnterExpressionEvaluationContext scope(S, S.PotentiallyEvaluated);
12496
12497         // According to the blocks spec, the capture of a variable from
12498         // the stack requires a const copy constructor.  This is not true
12499         // of the copy/move done to move a __block variable to the heap.
12500         Expr *DeclRef = new (S.Context) DeclRefExpr(Var, Nested,
12501                                                   DeclRefType.withConst(), 
12502                                                   VK_LValue, Loc);
12503             
12504         ExprResult Result
12505           = S.PerformCopyInitialization(
12506               InitializedEntity::InitializeBlock(Var->getLocation(),
12507                                                   CaptureType, false),
12508               Loc, DeclRef);
12509             
12510         // Build a full-expression copy expression if initialization
12511         // succeeded and used a non-trivial constructor.  Recover from
12512         // errors by pretending that the copy isn't necessary.
12513         if (!Result.isInvalid() &&
12514             !cast<CXXConstructExpr>(Result.get())->getConstructor()
12515                 ->isTrivial()) {
12516           Result = S.MaybeCreateExprWithCleanups(Result);
12517           CopyExpr = Result.get();
12518         }
12519       }
12520     }
12521   }
12522
12523   // Actually capture the variable.
12524   if (BuildAndDiagnose)
12525     BSI->addCapture(Var, HasBlocksAttr, ByRef, Nested, Loc, 
12526                     SourceLocation(), CaptureType, CopyExpr);
12527
12528   return true;
12529
12530 }
12531
12532
12533 /// \brief Capture the given variable in the captured region.
12534 static bool captureInCapturedRegion(CapturedRegionScopeInfo *RSI,
12535                                     VarDecl *Var, 
12536                                     SourceLocation Loc, 
12537                                     const bool BuildAndDiagnose, 
12538                                     QualType &CaptureType,
12539                                     QualType &DeclRefType, 
12540                                     const bool RefersToCapturedVariable,
12541                                     Sema &S) {
12542   
12543   // By default, capture variables by reference.
12544   bool ByRef = true;
12545   // Using an LValue reference type is consistent with Lambdas (see below).
12546   CaptureType = S.Context.getLValueReferenceType(DeclRefType);
12547   Expr *CopyExpr = nullptr;
12548   if (BuildAndDiagnose) {
12549     // The current implementation assumes that all variables are captured
12550     // by references. Since there is no capture by copy, no expression
12551     // evaluation will be needed.
12552     RecordDecl *RD = RSI->TheRecordDecl;
12553
12554     FieldDecl *Field
12555       = FieldDecl::Create(S.Context, RD, Loc, Loc, nullptr, CaptureType,
12556                           S.Context.getTrivialTypeSourceInfo(CaptureType, Loc),
12557                           nullptr, false, ICIS_NoInit);
12558     Field->setImplicit(true);
12559     Field->setAccess(AS_private);
12560     RD->addDecl(Field);
12561  
12562     CopyExpr = new (S.Context) DeclRefExpr(Var, RefersToCapturedVariable,
12563                                             DeclRefType, VK_LValue, Loc);
12564     Var->setReferenced(true);
12565     Var->markUsed(S.Context);
12566   }
12567
12568   // Actually capture the variable.
12569   if (BuildAndDiagnose)
12570     RSI->addCapture(Var, /*isBlock*/false, ByRef, RefersToCapturedVariable, Loc,
12571                     SourceLocation(), CaptureType, CopyExpr);
12572   
12573   
12574   return true;
12575 }
12576
12577 /// \brief Create a field within the lambda class for the variable
12578 /// being captured.
12579 static void addAsFieldToClosureType(Sema &S, LambdaScopeInfo *LSI, VarDecl *Var,
12580                                     QualType FieldType, QualType DeclRefType,
12581                                     SourceLocation Loc,
12582                                     bool RefersToCapturedVariable) {
12583   CXXRecordDecl *Lambda = LSI->Lambda;
12584
12585   // Build the non-static data member.
12586   FieldDecl *Field
12587     = FieldDecl::Create(S.Context, Lambda, Loc, Loc, nullptr, FieldType,
12588                         S.Context.getTrivialTypeSourceInfo(FieldType, Loc),
12589                         nullptr, false, ICIS_NoInit);
12590   Field->setImplicit(true);
12591   Field->setAccess(AS_private);
12592   Lambda->addDecl(Field);
12593 }
12594
12595 /// \brief Capture the given variable in the lambda.
12596 static bool captureInLambda(LambdaScopeInfo *LSI,
12597                             VarDecl *Var, 
12598                             SourceLocation Loc, 
12599                             const bool BuildAndDiagnose, 
12600                             QualType &CaptureType,
12601                             QualType &DeclRefType, 
12602                             const bool RefersToCapturedVariable,
12603                             const Sema::TryCaptureKind Kind, 
12604                             SourceLocation EllipsisLoc,
12605                             const bool IsTopScope,
12606                             Sema &S) {
12607
12608   // Determine whether we are capturing by reference or by value.
12609   bool ByRef = false;
12610   if (IsTopScope && Kind != Sema::TryCapture_Implicit) {
12611     ByRef = (Kind == Sema::TryCapture_ExplicitByRef);
12612   } else {
12613     ByRef = (LSI->ImpCaptureStyle == LambdaScopeInfo::ImpCap_LambdaByref);
12614   }
12615     
12616   // Compute the type of the field that will capture this variable.
12617   if (ByRef) {
12618     // C++11 [expr.prim.lambda]p15:
12619     //   An entity is captured by reference if it is implicitly or
12620     //   explicitly captured but not captured by copy. It is
12621     //   unspecified whether additional unnamed non-static data
12622     //   members are declared in the closure type for entities
12623     //   captured by reference.
12624     //
12625     // FIXME: It is not clear whether we want to build an lvalue reference
12626     // to the DeclRefType or to CaptureType.getNonReferenceType(). GCC appears
12627     // to do the former, while EDG does the latter. Core issue 1249 will 
12628     // clarify, but for now we follow GCC because it's a more permissive and
12629     // easily defensible position.
12630     CaptureType = S.Context.getLValueReferenceType(DeclRefType);
12631   } else {
12632     // C++11 [expr.prim.lambda]p14:
12633     //   For each entity captured by copy, an unnamed non-static
12634     //   data member is declared in the closure type. The
12635     //   declaration order of these members is unspecified. The type
12636     //   of such a data member is the type of the corresponding
12637     //   captured entity if the entity is not a reference to an
12638     //   object, or the referenced type otherwise. [Note: If the
12639     //   captured entity is a reference to a function, the
12640     //   corresponding data member is also a reference to a
12641     //   function. - end note ]
12642     if (const ReferenceType *RefType = CaptureType->getAs<ReferenceType>()){
12643       if (!RefType->getPointeeType()->isFunctionType())
12644         CaptureType = RefType->getPointeeType();
12645     }
12646
12647     // Forbid the lambda copy-capture of autoreleasing variables.
12648     if (CaptureType.getObjCLifetime() == Qualifiers::OCL_Autoreleasing) {
12649       if (BuildAndDiagnose) {
12650         S.Diag(Loc, diag::err_arc_autoreleasing_capture) << /*lambda*/ 1;
12651         S.Diag(Var->getLocation(), diag::note_previous_decl)
12652           << Var->getDeclName();
12653       }
12654       return false;
12655     }
12656
12657     // Make sure that by-copy captures are of a complete and non-abstract type.
12658     if (BuildAndDiagnose) {
12659       if (!CaptureType->isDependentType() &&
12660           S.RequireCompleteType(Loc, CaptureType,
12661                                 diag::err_capture_of_incomplete_type,
12662                                 Var->getDeclName()))
12663         return false;
12664
12665       if (S.RequireNonAbstractType(Loc, CaptureType,
12666                                    diag::err_capture_of_abstract_type))
12667         return false;
12668     }
12669   }
12670
12671   // Capture this variable in the lambda.
12672   if (BuildAndDiagnose)
12673     addAsFieldToClosureType(S, LSI, Var, CaptureType, DeclRefType, Loc,
12674                             RefersToCapturedVariable);
12675     
12676   // Compute the type of a reference to this captured variable.
12677   if (ByRef)
12678     DeclRefType = CaptureType.getNonReferenceType();
12679   else {
12680     // C++ [expr.prim.lambda]p5:
12681     //   The closure type for a lambda-expression has a public inline 
12682     //   function call operator [...]. This function call operator is 
12683     //   declared const (9.3.1) if and only if the lambda-expression’s 
12684     //   parameter-declaration-clause is not followed by mutable.
12685     DeclRefType = CaptureType.getNonReferenceType();
12686     if (!LSI->Mutable && !CaptureType->isReferenceType())
12687       DeclRefType.addConst();      
12688   }
12689     
12690   // Add the capture.
12691   if (BuildAndDiagnose)
12692     LSI->addCapture(Var, /*IsBlock=*/false, ByRef, RefersToCapturedVariable, 
12693                     Loc, EllipsisLoc, CaptureType, /*CopyExpr=*/nullptr);
12694       
12695   return true;
12696 }
12697
12698 bool Sema::tryCaptureVariable(
12699     VarDecl *Var, SourceLocation ExprLoc, TryCaptureKind Kind,
12700     SourceLocation EllipsisLoc, bool BuildAndDiagnose, QualType &CaptureType,
12701     QualType &DeclRefType, const unsigned *const FunctionScopeIndexToStopAt) {
12702   // An init-capture is notionally from the context surrounding its
12703   // declaration, but its parent DC is the lambda class.
12704   DeclContext *VarDC = Var->getDeclContext();
12705   if (Var->isInitCapture())
12706     VarDC = VarDC->getParent();
12707   
12708   DeclContext *DC = CurContext;
12709   const unsigned MaxFunctionScopesIndex = FunctionScopeIndexToStopAt 
12710       ? *FunctionScopeIndexToStopAt : FunctionScopes.size() - 1;  
12711   // We need to sync up the Declaration Context with the
12712   // FunctionScopeIndexToStopAt
12713   if (FunctionScopeIndexToStopAt) {
12714     unsigned FSIndex = FunctionScopes.size() - 1;
12715     while (FSIndex != MaxFunctionScopesIndex) {
12716       DC = getLambdaAwareParentOfDeclContext(DC);
12717       --FSIndex;
12718     }
12719   }
12720
12721   
12722   // If the variable is declared in the current context, there is no need to
12723   // capture it.
12724   if (VarDC == DC) return true;
12725
12726   // Capture global variables if it is required to use private copy of this
12727   // variable.
12728   bool IsGlobal = !Var->hasLocalStorage();
12729   if (IsGlobal && !(LangOpts.OpenMP && IsOpenMPCapturedVar(Var)))
12730     return true;
12731
12732   // Walk up the stack to determine whether we can capture the variable,
12733   // performing the "simple" checks that don't depend on type. We stop when
12734   // we've either hit the declared scope of the variable or find an existing
12735   // capture of that variable.  We start from the innermost capturing-entity
12736   // (the DC) and ensure that all intervening capturing-entities 
12737   // (blocks/lambdas etc.) between the innermost capturer and the variable`s
12738   // declcontext can either capture the variable or have already captured
12739   // the variable.
12740   CaptureType = Var->getType();
12741   DeclRefType = CaptureType.getNonReferenceType();
12742   bool Nested = false;
12743   bool Explicit = (Kind != TryCapture_Implicit);
12744   unsigned FunctionScopesIndex = MaxFunctionScopesIndex;
12745   do {
12746     // Only block literals, captured statements, and lambda expressions can
12747     // capture; other scopes don't work.
12748     DeclContext *ParentDC = getParentOfCapturingContextOrNull(DC, Var, 
12749                                                               ExprLoc, 
12750                                                               BuildAndDiagnose,
12751                                                               *this);
12752     // We need to check for the parent *first* because, if we *have*
12753     // private-captured a global variable, we need to recursively capture it in
12754     // intermediate blocks, lambdas, etc.
12755     if (!ParentDC) {
12756       if (IsGlobal) {
12757         FunctionScopesIndex = MaxFunctionScopesIndex - 1;
12758         break;
12759       }
12760       return true;
12761     }
12762
12763     FunctionScopeInfo  *FSI = FunctionScopes[FunctionScopesIndex];
12764     CapturingScopeInfo *CSI = cast<CapturingScopeInfo>(FSI);
12765
12766
12767     // Check whether we've already captured it.
12768     if (isVariableAlreadyCapturedInScopeInfo(CSI, Var, Nested, CaptureType, 
12769                                              DeclRefType)) 
12770       break;
12771     // If we are instantiating a generic lambda call operator body, 
12772     // we do not want to capture new variables.  What was captured
12773     // during either a lambdas transformation or initial parsing
12774     // should be used. 
12775     if (isGenericLambdaCallOperatorSpecialization(DC)) {
12776       if (BuildAndDiagnose) {
12777         LambdaScopeInfo *LSI = cast<LambdaScopeInfo>(CSI);   
12778         if (LSI->ImpCaptureStyle == CapturingScopeInfo::ImpCap_None) {
12779           Diag(ExprLoc, diag::err_lambda_impcap) << Var->getDeclName();
12780           Diag(Var->getLocation(), diag::note_previous_decl) 
12781              << Var->getDeclName();
12782           Diag(LSI->Lambda->getLocStart(), diag::note_lambda_decl);          
12783         } else
12784           diagnoseUncapturableValueReference(*this, ExprLoc, Var, DC);
12785       }
12786       return true;
12787     }
12788     // Certain capturing entities (lambdas, blocks etc.) are not allowed to capture 
12789     // certain types of variables (unnamed, variably modified types etc.)
12790     // so check for eligibility.
12791     if (!isVariableCapturable(CSI, Var, ExprLoc, BuildAndDiagnose, *this))
12792        return true;
12793
12794     // Try to capture variable-length arrays types.
12795     if (Var->getType()->isVariablyModifiedType()) {
12796       // We're going to walk down into the type and look for VLA
12797       // expressions.
12798       QualType QTy = Var->getType();
12799       if (ParmVarDecl *PVD = dyn_cast_or_null<ParmVarDecl>(Var))
12800         QTy = PVD->getOriginalType();
12801       do {
12802         const Type *Ty = QTy.getTypePtr();
12803         switch (Ty->getTypeClass()) {
12804 #define TYPE(Class, Base)
12805 #define ABSTRACT_TYPE(Class, Base)
12806 #define NON_CANONICAL_TYPE(Class, Base)
12807 #define DEPENDENT_TYPE(Class, Base) case Type::Class:
12808 #define NON_CANONICAL_UNLESS_DEPENDENT_TYPE(Class, Base)
12809 #include "clang/AST/TypeNodes.def"
12810           QTy = QualType();
12811           break;
12812         // These types are never variably-modified.
12813         case Type::Builtin:
12814         case Type::Complex:
12815         case Type::Vector:
12816         case Type::ExtVector:
12817         case Type::Record:
12818         case Type::Enum:
12819         case Type::Elaborated:
12820         case Type::TemplateSpecialization:
12821         case Type::ObjCObject:
12822         case Type::ObjCInterface:
12823         case Type::ObjCObjectPointer:
12824           llvm_unreachable("type class is never variably-modified!");
12825         case Type::Adjusted:
12826           QTy = cast<AdjustedType>(Ty)->getOriginalType();
12827           break;
12828         case Type::Decayed:
12829           QTy = cast<DecayedType>(Ty)->getPointeeType();
12830           break;
12831         case Type::Pointer:
12832           QTy = cast<PointerType>(Ty)->getPointeeType();
12833           break;
12834         case Type::BlockPointer:
12835           QTy = cast<BlockPointerType>(Ty)->getPointeeType();
12836           break;
12837         case Type::LValueReference:
12838         case Type::RValueReference:
12839           QTy = cast<ReferenceType>(Ty)->getPointeeType();
12840           break;
12841         case Type::MemberPointer:
12842           QTy = cast<MemberPointerType>(Ty)->getPointeeType();
12843           break;
12844         case Type::ConstantArray:
12845         case Type::IncompleteArray:
12846           // Losing element qualification here is fine.
12847           QTy = cast<ArrayType>(Ty)->getElementType();
12848           break;
12849         case Type::VariableArray: {
12850           // Losing element qualification here is fine.
12851           const VariableArrayType *VAT = cast<VariableArrayType>(Ty);
12852
12853           // Unknown size indication requires no size computation.
12854           // Otherwise, evaluate and record it.
12855           if (auto Size = VAT->getSizeExpr()) {
12856             if (!CSI->isVLATypeCaptured(VAT)) {
12857               RecordDecl *CapRecord = nullptr;
12858               if (auto LSI = dyn_cast<LambdaScopeInfo>(CSI)) {
12859                 CapRecord = LSI->Lambda;
12860               } else if (auto CRSI = dyn_cast<CapturedRegionScopeInfo>(CSI)) {
12861                 CapRecord = CRSI->TheRecordDecl;
12862               }
12863               if (CapRecord) {
12864                 auto ExprLoc = Size->getExprLoc();
12865                 auto SizeType = Context.getSizeType();
12866                 // Build the non-static data member.
12867                 auto Field = FieldDecl::Create(
12868                     Context, CapRecord, ExprLoc, ExprLoc,
12869                     /*Id*/ nullptr, SizeType, /*TInfo*/ nullptr,
12870                     /*BW*/ nullptr, /*Mutable*/ false,
12871                     /*InitStyle*/ ICIS_NoInit);
12872                 Field->setImplicit(true);
12873                 Field->setAccess(AS_private);
12874                 Field->setCapturedVLAType(VAT);
12875                 CapRecord->addDecl(Field);
12876
12877                 CSI->addVLATypeCapture(ExprLoc, SizeType);
12878               }
12879             }
12880           }
12881           QTy = VAT->getElementType();
12882           break;
12883         }
12884         case Type::FunctionProto:
12885         case Type::FunctionNoProto:
12886           QTy = cast<FunctionType>(Ty)->getReturnType();
12887           break;
12888         case Type::Paren:
12889         case Type::TypeOf:
12890         case Type::UnaryTransform:
12891         case Type::Attributed:
12892         case Type::SubstTemplateTypeParm:
12893         case Type::PackExpansion:
12894           // Keep walking after single level desugaring.
12895           QTy = QTy.getSingleStepDesugaredType(getASTContext());
12896           break;
12897         case Type::Typedef:
12898           QTy = cast<TypedefType>(Ty)->desugar();
12899           break;
12900         case Type::Decltype:
12901           QTy = cast<DecltypeType>(Ty)->desugar();
12902           break;
12903         case Type::Auto:
12904           QTy = cast<AutoType>(Ty)->getDeducedType();
12905           break;
12906         case Type::TypeOfExpr:
12907           QTy = cast<TypeOfExprType>(Ty)->getUnderlyingExpr()->getType();
12908           break;
12909         case Type::Atomic:
12910           QTy = cast<AtomicType>(Ty)->getValueType();
12911           break;
12912         }
12913       } while (!QTy.isNull() && QTy->isVariablyModifiedType());
12914     }
12915
12916     if (CSI->ImpCaptureStyle == CapturingScopeInfo::ImpCap_None && !Explicit) {
12917       // No capture-default, and this is not an explicit capture 
12918       // so cannot capture this variable.  
12919       if (BuildAndDiagnose) {
12920         Diag(ExprLoc, diag::err_lambda_impcap) << Var->getDeclName();
12921         Diag(Var->getLocation(), diag::note_previous_decl) 
12922           << Var->getDeclName();
12923         Diag(cast<LambdaScopeInfo>(CSI)->Lambda->getLocStart(),
12924              diag::note_lambda_decl);
12925         // FIXME: If we error out because an outer lambda can not implicitly
12926         // capture a variable that an inner lambda explicitly captures, we
12927         // should have the inner lambda do the explicit capture - because
12928         // it makes for cleaner diagnostics later.  This would purely be done
12929         // so that the diagnostic does not misleadingly claim that a variable 
12930         // can not be captured by a lambda implicitly even though it is captured 
12931         // explicitly.  Suggestion:
12932         //  - create const bool VariableCaptureWasInitiallyExplicit = Explicit 
12933         //    at the function head
12934         //  - cache the StartingDeclContext - this must be a lambda 
12935         //  - captureInLambda in the innermost lambda the variable.
12936       }
12937       return true;
12938     }
12939
12940     FunctionScopesIndex--;
12941     DC = ParentDC;
12942     Explicit = false;
12943   } while (!VarDC->Equals(DC));
12944
12945   // Walk back down the scope stack, (e.g. from outer lambda to inner lambda)
12946   // computing the type of the capture at each step, checking type-specific 
12947   // requirements, and adding captures if requested. 
12948   // If the variable had already been captured previously, we start capturing 
12949   // at the lambda nested within that one.   
12950   for (unsigned I = ++FunctionScopesIndex, N = MaxFunctionScopesIndex + 1; I != N; 
12951        ++I) {
12952     CapturingScopeInfo *CSI = cast<CapturingScopeInfo>(FunctionScopes[I]);
12953     
12954     if (BlockScopeInfo *BSI = dyn_cast<BlockScopeInfo>(CSI)) {
12955       if (!captureInBlock(BSI, Var, ExprLoc, 
12956                           BuildAndDiagnose, CaptureType, 
12957                           DeclRefType, Nested, *this))
12958         return true;
12959       Nested = true;
12960     } else if (CapturedRegionScopeInfo *RSI = dyn_cast<CapturedRegionScopeInfo>(CSI)) {
12961       if (!captureInCapturedRegion(RSI, Var, ExprLoc, 
12962                                    BuildAndDiagnose, CaptureType, 
12963                                    DeclRefType, Nested, *this))
12964         return true;
12965       Nested = true;
12966     } else {
12967       LambdaScopeInfo *LSI = cast<LambdaScopeInfo>(CSI);
12968       if (!captureInLambda(LSI, Var, ExprLoc, 
12969                            BuildAndDiagnose, CaptureType, 
12970                            DeclRefType, Nested, Kind, EllipsisLoc, 
12971                             /*IsTopScope*/I == N - 1, *this))
12972         return true;
12973       Nested = true;
12974     }
12975   }
12976   return false;
12977 }
12978
12979 bool Sema::tryCaptureVariable(VarDecl *Var, SourceLocation Loc,
12980                               TryCaptureKind Kind, SourceLocation EllipsisLoc) {  
12981   QualType CaptureType;
12982   QualType DeclRefType;
12983   return tryCaptureVariable(Var, Loc, Kind, EllipsisLoc,
12984                             /*BuildAndDiagnose=*/true, CaptureType,
12985                             DeclRefType, nullptr);
12986 }
12987
12988 bool Sema::NeedToCaptureVariable(VarDecl *Var, SourceLocation Loc) {
12989   QualType CaptureType;
12990   QualType DeclRefType;
12991   return !tryCaptureVariable(Var, Loc, TryCapture_Implicit, SourceLocation(),
12992                              /*BuildAndDiagnose=*/false, CaptureType,
12993                              DeclRefType, nullptr);
12994 }
12995
12996 QualType Sema::getCapturedDeclRefType(VarDecl *Var, SourceLocation Loc) {
12997   QualType CaptureType;
12998   QualType DeclRefType;
12999   
13000   // Determine whether we can capture this variable.
13001   if (tryCaptureVariable(Var, Loc, TryCapture_Implicit, SourceLocation(),
13002                          /*BuildAndDiagnose=*/false, CaptureType, 
13003                          DeclRefType, nullptr))
13004     return QualType();
13005
13006   return DeclRefType;
13007 }
13008
13009
13010
13011 // If either the type of the variable or the initializer is dependent, 
13012 // return false. Otherwise, determine whether the variable is a constant
13013 // expression. Use this if you need to know if a variable that might or
13014 // might not be dependent is truly a constant expression.
13015 static inline bool IsVariableNonDependentAndAConstantExpression(VarDecl *Var, 
13016     ASTContext &Context) {
13017  
13018   if (Var->getType()->isDependentType()) 
13019     return false;
13020   const VarDecl *DefVD = nullptr;
13021   Var->getAnyInitializer(DefVD);
13022   if (!DefVD) 
13023     return false;
13024   EvaluatedStmt *Eval = DefVD->ensureEvaluatedStmt();
13025   Expr *Init = cast<Expr>(Eval->Value);
13026   if (Init->isValueDependent()) 
13027     return false;
13028   return IsVariableAConstantExpression(Var, Context); 
13029 }
13030
13031
13032 void Sema::UpdateMarkingForLValueToRValue(Expr *E) {
13033   // Per C++11 [basic.def.odr], a variable is odr-used "unless it is 
13034   // an object that satisfies the requirements for appearing in a
13035   // constant expression (5.19) and the lvalue-to-rvalue conversion (4.1)
13036   // is immediately applied."  This function handles the lvalue-to-rvalue
13037   // conversion part.
13038   MaybeODRUseExprs.erase(E->IgnoreParens());
13039   
13040   // If we are in a lambda, check if this DeclRefExpr or MemberExpr refers
13041   // to a variable that is a constant expression, and if so, identify it as
13042   // a reference to a variable that does not involve an odr-use of that 
13043   // variable. 
13044   if (LambdaScopeInfo *LSI = getCurLambda()) {
13045     Expr *SansParensExpr = E->IgnoreParens();
13046     VarDecl *Var = nullptr;
13047     if (DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(SansParensExpr)) 
13048       Var = dyn_cast<VarDecl>(DRE->getFoundDecl());
13049     else if (MemberExpr *ME = dyn_cast<MemberExpr>(SansParensExpr))
13050       Var = dyn_cast<VarDecl>(ME->getMemberDecl());
13051     
13052     if (Var && IsVariableNonDependentAndAConstantExpression(Var, Context)) 
13053       LSI->markVariableExprAsNonODRUsed(SansParensExpr);    
13054   }
13055 }
13056
13057 ExprResult Sema::ActOnConstantExpression(ExprResult Res) {
13058   Res = CorrectDelayedTyposInExpr(Res);
13059
13060   if (!Res.isUsable())
13061     return Res;
13062
13063   // If a constant-expression is a reference to a variable where we delay
13064   // deciding whether it is an odr-use, just assume we will apply the
13065   // lvalue-to-rvalue conversion.  In the one case where this doesn't happen
13066   // (a non-type template argument), we have special handling anyway.
13067   UpdateMarkingForLValueToRValue(Res.get());
13068   return Res;
13069 }
13070
13071 void Sema::CleanupVarDeclMarking() {
13072   for (llvm::SmallPtrSetIterator<Expr*> i = MaybeODRUseExprs.begin(),
13073                                         e = MaybeODRUseExprs.end();
13074        i != e; ++i) {
13075     VarDecl *Var;
13076     SourceLocation Loc;
13077     if (DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(*i)) {
13078       Var = cast<VarDecl>(DRE->getDecl());
13079       Loc = DRE->getLocation();
13080     } else if (MemberExpr *ME = dyn_cast<MemberExpr>(*i)) {
13081       Var = cast<VarDecl>(ME->getMemberDecl());
13082       Loc = ME->getMemberLoc();
13083     } else {
13084       llvm_unreachable("Unexpected expression");
13085     }
13086
13087     MarkVarDeclODRUsed(Var, Loc, *this,
13088                        /*MaxFunctionScopeIndex Pointer*/ nullptr);
13089   }
13090
13091   MaybeODRUseExprs.clear();
13092 }
13093
13094
13095 static void DoMarkVarDeclReferenced(Sema &SemaRef, SourceLocation Loc,
13096                                     VarDecl *Var, Expr *E) {
13097   assert((!E || isa<DeclRefExpr>(E) || isa<MemberExpr>(E)) &&
13098          "Invalid Expr argument to DoMarkVarDeclReferenced");
13099   Var->setReferenced();
13100
13101   TemplateSpecializationKind TSK = Var->getTemplateSpecializationKind();
13102   bool MarkODRUsed = true;
13103
13104   // If the context is not potentially evaluated, this is not an odr-use and
13105   // does not trigger instantiation.
13106   if (!IsPotentiallyEvaluatedContext(SemaRef)) {
13107     if (SemaRef.isUnevaluatedContext())
13108       return;
13109
13110     // If we don't yet know whether this context is going to end up being an
13111     // evaluated context, and we're referencing a variable from an enclosing
13112     // scope, add a potential capture.
13113     //
13114     // FIXME: Is this necessary? These contexts are only used for default
13115     // arguments, where local variables can't be used.
13116     const bool RefersToEnclosingScope =
13117         (SemaRef.CurContext != Var->getDeclContext() &&
13118          Var->getDeclContext()->isFunctionOrMethod() && Var->hasLocalStorage());
13119     if (RefersToEnclosingScope) {
13120       if (LambdaScopeInfo *const LSI = SemaRef.getCurLambda()) {
13121         // If a variable could potentially be odr-used, defer marking it so
13122         // until we finish analyzing the full expression for any
13123         // lvalue-to-rvalue
13124         // or discarded value conversions that would obviate odr-use.
13125         // Add it to the list of potential captures that will be analyzed
13126         // later (ActOnFinishFullExpr) for eventual capture and odr-use marking
13127         // unless the variable is a reference that was initialized by a constant
13128         // expression (this will never need to be captured or odr-used).
13129         assert(E && "Capture variable should be used in an expression.");
13130         if (!Var->getType()->isReferenceType() ||
13131             !IsVariableNonDependentAndAConstantExpression(Var, SemaRef.Context))
13132           LSI->addPotentialCapture(E->IgnoreParens());
13133       }
13134     }
13135
13136     if (!isTemplateInstantiation(TSK))
13137         return;
13138
13139     // Instantiate, but do not mark as odr-used, variable templates.
13140     MarkODRUsed = false;
13141   }
13142
13143   VarTemplateSpecializationDecl *VarSpec =
13144       dyn_cast<VarTemplateSpecializationDecl>(Var);
13145   assert(!isa<VarTemplatePartialSpecializationDecl>(Var) &&
13146          "Can't instantiate a partial template specialization.");
13147
13148   // Perform implicit instantiation of static data members, static data member
13149   // templates of class templates, and variable template specializations. Delay
13150   // instantiations of variable templates, except for those that could be used
13151   // in a constant expression.
13152   if (isTemplateInstantiation(TSK)) {
13153     bool TryInstantiating = TSK == TSK_ImplicitInstantiation;
13154
13155     if (TryInstantiating && !isa<VarTemplateSpecializationDecl>(Var)) {
13156       if (Var->getPointOfInstantiation().isInvalid()) {
13157         // This is a modification of an existing AST node. Notify listeners.
13158         if (ASTMutationListener *L = SemaRef.getASTMutationListener())
13159           L->StaticDataMemberInstantiated(Var);
13160       } else if (!Var->isUsableInConstantExpressions(SemaRef.Context))
13161         // Don't bother trying to instantiate it again, unless we might need
13162         // its initializer before we get to the end of the TU.
13163         TryInstantiating = false;
13164     }
13165
13166     if (Var->getPointOfInstantiation().isInvalid())
13167       Var->setTemplateSpecializationKind(TSK, Loc);
13168
13169     if (TryInstantiating) {
13170       SourceLocation PointOfInstantiation = Var->getPointOfInstantiation();
13171       bool InstantiationDependent = false;
13172       bool IsNonDependent =
13173           VarSpec ? !TemplateSpecializationType::anyDependentTemplateArguments(
13174                         VarSpec->getTemplateArgsInfo(), InstantiationDependent)
13175                   : true;
13176
13177       // Do not instantiate specializations that are still type-dependent.
13178       if (IsNonDependent) {
13179         if (Var->isUsableInConstantExpressions(SemaRef.Context)) {
13180           // Do not defer instantiations of variables which could be used in a
13181           // constant expression.
13182           SemaRef.InstantiateVariableDefinition(PointOfInstantiation, Var);
13183         } else {
13184           SemaRef.PendingInstantiations
13185               .push_back(std::make_pair(Var, PointOfInstantiation));
13186         }
13187       }
13188     }
13189   }
13190
13191   if(!MarkODRUsed) return;
13192
13193   // Per C++11 [basic.def.odr], a variable is odr-used "unless it satisfies
13194   // the requirements for appearing in a constant expression (5.19) and, if
13195   // it is an object, the lvalue-to-rvalue conversion (4.1)
13196   // is immediately applied."  We check the first part here, and
13197   // Sema::UpdateMarkingForLValueToRValue deals with the second part.
13198   // Note that we use the C++11 definition everywhere because nothing in
13199   // C++03 depends on whether we get the C++03 version correct. The second
13200   // part does not apply to references, since they are not objects.
13201   if (E && IsVariableAConstantExpression(Var, SemaRef.Context)) {
13202     // A reference initialized by a constant expression can never be
13203     // odr-used, so simply ignore it.
13204     if (!Var->getType()->isReferenceType())
13205       SemaRef.MaybeODRUseExprs.insert(E);
13206   } else
13207     MarkVarDeclODRUsed(Var, Loc, SemaRef,
13208                        /*MaxFunctionScopeIndex ptr*/ nullptr);
13209 }
13210
13211 /// \brief Mark a variable referenced, and check whether it is odr-used
13212 /// (C++ [basic.def.odr]p2, C99 6.9p3).  Note that this should not be
13213 /// used directly for normal expressions referring to VarDecl.
13214 void Sema::MarkVariableReferenced(SourceLocation Loc, VarDecl *Var) {
13215   DoMarkVarDeclReferenced(*this, Loc, Var, nullptr);
13216 }
13217
13218 static void MarkExprReferenced(Sema &SemaRef, SourceLocation Loc,
13219                                Decl *D, Expr *E, bool OdrUse) {
13220   if (VarDecl *Var = dyn_cast<VarDecl>(D)) {
13221     DoMarkVarDeclReferenced(SemaRef, Loc, Var, E);
13222     return;
13223   }
13224
13225   SemaRef.MarkAnyDeclReferenced(Loc, D, OdrUse);
13226
13227   // If this is a call to a method via a cast, also mark the method in the
13228   // derived class used in case codegen can devirtualize the call.
13229   const MemberExpr *ME = dyn_cast<MemberExpr>(E);
13230   if (!ME)
13231     return;
13232   CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(ME->getMemberDecl());
13233   if (!MD)
13234     return;
13235   // Only attempt to devirtualize if this is truly a virtual call.
13236   bool IsVirtualCall = MD->isVirtual() && !ME->hasQualifier();
13237   if (!IsVirtualCall)
13238     return;
13239   const Expr *Base = ME->getBase();
13240   const CXXRecordDecl *MostDerivedClassDecl = Base->getBestDynamicClassType();
13241   if (!MostDerivedClassDecl)
13242     return;
13243   CXXMethodDecl *DM = MD->getCorrespondingMethodInClass(MostDerivedClassDecl);
13244   if (!DM || DM->isPure())
13245     return;
13246   SemaRef.MarkAnyDeclReferenced(Loc, DM, OdrUse);
13247
13248
13249 /// \brief Perform reference-marking and odr-use handling for a DeclRefExpr.
13250 void Sema::MarkDeclRefReferenced(DeclRefExpr *E) {
13251   // TODO: update this with DR# once a defect report is filed.
13252   // C++11 defect. The address of a pure member should not be an ODR use, even
13253   // if it's a qualified reference.
13254   bool OdrUse = true;
13255   if (CXXMethodDecl *Method = dyn_cast<CXXMethodDecl>(E->getDecl()))
13256     if (Method->isVirtual())
13257       OdrUse = false;
13258   MarkExprReferenced(*this, E->getLocation(), E->getDecl(), E, OdrUse);
13259 }
13260
13261 /// \brief Perform reference-marking and odr-use handling for a MemberExpr.
13262 void Sema::MarkMemberReferenced(MemberExpr *E) {
13263   // C++11 [basic.def.odr]p2:
13264   //   A non-overloaded function whose name appears as a potentially-evaluated
13265   //   expression or a member of a set of candidate functions, if selected by
13266   //   overload resolution when referred to from a potentially-evaluated
13267   //   expression, is odr-used, unless it is a pure virtual function and its
13268   //   name is not explicitly qualified.
13269   bool OdrUse = true;
13270   if (!E->hasQualifier()) {
13271     if (CXXMethodDecl *Method = dyn_cast<CXXMethodDecl>(E->getMemberDecl()))
13272       if (Method->isPure())
13273         OdrUse = false;
13274   }
13275   SourceLocation Loc = E->getMemberLoc().isValid() ?
13276                             E->getMemberLoc() : E->getLocStart();
13277   MarkExprReferenced(*this, Loc, E->getMemberDecl(), E, OdrUse);
13278 }
13279
13280 /// \brief Perform marking for a reference to an arbitrary declaration.  It
13281 /// marks the declaration referenced, and performs odr-use checking for
13282 /// functions and variables. This method should not be used when building a
13283 /// normal expression which refers to a variable.
13284 void Sema::MarkAnyDeclReferenced(SourceLocation Loc, Decl *D, bool OdrUse) {
13285   if (OdrUse) {
13286     if (auto *VD = dyn_cast<VarDecl>(D)) {
13287       MarkVariableReferenced(Loc, VD);
13288       return;
13289     }
13290   }
13291   if (auto *FD = dyn_cast<FunctionDecl>(D)) {
13292     MarkFunctionReferenced(Loc, FD, OdrUse);
13293     return;
13294   }
13295   D->setReferenced();
13296 }
13297
13298 namespace {
13299   // Mark all of the declarations referenced
13300   // FIXME: Not fully implemented yet! We need to have a better understanding
13301   // of when we're entering
13302   class MarkReferencedDecls : public RecursiveASTVisitor<MarkReferencedDecls> {
13303     Sema &S;
13304     SourceLocation Loc;
13305
13306   public:
13307     typedef RecursiveASTVisitor<MarkReferencedDecls> Inherited;
13308
13309     MarkReferencedDecls(Sema &S, SourceLocation Loc) : S(S), Loc(Loc) { }
13310
13311     bool TraverseTemplateArgument(const TemplateArgument &Arg);
13312     bool TraverseRecordType(RecordType *T);
13313   };
13314 }
13315
13316 bool MarkReferencedDecls::TraverseTemplateArgument(
13317     const TemplateArgument &Arg) {
13318   if (Arg.getKind() == TemplateArgument::Declaration) {
13319     if (Decl *D = Arg.getAsDecl())
13320       S.MarkAnyDeclReferenced(Loc, D, true);
13321   }
13322
13323   return Inherited::TraverseTemplateArgument(Arg);
13324 }
13325
13326 bool MarkReferencedDecls::TraverseRecordType(RecordType *T) {
13327   if (ClassTemplateSpecializationDecl *Spec
13328                   = dyn_cast<ClassTemplateSpecializationDecl>(T->getDecl())) {
13329     const TemplateArgumentList &Args = Spec->getTemplateArgs();
13330     return TraverseTemplateArguments(Args.data(), Args.size());
13331   }
13332
13333   return true;
13334 }
13335
13336 void Sema::MarkDeclarationsReferencedInType(SourceLocation Loc, QualType T) {
13337   MarkReferencedDecls Marker(*this, Loc);
13338   Marker.TraverseType(Context.getCanonicalType(T));
13339 }
13340
13341 namespace {
13342   /// \brief Helper class that marks all of the declarations referenced by
13343   /// potentially-evaluated subexpressions as "referenced".
13344   class EvaluatedExprMarker : public EvaluatedExprVisitor<EvaluatedExprMarker> {
13345     Sema &S;
13346     bool SkipLocalVariables;
13347     
13348   public:
13349     typedef EvaluatedExprVisitor<EvaluatedExprMarker> Inherited;
13350     
13351     EvaluatedExprMarker(Sema &S, bool SkipLocalVariables) 
13352       : Inherited(S.Context), S(S), SkipLocalVariables(SkipLocalVariables) { }
13353     
13354     void VisitDeclRefExpr(DeclRefExpr *E) {
13355       // If we were asked not to visit local variables, don't.
13356       if (SkipLocalVariables) {
13357         if (VarDecl *VD = dyn_cast<VarDecl>(E->getDecl()))
13358           if (VD->hasLocalStorage())
13359             return;
13360       }
13361       
13362       S.MarkDeclRefReferenced(E);
13363     }
13364
13365     void VisitMemberExpr(MemberExpr *E) {
13366       S.MarkMemberReferenced(E);
13367       Inherited::VisitMemberExpr(E);
13368     }
13369     
13370     void VisitCXXBindTemporaryExpr(CXXBindTemporaryExpr *E) {
13371       S.MarkFunctionReferenced(E->getLocStart(),
13372             const_cast<CXXDestructorDecl*>(E->getTemporary()->getDestructor()));
13373       Visit(E->getSubExpr());
13374     }
13375     
13376     void VisitCXXNewExpr(CXXNewExpr *E) {
13377       if (E->getOperatorNew())
13378         S.MarkFunctionReferenced(E->getLocStart(), E->getOperatorNew());
13379       if (E->getOperatorDelete())
13380         S.MarkFunctionReferenced(E->getLocStart(), E->getOperatorDelete());
13381       Inherited::VisitCXXNewExpr(E);
13382     }
13383
13384     void VisitCXXDeleteExpr(CXXDeleteExpr *E) {
13385       if (E->getOperatorDelete())
13386         S.MarkFunctionReferenced(E->getLocStart(), E->getOperatorDelete());
13387       QualType Destroyed = S.Context.getBaseElementType(E->getDestroyedType());
13388       if (const RecordType *DestroyedRec = Destroyed->getAs<RecordType>()) {
13389         CXXRecordDecl *Record = cast<CXXRecordDecl>(DestroyedRec->getDecl());
13390         S.MarkFunctionReferenced(E->getLocStart(), 
13391                                     S.LookupDestructor(Record));
13392       }
13393       
13394       Inherited::VisitCXXDeleteExpr(E);
13395     }
13396     
13397     void VisitCXXConstructExpr(CXXConstructExpr *E) {
13398       S.MarkFunctionReferenced(E->getLocStart(), E->getConstructor());
13399       Inherited::VisitCXXConstructExpr(E);
13400     }
13401     
13402     void VisitCXXDefaultArgExpr(CXXDefaultArgExpr *E) {
13403       Visit(E->getExpr());
13404     }
13405
13406     void VisitImplicitCastExpr(ImplicitCastExpr *E) {
13407       Inherited::VisitImplicitCastExpr(E);
13408
13409       if (E->getCastKind() == CK_LValueToRValue)
13410         S.UpdateMarkingForLValueToRValue(E->getSubExpr());
13411     }
13412   };
13413 }
13414
13415 /// \brief Mark any declarations that appear within this expression or any
13416 /// potentially-evaluated subexpressions as "referenced".
13417 ///
13418 /// \param SkipLocalVariables If true, don't mark local variables as 
13419 /// 'referenced'.
13420 void Sema::MarkDeclarationsReferencedInExpr(Expr *E, 
13421                                             bool SkipLocalVariables) {
13422   EvaluatedExprMarker(*this, SkipLocalVariables).Visit(E);
13423 }
13424
13425 /// \brief Emit a diagnostic that describes an effect on the run-time behavior
13426 /// of the program being compiled.
13427 ///
13428 /// This routine emits the given diagnostic when the code currently being
13429 /// type-checked is "potentially evaluated", meaning that there is a
13430 /// possibility that the code will actually be executable. Code in sizeof()
13431 /// expressions, code used only during overload resolution, etc., are not
13432 /// potentially evaluated. This routine will suppress such diagnostics or,
13433 /// in the absolutely nutty case of potentially potentially evaluated
13434 /// expressions (C++ typeid), queue the diagnostic to potentially emit it
13435 /// later.
13436 ///
13437 /// This routine should be used for all diagnostics that describe the run-time
13438 /// behavior of a program, such as passing a non-POD value through an ellipsis.
13439 /// Failure to do so will likely result in spurious diagnostics or failures
13440 /// during overload resolution or within sizeof/alignof/typeof/typeid.
13441 bool Sema::DiagRuntimeBehavior(SourceLocation Loc, const Stmt *Statement,
13442                                const PartialDiagnostic &PD) {
13443   switch (ExprEvalContexts.back().Context) {
13444   case Unevaluated:
13445   case UnevaluatedAbstract:
13446     // The argument will never be evaluated, so don't complain.
13447     break;
13448
13449   case ConstantEvaluated:
13450     // Relevant diagnostics should be produced by constant evaluation.
13451     break;
13452
13453   case PotentiallyEvaluated:
13454   case PotentiallyEvaluatedIfUsed:
13455     if (Statement && getCurFunctionOrMethodDecl()) {
13456       FunctionScopes.back()->PossiblyUnreachableDiags.
13457         push_back(sema::PossiblyUnreachableDiag(PD, Loc, Statement));
13458     }
13459     else
13460       Diag(Loc, PD);
13461       
13462     return true;
13463   }
13464
13465   return false;
13466 }
13467
13468 bool Sema::CheckCallReturnType(QualType ReturnType, SourceLocation Loc,
13469                                CallExpr *CE, FunctionDecl *FD) {
13470   if (ReturnType->isVoidType() || !ReturnType->isIncompleteType())
13471     return false;
13472
13473   // If we're inside a decltype's expression, don't check for a valid return
13474   // type or construct temporaries until we know whether this is the last call.
13475   if (ExprEvalContexts.back().IsDecltype) {
13476     ExprEvalContexts.back().DelayedDecltypeCalls.push_back(CE);
13477     return false;
13478   }
13479
13480   class CallReturnIncompleteDiagnoser : public TypeDiagnoser {
13481     FunctionDecl *FD;
13482     CallExpr *CE;
13483     
13484   public:
13485     CallReturnIncompleteDiagnoser(FunctionDecl *FD, CallExpr *CE)
13486       : FD(FD), CE(CE) { }
13487
13488     void diagnose(Sema &S, SourceLocation Loc, QualType T) override {
13489       if (!FD) {
13490         S.Diag(Loc, diag::err_call_incomplete_return)
13491           << T << CE->getSourceRange();
13492         return;
13493       }
13494       
13495       S.Diag(Loc, diag::err_call_function_incomplete_return)
13496         << CE->getSourceRange() << FD->getDeclName() << T;
13497       S.Diag(FD->getLocation(), diag::note_entity_declared_at)
13498           << FD->getDeclName();
13499     }
13500   } Diagnoser(FD, CE);
13501   
13502   if (RequireCompleteType(Loc, ReturnType, Diagnoser))
13503     return true;
13504
13505   return false;
13506 }
13507
13508 // Diagnose the s/=/==/ and s/\|=/!=/ typos. Note that adding parentheses
13509 // will prevent this condition from triggering, which is what we want.
13510 void Sema::DiagnoseAssignmentAsCondition(Expr *E) {
13511   SourceLocation Loc;
13512
13513   unsigned diagnostic = diag::warn_condition_is_assignment;
13514   bool IsOrAssign = false;
13515
13516   if (BinaryOperator *Op = dyn_cast<BinaryOperator>(E)) {
13517     if (Op->getOpcode() != BO_Assign && Op->getOpcode() != BO_OrAssign)
13518       return;
13519
13520     IsOrAssign = Op->getOpcode() == BO_OrAssign;
13521
13522     // Greylist some idioms by putting them into a warning subcategory.
13523     if (ObjCMessageExpr *ME
13524           = dyn_cast<ObjCMessageExpr>(Op->getRHS()->IgnoreParenCasts())) {
13525       Selector Sel = ME->getSelector();
13526
13527       // self = [<foo> init...]
13528       if (isSelfExpr(Op->getLHS()) && ME->getMethodFamily() == OMF_init)
13529         diagnostic = diag::warn_condition_is_idiomatic_assignment;
13530
13531       // <foo> = [<bar> nextObject]
13532       else if (Sel.isUnarySelector() && Sel.getNameForSlot(0) == "nextObject")
13533         diagnostic = diag::warn_condition_is_idiomatic_assignment;
13534     }
13535
13536     Loc = Op->getOperatorLoc();
13537   } else if (CXXOperatorCallExpr *Op = dyn_cast<CXXOperatorCallExpr>(E)) {
13538     if (Op->getOperator() != OO_Equal && Op->getOperator() != OO_PipeEqual)
13539       return;
13540
13541     IsOrAssign = Op->getOperator() == OO_PipeEqual;
13542     Loc = Op->getOperatorLoc();
13543   } else if (PseudoObjectExpr *POE = dyn_cast<PseudoObjectExpr>(E))
13544     return DiagnoseAssignmentAsCondition(POE->getSyntacticForm());
13545   else {
13546     // Not an assignment.
13547     return;
13548   }
13549
13550   Diag(Loc, diagnostic) << E->getSourceRange();
13551
13552   SourceLocation Open = E->getLocStart();
13553   SourceLocation Close = PP.getLocForEndOfToken(E->getSourceRange().getEnd());
13554   Diag(Loc, diag::note_condition_assign_silence)
13555         << FixItHint::CreateInsertion(Open, "(")
13556         << FixItHint::CreateInsertion(Close, ")");
13557
13558   if (IsOrAssign)
13559     Diag(Loc, diag::note_condition_or_assign_to_comparison)
13560       << FixItHint::CreateReplacement(Loc, "!=");
13561   else
13562     Diag(Loc, diag::note_condition_assign_to_comparison)
13563       << FixItHint::CreateReplacement(Loc, "==");
13564 }
13565
13566 /// \brief Redundant parentheses over an equality comparison can indicate
13567 /// that the user intended an assignment used as condition.
13568 void Sema::DiagnoseEqualityWithExtraParens(ParenExpr *ParenE) {
13569   // Don't warn if the parens came from a macro.
13570   SourceLocation parenLoc = ParenE->getLocStart();
13571   if (parenLoc.isInvalid() || parenLoc.isMacroID())
13572     return;
13573   // Don't warn for dependent expressions.
13574   if (ParenE->isTypeDependent())
13575     return;
13576
13577   Expr *E = ParenE->IgnoreParens();
13578
13579   if (BinaryOperator *opE = dyn_cast<BinaryOperator>(E))
13580     if (opE->getOpcode() == BO_EQ &&
13581         opE->getLHS()->IgnoreParenImpCasts()->isModifiableLvalue(Context)
13582                                                            == Expr::MLV_Valid) {
13583       SourceLocation Loc = opE->getOperatorLoc();
13584       
13585       Diag(Loc, diag::warn_equality_with_extra_parens) << E->getSourceRange();
13586       SourceRange ParenERange = ParenE->getSourceRange();
13587       Diag(Loc, diag::note_equality_comparison_silence)
13588         << FixItHint::CreateRemoval(ParenERange.getBegin())
13589         << FixItHint::CreateRemoval(ParenERange.getEnd());
13590       Diag(Loc, diag::note_equality_comparison_to_assign)
13591         << FixItHint::CreateReplacement(Loc, "=");
13592     }
13593 }
13594
13595 ExprResult Sema::CheckBooleanCondition(Expr *E, SourceLocation Loc) {
13596   DiagnoseAssignmentAsCondition(E);
13597   if (ParenExpr *parenE = dyn_cast<ParenExpr>(E))
13598     DiagnoseEqualityWithExtraParens(parenE);
13599
13600   ExprResult result = CheckPlaceholderExpr(E);
13601   if (result.isInvalid()) return ExprError();
13602   E = result.get();
13603
13604   if (!E->isTypeDependent()) {
13605     if (getLangOpts().CPlusPlus)
13606       return CheckCXXBooleanCondition(E); // C++ 6.4p4
13607
13608     ExprResult ERes = DefaultFunctionArrayLvalueConversion(E);
13609     if (ERes.isInvalid())
13610       return ExprError();
13611     E = ERes.get();
13612
13613     QualType T = E->getType();
13614     if (!T->isScalarType()) { // C99 6.8.4.1p1
13615       Diag(Loc, diag::err_typecheck_statement_requires_scalar)
13616         << T << E->getSourceRange();
13617       return ExprError();
13618     }
13619     CheckBoolLikeConversion(E, Loc);
13620   }
13621
13622   return E;
13623 }
13624
13625 ExprResult Sema::ActOnBooleanCondition(Scope *S, SourceLocation Loc,
13626                                        Expr *SubExpr) {
13627   if (!SubExpr)
13628     return ExprError();
13629
13630   return CheckBooleanCondition(SubExpr, Loc);
13631 }
13632
13633 namespace {
13634   /// A visitor for rebuilding a call to an __unknown_any expression
13635   /// to have an appropriate type.
13636   struct RebuildUnknownAnyFunction
13637     : StmtVisitor<RebuildUnknownAnyFunction, ExprResult> {
13638
13639     Sema &S;
13640
13641     RebuildUnknownAnyFunction(Sema &S) : S(S) {}
13642
13643     ExprResult VisitStmt(Stmt *S) {
13644       llvm_unreachable("unexpected statement!");
13645     }
13646
13647     ExprResult VisitExpr(Expr *E) {
13648       S.Diag(E->getExprLoc(), diag::err_unsupported_unknown_any_call)
13649         << E->getSourceRange();
13650       return ExprError();
13651     }
13652
13653     /// Rebuild an expression which simply semantically wraps another
13654     /// expression which it shares the type and value kind of.
13655     template <class T> ExprResult rebuildSugarExpr(T *E) {
13656       ExprResult SubResult = Visit(E->getSubExpr());
13657       if (SubResult.isInvalid()) return ExprError();
13658
13659       Expr *SubExpr = SubResult.get();
13660       E->setSubExpr(SubExpr);
13661       E->setType(SubExpr->getType());
13662       E->setValueKind(SubExpr->getValueKind());
13663       assert(E->getObjectKind() == OK_Ordinary);
13664       return E;
13665     }
13666
13667     ExprResult VisitParenExpr(ParenExpr *E) {
13668       return rebuildSugarExpr(E);
13669     }
13670
13671     ExprResult VisitUnaryExtension(UnaryOperator *E) {
13672       return rebuildSugarExpr(E);
13673     }
13674
13675     ExprResult VisitUnaryAddrOf(UnaryOperator *E) {
13676       ExprResult SubResult = Visit(E->getSubExpr());
13677       if (SubResult.isInvalid()) return ExprError();
13678
13679       Expr *SubExpr = SubResult.get();
13680       E->setSubExpr(SubExpr);
13681       E->setType(S.Context.getPointerType(SubExpr->getType()));
13682       assert(E->getValueKind() == VK_RValue);
13683       assert(E->getObjectKind() == OK_Ordinary);
13684       return E;
13685     }
13686
13687     ExprResult resolveDecl(Expr *E, ValueDecl *VD) {
13688       if (!isa<FunctionDecl>(VD)) return VisitExpr(E);
13689
13690       E->setType(VD->getType());
13691
13692       assert(E->getValueKind() == VK_RValue);
13693       if (S.getLangOpts().CPlusPlus &&
13694           !(isa<CXXMethodDecl>(VD) &&
13695             cast<CXXMethodDecl>(VD)->isInstance()))
13696         E->setValueKind(VK_LValue);
13697
13698       return E;
13699     }
13700
13701     ExprResult VisitMemberExpr(MemberExpr *E) {
13702       return resolveDecl(E, E->getMemberDecl());
13703     }
13704
13705     ExprResult VisitDeclRefExpr(DeclRefExpr *E) {
13706       return resolveDecl(E, E->getDecl());
13707     }
13708   };
13709 }
13710
13711 /// Given a function expression of unknown-any type, try to rebuild it
13712 /// to have a function type.
13713 static ExprResult rebuildUnknownAnyFunction(Sema &S, Expr *FunctionExpr) {
13714   ExprResult Result = RebuildUnknownAnyFunction(S).Visit(FunctionExpr);
13715   if (Result.isInvalid()) return ExprError();
13716   return S.DefaultFunctionArrayConversion(Result.get());
13717 }
13718
13719 namespace {
13720   /// A visitor for rebuilding an expression of type __unknown_anytype
13721   /// into one which resolves the type directly on the referring
13722   /// expression.  Strict preservation of the original source
13723   /// structure is not a goal.
13724   struct RebuildUnknownAnyExpr
13725     : StmtVisitor<RebuildUnknownAnyExpr, ExprResult> {
13726
13727     Sema &S;
13728
13729     /// The current destination type.
13730     QualType DestType;
13731
13732     RebuildUnknownAnyExpr(Sema &S, QualType CastType)
13733       : S(S), DestType(CastType) {}
13734
13735     ExprResult VisitStmt(Stmt *S) {
13736       llvm_unreachable("unexpected statement!");
13737     }
13738
13739     ExprResult VisitExpr(Expr *E) {
13740       S.Diag(E->getExprLoc(), diag::err_unsupported_unknown_any_expr)
13741         << E->getSourceRange();
13742       return ExprError();
13743     }
13744
13745     ExprResult VisitCallExpr(CallExpr *E);
13746     ExprResult VisitObjCMessageExpr(ObjCMessageExpr *E);
13747
13748     /// Rebuild an expression which simply semantically wraps another
13749     /// expression which it shares the type and value kind of.
13750     template <class T> ExprResult rebuildSugarExpr(T *E) {
13751       ExprResult SubResult = Visit(E->getSubExpr());
13752       if (SubResult.isInvalid()) return ExprError();
13753       Expr *SubExpr = SubResult.get();
13754       E->setSubExpr(SubExpr);
13755       E->setType(SubExpr->getType());
13756       E->setValueKind(SubExpr->getValueKind());
13757       assert(E->getObjectKind() == OK_Ordinary);
13758       return E;
13759     }
13760
13761     ExprResult VisitParenExpr(ParenExpr *E) {
13762       return rebuildSugarExpr(E);
13763     }
13764
13765     ExprResult VisitUnaryExtension(UnaryOperator *E) {
13766       return rebuildSugarExpr(E);
13767     }
13768
13769     ExprResult VisitUnaryAddrOf(UnaryOperator *E) {
13770       const PointerType *Ptr = DestType->getAs<PointerType>();
13771       if (!Ptr) {
13772         S.Diag(E->getOperatorLoc(), diag::err_unknown_any_addrof)
13773           << E->getSourceRange();
13774         return ExprError();
13775       }
13776       assert(E->getValueKind() == VK_RValue);
13777       assert(E->getObjectKind() == OK_Ordinary);
13778       E->setType(DestType);
13779
13780       // Build the sub-expression as if it were an object of the pointee type.
13781       DestType = Ptr->getPointeeType();
13782       ExprResult SubResult = Visit(E->getSubExpr());
13783       if (SubResult.isInvalid()) return ExprError();
13784       E->setSubExpr(SubResult.get());
13785       return E;
13786     }
13787
13788     ExprResult VisitImplicitCastExpr(ImplicitCastExpr *E);
13789
13790     ExprResult resolveDecl(Expr *E, ValueDecl *VD);
13791
13792     ExprResult VisitMemberExpr(MemberExpr *E) {
13793       return resolveDecl(E, E->getMemberDecl());
13794     }
13795
13796     ExprResult VisitDeclRefExpr(DeclRefExpr *E) {
13797       return resolveDecl(E, E->getDecl());
13798     }
13799   };
13800 }
13801
13802 /// Rebuilds a call expression which yielded __unknown_anytype.
13803 ExprResult RebuildUnknownAnyExpr::VisitCallExpr(CallExpr *E) {
13804   Expr *CalleeExpr = E->getCallee();
13805
13806   enum FnKind {
13807     FK_MemberFunction,
13808     FK_FunctionPointer,
13809     FK_BlockPointer
13810   };
13811
13812   FnKind Kind;
13813   QualType CalleeType = CalleeExpr->getType();
13814   if (CalleeType == S.Context.BoundMemberTy) {
13815     assert(isa<CXXMemberCallExpr>(E) || isa<CXXOperatorCallExpr>(E));
13816     Kind = FK_MemberFunction;
13817     CalleeType = Expr::findBoundMemberType(CalleeExpr);
13818   } else if (const PointerType *Ptr = CalleeType->getAs<PointerType>()) {
13819     CalleeType = Ptr->getPointeeType();
13820     Kind = FK_FunctionPointer;
13821   } else {
13822     CalleeType = CalleeType->castAs<BlockPointerType>()->getPointeeType();
13823     Kind = FK_BlockPointer;
13824   }
13825   const FunctionType *FnType = CalleeType->castAs<FunctionType>();
13826
13827   // Verify that this is a legal result type of a function.
13828   if (DestType->isArrayType() || DestType->isFunctionType()) {
13829     unsigned diagID = diag::err_func_returning_array_function;
13830     if (Kind == FK_BlockPointer)
13831       diagID = diag::err_block_returning_array_function;
13832
13833     S.Diag(E->getExprLoc(), diagID)
13834       << DestType->isFunctionType() << DestType;
13835     return ExprError();
13836   }
13837
13838   // Otherwise, go ahead and set DestType as the call's result.
13839   E->setType(DestType.getNonLValueExprType(S.Context));
13840   E->setValueKind(Expr::getValueKindForType(DestType));
13841   assert(E->getObjectKind() == OK_Ordinary);
13842
13843   // Rebuild the function type, replacing the result type with DestType.
13844   const FunctionProtoType *Proto = dyn_cast<FunctionProtoType>(FnType);
13845   if (Proto) {
13846     // __unknown_anytype(...) is a special case used by the debugger when
13847     // it has no idea what a function's signature is.
13848     //
13849     // We want to build this call essentially under the K&R
13850     // unprototyped rules, but making a FunctionNoProtoType in C++
13851     // would foul up all sorts of assumptions.  However, we cannot
13852     // simply pass all arguments as variadic arguments, nor can we
13853     // portably just call the function under a non-variadic type; see
13854     // the comment on IR-gen's TargetInfo::isNoProtoCallVariadic.
13855     // However, it turns out that in practice it is generally safe to
13856     // call a function declared as "A foo(B,C,D);" under the prototype
13857     // "A foo(B,C,D,...);".  The only known exception is with the
13858     // Windows ABI, where any variadic function is implicitly cdecl
13859     // regardless of its normal CC.  Therefore we change the parameter
13860     // types to match the types of the arguments.
13861     //
13862     // This is a hack, but it is far superior to moving the
13863     // corresponding target-specific code from IR-gen to Sema/AST.
13864
13865     ArrayRef<QualType> ParamTypes = Proto->getParamTypes();
13866     SmallVector<QualType, 8> ArgTypes;
13867     if (ParamTypes.empty() && Proto->isVariadic()) { // the special case
13868       ArgTypes.reserve(E->getNumArgs());
13869       for (unsigned i = 0, e = E->getNumArgs(); i != e; ++i) {
13870         Expr *Arg = E->getArg(i);
13871         QualType ArgType = Arg->getType();
13872         if (E->isLValue()) {
13873           ArgType = S.Context.getLValueReferenceType(ArgType);
13874         } else if (E->isXValue()) {
13875           ArgType = S.Context.getRValueReferenceType(ArgType);
13876         }
13877         ArgTypes.push_back(ArgType);
13878       }
13879       ParamTypes = ArgTypes;
13880     }
13881     DestType = S.Context.getFunctionType(DestType, ParamTypes,
13882                                          Proto->getExtProtoInfo());
13883   } else {
13884     DestType = S.Context.getFunctionNoProtoType(DestType,
13885                                                 FnType->getExtInfo());
13886   }
13887
13888   // Rebuild the appropriate pointer-to-function type.
13889   switch (Kind) { 
13890   case FK_MemberFunction:
13891     // Nothing to do.
13892     break;
13893
13894   case FK_FunctionPointer:
13895     DestType = S.Context.getPointerType(DestType);
13896     break;
13897
13898   case FK_BlockPointer:
13899     DestType = S.Context.getBlockPointerType(DestType);
13900     break;
13901   }
13902
13903   // Finally, we can recurse.
13904   ExprResult CalleeResult = Visit(CalleeExpr);
13905   if (!CalleeResult.isUsable()) return ExprError();
13906   E->setCallee(CalleeResult.get());
13907
13908   // Bind a temporary if necessary.
13909   return S.MaybeBindToTemporary(E);
13910 }
13911
13912 ExprResult RebuildUnknownAnyExpr::VisitObjCMessageExpr(ObjCMessageExpr *E) {
13913   // Verify that this is a legal result type of a call.
13914   if (DestType->isArrayType() || DestType->isFunctionType()) {
13915     S.Diag(E->getExprLoc(), diag::err_func_returning_array_function)
13916       << DestType->isFunctionType() << DestType;
13917     return ExprError();
13918   }
13919
13920   // Rewrite the method result type if available.
13921   if (ObjCMethodDecl *Method = E->getMethodDecl()) {
13922     assert(Method->getReturnType() == S.Context.UnknownAnyTy);
13923     Method->setReturnType(DestType);
13924   }
13925
13926   // Change the type of the message.
13927   E->setType(DestType.getNonReferenceType());
13928   E->setValueKind(Expr::getValueKindForType(DestType));
13929
13930   return S.MaybeBindToTemporary(E);
13931 }
13932
13933 ExprResult RebuildUnknownAnyExpr::VisitImplicitCastExpr(ImplicitCastExpr *E) {
13934   // The only case we should ever see here is a function-to-pointer decay.
13935   if (E->getCastKind() == CK_FunctionToPointerDecay) {
13936     assert(E->getValueKind() == VK_RValue);
13937     assert(E->getObjectKind() == OK_Ordinary);
13938   
13939     E->setType(DestType);
13940   
13941     // Rebuild the sub-expression as the pointee (function) type.
13942     DestType = DestType->castAs<PointerType>()->getPointeeType();
13943   
13944     ExprResult Result = Visit(E->getSubExpr());
13945     if (!Result.isUsable()) return ExprError();
13946   
13947     E->setSubExpr(Result.get());
13948     return E;
13949   } else if (E->getCastKind() == CK_LValueToRValue) {
13950     assert(E->getValueKind() == VK_RValue);
13951     assert(E->getObjectKind() == OK_Ordinary);
13952
13953     assert(isa<BlockPointerType>(E->getType()));
13954
13955     E->setType(DestType);
13956
13957     // The sub-expression has to be a lvalue reference, so rebuild it as such.
13958     DestType = S.Context.getLValueReferenceType(DestType);
13959
13960     ExprResult Result = Visit(E->getSubExpr());
13961     if (!Result.isUsable()) return ExprError();
13962
13963     E->setSubExpr(Result.get());
13964     return E;
13965   } else {
13966     llvm_unreachable("Unhandled cast type!");
13967   }
13968 }
13969
13970 ExprResult RebuildUnknownAnyExpr::resolveDecl(Expr *E, ValueDecl *VD) {
13971   ExprValueKind ValueKind = VK_LValue;
13972   QualType Type = DestType;
13973
13974   // We know how to make this work for certain kinds of decls:
13975
13976   //  - functions
13977   if (FunctionDecl *FD = dyn_cast<FunctionDecl>(VD)) {
13978     if (const PointerType *Ptr = Type->getAs<PointerType>()) {
13979       DestType = Ptr->getPointeeType();
13980       ExprResult Result = resolveDecl(E, VD);
13981       if (Result.isInvalid()) return ExprError();
13982       return S.ImpCastExprToType(Result.get(), Type,
13983                                  CK_FunctionToPointerDecay, VK_RValue);
13984     }
13985
13986     if (!Type->isFunctionType()) {
13987       S.Diag(E->getExprLoc(), diag::err_unknown_any_function)
13988         << VD << E->getSourceRange();
13989       return ExprError();
13990     }
13991     if (const FunctionProtoType *FT = Type->getAs<FunctionProtoType>()) {
13992       // We must match the FunctionDecl's type to the hack introduced in
13993       // RebuildUnknownAnyExpr::VisitCallExpr to vararg functions of unknown
13994       // type. See the lengthy commentary in that routine.
13995       QualType FDT = FD->getType();
13996       const FunctionType *FnType = FDT->castAs<FunctionType>();
13997       const FunctionProtoType *Proto = dyn_cast_or_null<FunctionProtoType>(FnType);
13998       DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(E);
13999       if (DRE && Proto && Proto->getParamTypes().empty() && Proto->isVariadic()) {
14000         SourceLocation Loc = FD->getLocation();
14001         FunctionDecl *NewFD = FunctionDecl::Create(FD->getASTContext(),
14002                                       FD->getDeclContext(),
14003                                       Loc, Loc, FD->getNameInfo().getName(),
14004                                       DestType, FD->getTypeSourceInfo(),
14005                                       SC_None, false/*isInlineSpecified*/,
14006                                       FD->hasPrototype(),
14007                                       false/*isConstexprSpecified*/);
14008           
14009         if (FD->getQualifier())
14010           NewFD->setQualifierInfo(FD->getQualifierLoc());
14011
14012         SmallVector<ParmVarDecl*, 16> Params;
14013         for (const auto &AI : FT->param_types()) {
14014           ParmVarDecl *Param =
14015             S.BuildParmVarDeclForTypedef(FD, Loc, AI);
14016           Param->setScopeInfo(0, Params.size());
14017           Params.push_back(Param);
14018         }
14019         NewFD->setParams(Params);
14020         DRE->setDecl(NewFD);
14021         VD = DRE->getDecl();
14022       }
14023     }
14024
14025     if (CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(FD))
14026       if (MD->isInstance()) {
14027         ValueKind = VK_RValue;
14028         Type = S.Context.BoundMemberTy;
14029       }
14030
14031     // Function references aren't l-values in C.
14032     if (!S.getLangOpts().CPlusPlus)
14033       ValueKind = VK_RValue;
14034
14035   //  - variables
14036   } else if (isa<VarDecl>(VD)) {
14037     if (const ReferenceType *RefTy = Type->getAs<ReferenceType>()) {
14038       Type = RefTy->getPointeeType();
14039     } else if (Type->isFunctionType()) {
14040       S.Diag(E->getExprLoc(), diag::err_unknown_any_var_function_type)
14041         << VD << E->getSourceRange();
14042       return ExprError();
14043     }
14044
14045   //  - nothing else
14046   } else {
14047     S.Diag(E->getExprLoc(), diag::err_unsupported_unknown_any_decl)
14048       << VD << E->getSourceRange();
14049     return ExprError();
14050   }
14051
14052   // Modifying the declaration like this is friendly to IR-gen but
14053   // also really dangerous.
14054   VD->setType(DestType);
14055   E->setType(Type);
14056   E->setValueKind(ValueKind);
14057   return E;
14058 }
14059
14060 /// Check a cast of an unknown-any type.  We intentionally only
14061 /// trigger this for C-style casts.
14062 ExprResult Sema::checkUnknownAnyCast(SourceRange TypeRange, QualType CastType,
14063                                      Expr *CastExpr, CastKind &CastKind,
14064                                      ExprValueKind &VK, CXXCastPath &Path) {
14065   // Rewrite the casted expression from scratch.
14066   ExprResult result = RebuildUnknownAnyExpr(*this, CastType).Visit(CastExpr);
14067   if (!result.isUsable()) return ExprError();
14068
14069   CastExpr = result.get();
14070   VK = CastExpr->getValueKind();
14071   CastKind = CK_NoOp;
14072
14073   return CastExpr;
14074 }
14075
14076 ExprResult Sema::forceUnknownAnyToType(Expr *E, QualType ToType) {
14077   return RebuildUnknownAnyExpr(*this, ToType).Visit(E);
14078 }
14079
14080 ExprResult Sema::checkUnknownAnyArg(SourceLocation callLoc,
14081                                     Expr *arg, QualType &paramType) {
14082   // If the syntactic form of the argument is not an explicit cast of
14083   // any sort, just do default argument promotion.
14084   ExplicitCastExpr *castArg = dyn_cast<ExplicitCastExpr>(arg->IgnoreParens());
14085   if (!castArg) {
14086     ExprResult result = DefaultArgumentPromotion(arg);
14087     if (result.isInvalid()) return ExprError();
14088     paramType = result.get()->getType();
14089     return result;
14090   }
14091
14092   // Otherwise, use the type that was written in the explicit cast.
14093   assert(!arg->hasPlaceholderType());
14094   paramType = castArg->getTypeAsWritten();
14095
14096   // Copy-initialize a parameter of that type.
14097   InitializedEntity entity =
14098     InitializedEntity::InitializeParameter(Context, paramType,
14099                                            /*consumed*/ false);
14100   return PerformCopyInitialization(entity, callLoc, arg);
14101 }
14102
14103 static ExprResult diagnoseUnknownAnyExpr(Sema &S, Expr *E) {
14104   Expr *orig = E;
14105   unsigned diagID = diag::err_uncasted_use_of_unknown_any;
14106   while (true) {
14107     E = E->IgnoreParenImpCasts();
14108     if (CallExpr *call = dyn_cast<CallExpr>(E)) {
14109       E = call->getCallee();
14110       diagID = diag::err_uncasted_call_of_unknown_any;
14111     } else {
14112       break;
14113     }
14114   }
14115
14116   SourceLocation loc;
14117   NamedDecl *d;
14118   if (DeclRefExpr *ref = dyn_cast<DeclRefExpr>(E)) {
14119     loc = ref->getLocation();
14120     d = ref->getDecl();
14121   } else if (MemberExpr *mem = dyn_cast<MemberExpr>(E)) {
14122     loc = mem->getMemberLoc();
14123     d = mem->getMemberDecl();
14124   } else if (ObjCMessageExpr *msg = dyn_cast<ObjCMessageExpr>(E)) {
14125     diagID = diag::err_uncasted_call_of_unknown_any;
14126     loc = msg->getSelectorStartLoc();
14127     d = msg->getMethodDecl();
14128     if (!d) {
14129       S.Diag(loc, diag::err_uncasted_send_to_unknown_any_method)
14130         << static_cast<unsigned>(msg->isClassMessage()) << msg->getSelector()
14131         << orig->getSourceRange();
14132       return ExprError();
14133     }
14134   } else {
14135     S.Diag(E->getExprLoc(), diag::err_unsupported_unknown_any_expr)
14136       << E->getSourceRange();
14137     return ExprError();
14138   }
14139
14140   S.Diag(loc, diagID) << d << orig->getSourceRange();
14141
14142   // Never recoverable.
14143   return ExprError();
14144 }
14145
14146 /// Check for operands with placeholder types and complain if found.
14147 /// Returns true if there was an error and no recovery was possible.
14148 ExprResult Sema::CheckPlaceholderExpr(Expr *E) {
14149   if (!getLangOpts().CPlusPlus) {
14150     // C cannot handle TypoExpr nodes on either side of a binop because it
14151     // doesn't handle dependent types properly, so make sure any TypoExprs have
14152     // been dealt with before checking the operands.
14153     ExprResult Result = CorrectDelayedTyposInExpr(E);
14154     if (!Result.isUsable()) return ExprError();
14155     E = Result.get();
14156   }
14157
14158   const BuiltinType *placeholderType = E->getType()->getAsPlaceholderType();
14159   if (!placeholderType) return E;
14160
14161   switch (placeholderType->getKind()) {
14162
14163   // Overloaded expressions.
14164   case BuiltinType::Overload: {
14165     // Try to resolve a single function template specialization.
14166     // This is obligatory.
14167     ExprResult result = E;
14168     if (ResolveAndFixSingleFunctionTemplateSpecialization(result, false)) {
14169       return result;
14170
14171     // If that failed, try to recover with a call.
14172     } else {
14173       tryToRecoverWithCall(result, PDiag(diag::err_ovl_unresolvable),
14174                            /*complain*/ true);
14175       return result;
14176     }
14177   }
14178
14179   // Bound member functions.
14180   case BuiltinType::BoundMember: {
14181     ExprResult result = E;
14182     const Expr *BME = E->IgnoreParens();
14183     PartialDiagnostic PD = PDiag(diag::err_bound_member_function);
14184     // Try to give a nicer diagnostic if it is a bound member that we recognize.
14185     if (isa<CXXPseudoDestructorExpr>(BME)) {
14186       PD = PDiag(diag::err_dtor_expr_without_call) << /*pseudo-destructor*/ 1;
14187     } else if (const auto *ME = dyn_cast<MemberExpr>(BME)) {
14188       if (ME->getMemberNameInfo().getName().getNameKind() ==
14189           DeclarationName::CXXDestructorName)
14190         PD = PDiag(diag::err_dtor_expr_without_call) << /*destructor*/ 0;
14191     }
14192     tryToRecoverWithCall(result, PD,
14193                          /*complain*/ true);
14194     return result;
14195   }
14196
14197   // ARC unbridged casts.
14198   case BuiltinType::ARCUnbridgedCast: {
14199     Expr *realCast = stripARCUnbridgedCast(E);
14200     diagnoseARCUnbridgedCast(realCast);
14201     return realCast;
14202   }
14203
14204   // Expressions of unknown type.
14205   case BuiltinType::UnknownAny:
14206     return diagnoseUnknownAnyExpr(*this, E);
14207
14208   // Pseudo-objects.
14209   case BuiltinType::PseudoObject:
14210     return checkPseudoObjectRValue(E);
14211
14212   case BuiltinType::BuiltinFn: {
14213     // Accept __noop without parens by implicitly converting it to a call expr.
14214     auto *DRE = dyn_cast<DeclRefExpr>(E->IgnoreParenImpCasts());
14215     if (DRE) {
14216       auto *FD = cast<FunctionDecl>(DRE->getDecl());
14217       if (FD->getBuiltinID() == Builtin::BI__noop) {
14218         E = ImpCastExprToType(E, Context.getPointerType(FD->getType()),
14219                               CK_BuiltinFnToFnPtr).get();
14220         return new (Context) CallExpr(Context, E, None, Context.IntTy,
14221                                       VK_RValue, SourceLocation());
14222       }
14223     }
14224
14225     Diag(E->getLocStart(), diag::err_builtin_fn_use);
14226     return ExprError();
14227   }
14228
14229   // Everything else should be impossible.
14230 #define BUILTIN_TYPE(Id, SingletonId) \
14231   case BuiltinType::Id:
14232 #define PLACEHOLDER_TYPE(Id, SingletonId)
14233 #include "clang/AST/BuiltinTypes.def"
14234     break;
14235   }
14236
14237   llvm_unreachable("invalid placeholder type!");
14238 }
14239
14240 bool Sema::CheckCaseExpression(Expr *E) {
14241   if (E->isTypeDependent())
14242     return true;
14243   if (E->isValueDependent() || E->isIntegerConstantExpr(Context))
14244     return E->getType()->isIntegralOrEnumerationType();
14245   return false;
14246 }
14247
14248 /// ActOnObjCBoolLiteral - Parse {__objc_yes,__objc_no} literals.
14249 ExprResult
14250 Sema::ActOnObjCBoolLiteral(SourceLocation OpLoc, tok::TokenKind Kind) {
14251   assert((Kind == tok::kw___objc_yes || Kind == tok::kw___objc_no) &&
14252          "Unknown Objective-C Boolean value!");
14253   QualType BoolT = Context.ObjCBuiltinBoolTy;
14254   if (!Context.getBOOLDecl()) {
14255     LookupResult Result(*this, &Context.Idents.get("BOOL"), OpLoc,
14256                         Sema::LookupOrdinaryName);
14257     if (LookupName(Result, getCurScope()) && Result.isSingleResult()) {
14258       NamedDecl *ND = Result.getFoundDecl();
14259       if (TypedefDecl *TD = dyn_cast<TypedefDecl>(ND)) 
14260         Context.setBOOLDecl(TD);
14261     }
14262   }
14263   if (Context.getBOOLDecl())
14264     BoolT = Context.getBOOLType();
14265   return new (Context)
14266       ObjCBoolLiteralExpr(Kind == tok::kw___objc_yes, BoolT, OpLoc);
14267 }