blob: 438bef5de8767faf2fc0b736381021bf4ccd11ec [file] [log] [blame]
Chris Lattnere13042c2008-07-11 19:10:17 +00001//===--- ExprConstant.cpp - Expression Constant Evaluator -----------------===//
Anders Carlsson7a241ba2008-07-03 04:20:39 +00002//
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 the Expr constant evaluator.
11//
12//===----------------------------------------------------------------------===//
13
14#include "clang/AST/APValue.h"
15#include "clang/AST/ASTContext.h"
Ken Dyck40775002010-01-11 17:06:35 +000016#include "clang/AST/CharUnits.h"
Anders Carlsson15b73de2009-07-18 19:43:29 +000017#include "clang/AST/RecordLayout.h"
Seo Sanghyeon1904f442008-07-08 07:23:12 +000018#include "clang/AST/StmtVisitor.h"
Douglas Gregor882211c2010-04-28 22:16:22 +000019#include "clang/AST/TypeLoc.h"
Chris Lattner60f36222009-01-29 05:15:15 +000020#include "clang/AST/ASTDiagnostic.h"
Douglas Gregor882211c2010-04-28 22:16:22 +000021#include "clang/AST/Expr.h"
Chris Lattner15ba9492009-06-14 01:54:56 +000022#include "clang/Basic/Builtins.h"
Anders Carlsson374b93d2008-07-08 05:49:43 +000023#include "clang/Basic/TargetInfo.h"
Mike Stumpb807c9c2009-05-30 14:43:18 +000024#include "llvm/ADT/SmallString.h"
Mike Stump2346cd22009-05-30 03:56:50 +000025#include <cstring>
26
Anders Carlsson7a241ba2008-07-03 04:20:39 +000027using namespace clang;
Chris Lattner05706e882008-07-11 18:11:29 +000028using llvm::APSInt;
Eli Friedman24c01542008-08-22 00:06:13 +000029using llvm::APFloat;
Anders Carlsson7a241ba2008-07-03 04:20:39 +000030
Chris Lattnercdf34e72008-07-11 22:52:41 +000031/// EvalInfo - This is a private struct used by the evaluator to capture
32/// information about a subexpression as it is folded. It retains information
33/// about the AST context, but also maintains information about the folded
34/// expression.
35///
36/// If an expression could be evaluated, it is still possible it is not a C
37/// "integer constant expression" or constant expression. If not, this struct
38/// captures information about how and why not.
39///
40/// One bit of information passed *into* the request for constant folding
41/// indicates whether the subexpression is "evaluated" or not according to C
42/// rules. For example, the RHS of (0 && foo()) is not evaluated. We can
43/// evaluate the expression regardless of what the RHS is, but C only allows
44/// certain things in certain situations.
John McCall93d91dc2010-05-07 17:22:02 +000045namespace {
Richard Smithd62306a2011-11-10 06:34:14 +000046 struct LValue;
Richard Smith254a73d2011-10-28 22:34:42 +000047 struct CallStackFrame;
Richard Smith4e4c78ff2011-10-31 05:52:43 +000048 struct EvalInfo;
Richard Smith254a73d2011-10-28 22:34:42 +000049
Richard Smithce40ad62011-11-12 22:28:03 +000050 QualType getType(APValue::LValueBase B) {
51 if (!B) return QualType();
52 if (const ValueDecl *D = B.dyn_cast<const ValueDecl*>())
53 return D->getType();
54 return B.get<const Expr*>()->getType();
55 }
56
Richard Smithd62306a2011-11-10 06:34:14 +000057 /// Get an LValue path entry, which is known to not be an array index, as a
58 /// field declaration.
59 const FieldDecl *getAsField(APValue::LValuePathEntry E) {
60 APValue::BaseOrMemberType Value;
61 Value.setFromOpaqueValue(E.BaseOrMember);
62 return dyn_cast<FieldDecl>(Value.getPointer());
63 }
64 /// Get an LValue path entry, which is known to not be an array index, as a
65 /// base class declaration.
66 const CXXRecordDecl *getAsBaseClass(APValue::LValuePathEntry E) {
67 APValue::BaseOrMemberType Value;
68 Value.setFromOpaqueValue(E.BaseOrMember);
69 return dyn_cast<CXXRecordDecl>(Value.getPointer());
70 }
71 /// Determine whether this LValue path entry for a base class names a virtual
72 /// base class.
73 bool isVirtualBaseClass(APValue::LValuePathEntry E) {
74 APValue::BaseOrMemberType Value;
75 Value.setFromOpaqueValue(E.BaseOrMember);
76 return Value.getInt();
77 }
78
Richard Smith80815602011-11-07 05:07:52 +000079 /// Determine whether the described subobject is an array element.
80 static bool SubobjectIsArrayElement(QualType Base,
81 ArrayRef<APValue::LValuePathEntry> Path) {
82 bool IsArrayElement = false;
83 const Type *T = Base.getTypePtr();
84 for (unsigned I = 0, N = Path.size(); I != N; ++I) {
85 IsArrayElement = T && T->isArrayType();
86 if (IsArrayElement)
87 T = T->getBaseElementTypeUnsafe();
Richard Smithd62306a2011-11-10 06:34:14 +000088 else if (const FieldDecl *FD = getAsField(Path[I]))
Richard Smith80815602011-11-07 05:07:52 +000089 T = FD->getType().getTypePtr();
90 else
91 // Path[I] describes a base class.
92 T = 0;
93 }
94 return IsArrayElement;
95 }
96
Richard Smith96e0c102011-11-04 02:25:55 +000097 /// A path from a glvalue to a subobject of that glvalue.
98 struct SubobjectDesignator {
99 /// True if the subobject was named in a manner not supported by C++11. Such
100 /// lvalues can still be folded, but they are not core constant expressions
101 /// and we cannot perform lvalue-to-rvalue conversions on them.
102 bool Invalid : 1;
103
104 /// Whether this designates an array element.
105 bool ArrayElement : 1;
106
107 /// Whether this designates 'one past the end' of the current subobject.
108 bool OnePastTheEnd : 1;
109
Richard Smith80815602011-11-07 05:07:52 +0000110 typedef APValue::LValuePathEntry PathEntry;
111
Richard Smith96e0c102011-11-04 02:25:55 +0000112 /// The entries on the path from the glvalue to the designated subobject.
113 SmallVector<PathEntry, 8> Entries;
114
115 SubobjectDesignator() :
116 Invalid(false), ArrayElement(false), OnePastTheEnd(false) {}
117
Richard Smith80815602011-11-07 05:07:52 +0000118 SubobjectDesignator(const APValue &V) :
119 Invalid(!V.isLValue() || !V.hasLValuePath()), ArrayElement(false),
120 OnePastTheEnd(false) {
121 if (!Invalid) {
122 ArrayRef<PathEntry> VEntries = V.getLValuePath();
123 Entries.insert(Entries.end(), VEntries.begin(), VEntries.end());
124 if (V.getLValueBase())
Richard Smithce40ad62011-11-12 22:28:03 +0000125 ArrayElement = SubobjectIsArrayElement(getType(V.getLValueBase()),
Richard Smith80815602011-11-07 05:07:52 +0000126 V.getLValuePath());
127 else
128 assert(V.getLValuePath().empty() &&"Null pointer with nonempty path");
Richard Smith027bf112011-11-17 22:56:20 +0000129 OnePastTheEnd = V.isLValueOnePastTheEnd();
Richard Smith80815602011-11-07 05:07:52 +0000130 }
131 }
132
Richard Smith96e0c102011-11-04 02:25:55 +0000133 void setInvalid() {
134 Invalid = true;
135 Entries.clear();
136 }
137 /// Update this designator to refer to the given element within this array.
138 void addIndex(uint64_t N) {
139 if (Invalid) return;
140 if (OnePastTheEnd) {
141 setInvalid();
142 return;
143 }
144 PathEntry Entry;
Richard Smith80815602011-11-07 05:07:52 +0000145 Entry.ArrayIndex = N;
Richard Smith96e0c102011-11-04 02:25:55 +0000146 Entries.push_back(Entry);
147 ArrayElement = true;
148 }
149 /// Update this designator to refer to the given base or member of this
150 /// object.
Richard Smithd62306a2011-11-10 06:34:14 +0000151 void addDecl(const Decl *D, bool Virtual = false) {
Richard Smith96e0c102011-11-04 02:25:55 +0000152 if (Invalid) return;
153 if (OnePastTheEnd) {
154 setInvalid();
155 return;
156 }
157 PathEntry Entry;
Richard Smithd62306a2011-11-10 06:34:14 +0000158 APValue::BaseOrMemberType Value(D, Virtual);
159 Entry.BaseOrMember = Value.getOpaqueValue();
Richard Smith96e0c102011-11-04 02:25:55 +0000160 Entries.push_back(Entry);
161 ArrayElement = false;
162 }
163 /// Add N to the address of this subobject.
164 void adjustIndex(uint64_t N) {
165 if (Invalid) return;
166 if (ArrayElement) {
Richard Smithf3e9e432011-11-07 09:22:26 +0000167 // FIXME: Make sure the index stays within bounds, or one past the end.
Richard Smith80815602011-11-07 05:07:52 +0000168 Entries.back().ArrayIndex += N;
Richard Smith96e0c102011-11-04 02:25:55 +0000169 return;
170 }
171 if (OnePastTheEnd && N == (uint64_t)-1)
172 OnePastTheEnd = false;
173 else if (!OnePastTheEnd && N == 1)
174 OnePastTheEnd = true;
175 else if (N != 0)
176 setInvalid();
177 }
178 };
179
Richard Smith0b0a0b62011-10-29 20:57:55 +0000180 /// A core constant value. This can be the value of any constant expression,
181 /// or a pointer or reference to a non-static object or function parameter.
Richard Smith027bf112011-11-17 22:56:20 +0000182 ///
183 /// For an LValue, the base and offset are stored in the APValue subobject,
184 /// but the other information is stored in the SubobjectDesignator. For all
185 /// other value kinds, the value is stored directly in the APValue subobject.
Richard Smith0b0a0b62011-10-29 20:57:55 +0000186 class CCValue : public APValue {
187 typedef llvm::APSInt APSInt;
188 typedef llvm::APFloat APFloat;
Richard Smithfec09922011-11-01 16:57:24 +0000189 /// If the value is a reference or pointer into a parameter or temporary,
190 /// this is the corresponding call stack frame.
191 CallStackFrame *CallFrame;
Richard Smith96e0c102011-11-04 02:25:55 +0000192 /// If the value is a reference or pointer, this is a description of how the
193 /// subobject was specified.
194 SubobjectDesignator Designator;
Richard Smith0b0a0b62011-10-29 20:57:55 +0000195 public:
Richard Smithfec09922011-11-01 16:57:24 +0000196 struct GlobalValue {};
197
Richard Smith0b0a0b62011-10-29 20:57:55 +0000198 CCValue() {}
199 explicit CCValue(const APSInt &I) : APValue(I) {}
200 explicit CCValue(const APFloat &F) : APValue(F) {}
201 CCValue(const APValue *E, unsigned N) : APValue(E, N) {}
202 CCValue(const APSInt &R, const APSInt &I) : APValue(R, I) {}
203 CCValue(const APFloat &R, const APFloat &I) : APValue(R, I) {}
Richard Smithfec09922011-11-01 16:57:24 +0000204 CCValue(const CCValue &V) : APValue(V), CallFrame(V.CallFrame) {}
Richard Smithce40ad62011-11-12 22:28:03 +0000205 CCValue(LValueBase B, const CharUnits &O, CallStackFrame *F,
Richard Smith96e0c102011-11-04 02:25:55 +0000206 const SubobjectDesignator &D) :
Richard Smith80815602011-11-07 05:07:52 +0000207 APValue(B, O, APValue::NoLValuePath()), CallFrame(F), Designator(D) {}
Richard Smithfec09922011-11-01 16:57:24 +0000208 CCValue(const APValue &V, GlobalValue) :
Richard Smith80815602011-11-07 05:07:52 +0000209 APValue(V), CallFrame(0), Designator(V) {}
Richard Smith027bf112011-11-17 22:56:20 +0000210 CCValue(const ValueDecl *D, bool IsDerivedMember,
211 ArrayRef<const CXXRecordDecl*> Path) :
212 APValue(D, IsDerivedMember, Path) {}
Richard Smith0b0a0b62011-10-29 20:57:55 +0000213
Richard Smithfec09922011-11-01 16:57:24 +0000214 CallStackFrame *getLValueFrame() const {
Richard Smith0b0a0b62011-10-29 20:57:55 +0000215 assert(getKind() == LValue);
Richard Smithfec09922011-11-01 16:57:24 +0000216 return CallFrame;
Richard Smith0b0a0b62011-10-29 20:57:55 +0000217 }
Richard Smith96e0c102011-11-04 02:25:55 +0000218 SubobjectDesignator &getLValueDesignator() {
219 assert(getKind() == LValue);
220 return Designator;
221 }
222 const SubobjectDesignator &getLValueDesignator() const {
223 return const_cast<CCValue*>(this)->getLValueDesignator();
224 }
Richard Smith0b0a0b62011-10-29 20:57:55 +0000225 };
226
Richard Smith254a73d2011-10-28 22:34:42 +0000227 /// A stack frame in the constexpr call stack.
228 struct CallStackFrame {
229 EvalInfo &Info;
230
231 /// Parent - The caller of this stack frame.
Richard Smith4e4c78ff2011-10-31 05:52:43 +0000232 CallStackFrame *Caller;
Richard Smith254a73d2011-10-28 22:34:42 +0000233
Richard Smithd62306a2011-11-10 06:34:14 +0000234 /// This - The binding for the this pointer in this call, if any.
235 const LValue *This;
236
Richard Smith254a73d2011-10-28 22:34:42 +0000237 /// ParmBindings - Parameter bindings for this function call, indexed by
238 /// parameters' function scope indices.
Richard Smith0b0a0b62011-10-29 20:57:55 +0000239 const CCValue *Arguments;
Richard Smith254a73d2011-10-28 22:34:42 +0000240
Richard Smith4e4c78ff2011-10-31 05:52:43 +0000241 typedef llvm::DenseMap<const Expr*, CCValue> MapTy;
242 typedef MapTy::const_iterator temp_iterator;
243 /// Temporaries - Temporary lvalues materialized within this stack frame.
244 MapTy Temporaries;
245
Richard Smithd62306a2011-11-10 06:34:14 +0000246 CallStackFrame(EvalInfo &Info, const LValue *This,
247 const CCValue *Arguments);
Richard Smith4e4c78ff2011-10-31 05:52:43 +0000248 ~CallStackFrame();
Richard Smith254a73d2011-10-28 22:34:42 +0000249 };
250
Richard Smith4e4c78ff2011-10-31 05:52:43 +0000251 struct EvalInfo {
252 const ASTContext &Ctx;
253
254 /// EvalStatus - Contains information about the evaluation.
255 Expr::EvalStatus &EvalStatus;
256
257 /// CurrentCall - The top of the constexpr call stack.
258 CallStackFrame *CurrentCall;
259
Richard Smith4e4c78ff2011-10-31 05:52:43 +0000260 /// CallStackDepth - The number of calls in the call stack right now.
261 unsigned CallStackDepth;
262
263 typedef llvm::DenseMap<const OpaqueValueExpr*, CCValue> MapTy;
264 /// OpaqueValues - Values used as the common expression in a
265 /// BinaryConditionalOperator.
266 MapTy OpaqueValues;
267
268 /// BottomFrame - The frame in which evaluation started. This must be
269 /// initialized last.
270 CallStackFrame BottomFrame;
271
Richard Smithd62306a2011-11-10 06:34:14 +0000272 /// EvaluatingDecl - This is the declaration whose initializer is being
273 /// evaluated, if any.
274 const VarDecl *EvaluatingDecl;
275
276 /// EvaluatingDeclValue - This is the value being constructed for the
277 /// declaration whose initializer is being evaluated, if any.
278 APValue *EvaluatingDeclValue;
279
Richard Smith4e4c78ff2011-10-31 05:52:43 +0000280
281 EvalInfo(const ASTContext &C, Expr::EvalStatus &S)
Richard Smith9a568822011-11-21 19:36:32 +0000282 : Ctx(C), EvalStatus(S), CurrentCall(0), CallStackDepth(0),
Richard Smithd62306a2011-11-10 06:34:14 +0000283 BottomFrame(*this, 0, 0), EvaluatingDecl(0), EvaluatingDeclValue(0) {}
Richard Smith4e4c78ff2011-10-31 05:52:43 +0000284
Richard Smith4e4c78ff2011-10-31 05:52:43 +0000285 const CCValue *getOpaqueValue(const OpaqueValueExpr *e) const {
286 MapTy::const_iterator i = OpaqueValues.find(e);
287 if (i == OpaqueValues.end()) return 0;
288 return &i->second;
289 }
290
Richard Smithd62306a2011-11-10 06:34:14 +0000291 void setEvaluatingDecl(const VarDecl *VD, APValue &Value) {
292 EvaluatingDecl = VD;
293 EvaluatingDeclValue = &Value;
294 }
295
Richard Smith9a568822011-11-21 19:36:32 +0000296 const LangOptions &getLangOpts() const { return Ctx.getLangOptions(); }
297
298 bool atCallLimit() const {
299 return CallStackDepth > getLangOpts().ConstexprCallDepth;
300 }
Richard Smith4e4c78ff2011-10-31 05:52:43 +0000301 };
302
Richard Smithd62306a2011-11-10 06:34:14 +0000303 CallStackFrame::CallStackFrame(EvalInfo &Info, const LValue *This,
304 const CCValue *Arguments)
305 : Info(Info), Caller(Info.CurrentCall), This(This), Arguments(Arguments) {
Richard Smith4e4c78ff2011-10-31 05:52:43 +0000306 Info.CurrentCall = this;
307 ++Info.CallStackDepth;
308 }
309
310 CallStackFrame::~CallStackFrame() {
311 assert(Info.CurrentCall == this && "calls retired out of order");
312 --Info.CallStackDepth;
313 Info.CurrentCall = Caller;
314 }
315
John McCall93d91dc2010-05-07 17:22:02 +0000316 struct ComplexValue {
317 private:
318 bool IsInt;
319
320 public:
321 APSInt IntReal, IntImag;
322 APFloat FloatReal, FloatImag;
323
324 ComplexValue() : FloatReal(APFloat::Bogus), FloatImag(APFloat::Bogus) {}
325
326 void makeComplexFloat() { IsInt = false; }
327 bool isComplexFloat() const { return !IsInt; }
328 APFloat &getComplexFloatReal() { return FloatReal; }
329 APFloat &getComplexFloatImag() { return FloatImag; }
330
331 void makeComplexInt() { IsInt = true; }
332 bool isComplexInt() const { return IsInt; }
333 APSInt &getComplexIntReal() { return IntReal; }
334 APSInt &getComplexIntImag() { return IntImag; }
335
Richard Smith0b0a0b62011-10-29 20:57:55 +0000336 void moveInto(CCValue &v) const {
John McCall93d91dc2010-05-07 17:22:02 +0000337 if (isComplexFloat())
Richard Smith0b0a0b62011-10-29 20:57:55 +0000338 v = CCValue(FloatReal, FloatImag);
John McCall93d91dc2010-05-07 17:22:02 +0000339 else
Richard Smith0b0a0b62011-10-29 20:57:55 +0000340 v = CCValue(IntReal, IntImag);
John McCall93d91dc2010-05-07 17:22:02 +0000341 }
Richard Smith0b0a0b62011-10-29 20:57:55 +0000342 void setFrom(const CCValue &v) {
John McCallc07a0c72011-02-17 10:25:35 +0000343 assert(v.isComplexFloat() || v.isComplexInt());
344 if (v.isComplexFloat()) {
345 makeComplexFloat();
346 FloatReal = v.getComplexFloatReal();
347 FloatImag = v.getComplexFloatImag();
348 } else {
349 makeComplexInt();
350 IntReal = v.getComplexIntReal();
351 IntImag = v.getComplexIntImag();
352 }
353 }
John McCall93d91dc2010-05-07 17:22:02 +0000354 };
John McCall45d55e42010-05-07 21:00:08 +0000355
356 struct LValue {
Richard Smithce40ad62011-11-12 22:28:03 +0000357 APValue::LValueBase Base;
John McCall45d55e42010-05-07 21:00:08 +0000358 CharUnits Offset;
Richard Smithfec09922011-11-01 16:57:24 +0000359 CallStackFrame *Frame;
Richard Smith96e0c102011-11-04 02:25:55 +0000360 SubobjectDesignator Designator;
John McCall45d55e42010-05-07 21:00:08 +0000361
Richard Smithce40ad62011-11-12 22:28:03 +0000362 const APValue::LValueBase getLValueBase() const { return Base; }
Richard Smith0b0a0b62011-10-29 20:57:55 +0000363 CharUnits &getLValueOffset() { return Offset; }
Richard Smith8b3497e2011-10-31 01:37:14 +0000364 const CharUnits &getLValueOffset() const { return Offset; }
Richard Smithfec09922011-11-01 16:57:24 +0000365 CallStackFrame *getLValueFrame() const { return Frame; }
Richard Smith96e0c102011-11-04 02:25:55 +0000366 SubobjectDesignator &getLValueDesignator() { return Designator; }
367 const SubobjectDesignator &getLValueDesignator() const { return Designator;}
John McCall45d55e42010-05-07 21:00:08 +0000368
Richard Smith0b0a0b62011-10-29 20:57:55 +0000369 void moveInto(CCValue &V) const {
Richard Smith96e0c102011-11-04 02:25:55 +0000370 V = CCValue(Base, Offset, Frame, Designator);
John McCall45d55e42010-05-07 21:00:08 +0000371 }
Richard Smith0b0a0b62011-10-29 20:57:55 +0000372 void setFrom(const CCValue &V) {
373 assert(V.isLValue());
374 Base = V.getLValueBase();
375 Offset = V.getLValueOffset();
Richard Smithfec09922011-11-01 16:57:24 +0000376 Frame = V.getLValueFrame();
Richard Smith96e0c102011-11-04 02:25:55 +0000377 Designator = V.getLValueDesignator();
378 }
379
Richard Smithce40ad62011-11-12 22:28:03 +0000380 void set(APValue::LValueBase B, CallStackFrame *F = 0) {
381 Base = B;
Richard Smith96e0c102011-11-04 02:25:55 +0000382 Offset = CharUnits::Zero();
383 Frame = F;
384 Designator = SubobjectDesignator();
John McCallc07a0c72011-02-17 10:25:35 +0000385 }
John McCall45d55e42010-05-07 21:00:08 +0000386 };
Richard Smith027bf112011-11-17 22:56:20 +0000387
388 struct MemberPtr {
389 MemberPtr() {}
390 explicit MemberPtr(const ValueDecl *Decl) :
391 DeclAndIsDerivedMember(Decl, false), Path() {}
392
393 /// The member or (direct or indirect) field referred to by this member
394 /// pointer, or 0 if this is a null member pointer.
395 const ValueDecl *getDecl() const {
396 return DeclAndIsDerivedMember.getPointer();
397 }
398 /// Is this actually a member of some type derived from the relevant class?
399 bool isDerivedMember() const {
400 return DeclAndIsDerivedMember.getInt();
401 }
402 /// Get the class which the declaration actually lives in.
403 const CXXRecordDecl *getContainingRecord() const {
404 return cast<CXXRecordDecl>(
405 DeclAndIsDerivedMember.getPointer()->getDeclContext());
406 }
407
408 void moveInto(CCValue &V) const {
409 V = CCValue(getDecl(), isDerivedMember(), Path);
410 }
411 void setFrom(const CCValue &V) {
412 assert(V.isMemberPointer());
413 DeclAndIsDerivedMember.setPointer(V.getMemberPointerDecl());
414 DeclAndIsDerivedMember.setInt(V.isMemberPointerToDerivedMember());
415 Path.clear();
416 ArrayRef<const CXXRecordDecl*> P = V.getMemberPointerPath();
417 Path.insert(Path.end(), P.begin(), P.end());
418 }
419
420 /// DeclAndIsDerivedMember - The member declaration, and a flag indicating
421 /// whether the member is a member of some class derived from the class type
422 /// of the member pointer.
423 llvm::PointerIntPair<const ValueDecl*, 1, bool> DeclAndIsDerivedMember;
424 /// Path - The path of base/derived classes from the member declaration's
425 /// class (exclusive) to the class type of the member pointer (inclusive).
426 SmallVector<const CXXRecordDecl*, 4> Path;
427
428 /// Perform a cast towards the class of the Decl (either up or down the
429 /// hierarchy).
430 bool castBack(const CXXRecordDecl *Class) {
431 assert(!Path.empty());
432 const CXXRecordDecl *Expected;
433 if (Path.size() >= 2)
434 Expected = Path[Path.size() - 2];
435 else
436 Expected = getContainingRecord();
437 if (Expected->getCanonicalDecl() != Class->getCanonicalDecl()) {
438 // C++11 [expr.static.cast]p12: In a conversion from (D::*) to (B::*),
439 // if B does not contain the original member and is not a base or
440 // derived class of the class containing the original member, the result
441 // of the cast is undefined.
442 // C++11 [conv.mem]p2 does not cover this case for a cast from (B::*) to
443 // (D::*). We consider that to be a language defect.
444 return false;
445 }
446 Path.pop_back();
447 return true;
448 }
449 /// Perform a base-to-derived member pointer cast.
450 bool castToDerived(const CXXRecordDecl *Derived) {
451 if (!getDecl())
452 return true;
453 if (!isDerivedMember()) {
454 Path.push_back(Derived);
455 return true;
456 }
457 if (!castBack(Derived))
458 return false;
459 if (Path.empty())
460 DeclAndIsDerivedMember.setInt(false);
461 return true;
462 }
463 /// Perform a derived-to-base member pointer cast.
464 bool castToBase(const CXXRecordDecl *Base) {
465 if (!getDecl())
466 return true;
467 if (Path.empty())
468 DeclAndIsDerivedMember.setInt(true);
469 if (isDerivedMember()) {
470 Path.push_back(Base);
471 return true;
472 }
473 return castBack(Base);
474 }
475 };
John McCall93d91dc2010-05-07 17:22:02 +0000476}
Chris Lattnercdf34e72008-07-11 22:52:41 +0000477
Richard Smith0b0a0b62011-10-29 20:57:55 +0000478static bool Evaluate(CCValue &Result, EvalInfo &Info, const Expr *E);
Richard Smithed5165f2011-11-04 05:33:44 +0000479static bool EvaluateConstantExpression(APValue &Result, EvalInfo &Info,
Richard Smithd62306a2011-11-10 06:34:14 +0000480 const LValue &This, const Expr *E);
John McCall45d55e42010-05-07 21:00:08 +0000481static bool EvaluateLValue(const Expr *E, LValue &Result, EvalInfo &Info);
482static bool EvaluatePointer(const Expr *E, LValue &Result, EvalInfo &Info);
Richard Smith027bf112011-11-17 22:56:20 +0000483static bool EvaluateMemberPointer(const Expr *E, MemberPtr &Result,
484 EvalInfo &Info);
485static bool EvaluateTemporary(const Expr *E, LValue &Result, EvalInfo &Info);
Chris Lattnercdf34e72008-07-11 22:52:41 +0000486static bool EvaluateInteger(const Expr *E, APSInt &Result, EvalInfo &Info);
Richard Smith0b0a0b62011-10-29 20:57:55 +0000487static bool EvaluateIntegerOrLValue(const Expr *E, CCValue &Result,
Chris Lattner6c4d2552009-10-28 23:59:40 +0000488 EvalInfo &Info);
Eli Friedman24c01542008-08-22 00:06:13 +0000489static bool EvaluateFloat(const Expr *E, APFloat &Result, EvalInfo &Info);
John McCall93d91dc2010-05-07 17:22:02 +0000490static bool EvaluateComplex(const Expr *E, ComplexValue &Res, EvalInfo &Info);
Chris Lattner05706e882008-07-11 18:11:29 +0000491
492//===----------------------------------------------------------------------===//
Eli Friedman9a156e52008-11-12 09:44:48 +0000493// Misc utilities
494//===----------------------------------------------------------------------===//
495
Richard Smithd62306a2011-11-10 06:34:14 +0000496/// Should this call expression be treated as a string literal?
497static bool IsStringLiteralCall(const CallExpr *E) {
498 unsigned Builtin = E->isBuiltinCall();
499 return (Builtin == Builtin::BI__builtin___CFStringMakeConstantString ||
500 Builtin == Builtin::BI__builtin___NSStringMakeConstantString);
501}
502
Richard Smithce40ad62011-11-12 22:28:03 +0000503static bool IsGlobalLValue(APValue::LValueBase B) {
Richard Smithd62306a2011-11-10 06:34:14 +0000504 // C++11 [expr.const]p3 An address constant expression is a prvalue core
505 // constant expression of pointer type that evaluates to...
506
507 // ... a null pointer value, or a prvalue core constant expression of type
508 // std::nullptr_t.
Richard Smithce40ad62011-11-12 22:28:03 +0000509 if (!B) return true;
John McCall95007602010-05-10 23:27:23 +0000510
Richard Smithce40ad62011-11-12 22:28:03 +0000511 if (const ValueDecl *D = B.dyn_cast<const ValueDecl*>()) {
512 // ... the address of an object with static storage duration,
513 if (const VarDecl *VD = dyn_cast<VarDecl>(D))
514 return VD->hasGlobalStorage();
515 // ... the address of a function,
516 return isa<FunctionDecl>(D);
517 }
518
519 const Expr *E = B.get<const Expr*>();
Richard Smithd62306a2011-11-10 06:34:14 +0000520 switch (E->getStmtClass()) {
521 default:
522 return false;
Richard Smithd62306a2011-11-10 06:34:14 +0000523 case Expr::CompoundLiteralExprClass:
524 return cast<CompoundLiteralExpr>(E)->isFileScope();
525 // A string literal has static storage duration.
526 case Expr::StringLiteralClass:
527 case Expr::PredefinedExprClass:
528 case Expr::ObjCStringLiteralClass:
529 case Expr::ObjCEncodeExprClass:
530 return true;
531 case Expr::CallExprClass:
532 return IsStringLiteralCall(cast<CallExpr>(E));
533 // For GCC compatibility, &&label has static storage duration.
534 case Expr::AddrLabelExprClass:
535 return true;
536 // A Block literal expression may be used as the initialization value for
537 // Block variables at global or local static scope.
538 case Expr::BlockExprClass:
539 return !cast<BlockExpr>(E)->getBlockDecl()->hasCaptures();
540 }
John McCall95007602010-05-10 23:27:23 +0000541}
542
Richard Smith80815602011-11-07 05:07:52 +0000543/// Check that this reference or pointer core constant expression is a valid
544/// value for a constant expression. Type T should be either LValue or CCValue.
545template<typename T>
546static bool CheckLValueConstantExpression(const T &LVal, APValue &Value) {
547 if (!IsGlobalLValue(LVal.getLValueBase()))
548 return false;
549
550 const SubobjectDesignator &Designator = LVal.getLValueDesignator();
551 // A constant expression must refer to an object or be a null pointer.
Richard Smith027bf112011-11-17 22:56:20 +0000552 if (Designator.Invalid ||
Richard Smith80815602011-11-07 05:07:52 +0000553 (!LVal.getLValueBase() && !Designator.Entries.empty())) {
Richard Smith80815602011-11-07 05:07:52 +0000554 // FIXME: This is not a constant expression.
555 Value = APValue(LVal.getLValueBase(), LVal.getLValueOffset(),
556 APValue::NoLValuePath());
557 return true;
558 }
559
560 Value = APValue(LVal.getLValueBase(), LVal.getLValueOffset(),
Richard Smith027bf112011-11-17 22:56:20 +0000561 Designator.Entries, Designator.OnePastTheEnd);
Richard Smith80815602011-11-07 05:07:52 +0000562 return true;
563}
564
Richard Smith0b0a0b62011-10-29 20:57:55 +0000565/// Check that this core constant expression value is a valid value for a
Richard Smithed5165f2011-11-04 05:33:44 +0000566/// constant expression, and if it is, produce the corresponding constant value.
567static bool CheckConstantExpression(const CCValue &CCValue, APValue &Value) {
Richard Smith80815602011-11-07 05:07:52 +0000568 if (!CCValue.isLValue()) {
569 Value = CCValue;
570 return true;
571 }
572 return CheckLValueConstantExpression(CCValue, Value);
Richard Smith0b0a0b62011-10-29 20:57:55 +0000573}
574
Richard Smith83c68212011-10-31 05:11:32 +0000575const ValueDecl *GetLValueBaseDecl(const LValue &LVal) {
Richard Smithce40ad62011-11-12 22:28:03 +0000576 return LVal.Base.dyn_cast<const ValueDecl*>();
Richard Smith83c68212011-10-31 05:11:32 +0000577}
578
579static bool IsLiteralLValue(const LValue &Value) {
Richard Smithce40ad62011-11-12 22:28:03 +0000580 return Value.Base.dyn_cast<const Expr*>() && !Value.Frame;
Richard Smith83c68212011-10-31 05:11:32 +0000581}
582
Richard Smithcecf1842011-11-01 21:06:14 +0000583static bool IsWeakLValue(const LValue &Value) {
584 const ValueDecl *Decl = GetLValueBaseDecl(Value);
Lang Hamesd42bb472011-12-05 20:16:26 +0000585 return Decl && Decl->isWeak();
Richard Smithcecf1842011-11-01 21:06:14 +0000586}
587
Richard Smith027bf112011-11-17 22:56:20 +0000588static bool EvalPointerValueAsBool(const CCValue &Value, bool &Result) {
John McCalleb3e4f32010-05-07 21:34:32 +0000589 // A null base expression indicates a null pointer. These are always
590 // evaluatable, and they are false unless the offset is zero.
Richard Smith027bf112011-11-17 22:56:20 +0000591 if (!Value.getLValueBase()) {
592 Result = !Value.getLValueOffset().isZero();
John McCalleb3e4f32010-05-07 21:34:32 +0000593 return true;
594 }
Rafael Espindolaa1f9cc12010-05-07 15:18:43 +0000595
John McCall95007602010-05-10 23:27:23 +0000596 // Require the base expression to be a global l-value.
Richard Smith0b0a0b62011-10-29 20:57:55 +0000597 // FIXME: C++11 requires such conversions. Remove this check.
Richard Smith027bf112011-11-17 22:56:20 +0000598 if (!IsGlobalLValue(Value.getLValueBase())) return false;
John McCall95007602010-05-10 23:27:23 +0000599
Richard Smith027bf112011-11-17 22:56:20 +0000600 // We have a non-null base. These are generally known to be true, but if it's
601 // a weak declaration it can be null at runtime.
John McCalleb3e4f32010-05-07 21:34:32 +0000602 Result = true;
Richard Smith027bf112011-11-17 22:56:20 +0000603 const ValueDecl *Decl = Value.getLValueBase().dyn_cast<const ValueDecl*>();
Lang Hamesd42bb472011-12-05 20:16:26 +0000604 return !Decl || !Decl->isWeak();
Eli Friedman334046a2009-06-14 02:17:33 +0000605}
606
Richard Smith0b0a0b62011-10-29 20:57:55 +0000607static bool HandleConversionToBool(const CCValue &Val, bool &Result) {
Richard Smith11562c52011-10-28 17:51:58 +0000608 switch (Val.getKind()) {
609 case APValue::Uninitialized:
610 return false;
611 case APValue::Int:
612 Result = Val.getInt().getBoolValue();
Eli Friedman9a156e52008-11-12 09:44:48 +0000613 return true;
Richard Smith11562c52011-10-28 17:51:58 +0000614 case APValue::Float:
615 Result = !Val.getFloat().isZero();
Eli Friedman9a156e52008-11-12 09:44:48 +0000616 return true;
Richard Smith11562c52011-10-28 17:51:58 +0000617 case APValue::ComplexInt:
618 Result = Val.getComplexIntReal().getBoolValue() ||
619 Val.getComplexIntImag().getBoolValue();
620 return true;
621 case APValue::ComplexFloat:
622 Result = !Val.getComplexFloatReal().isZero() ||
623 !Val.getComplexFloatImag().isZero();
624 return true;
Richard Smith027bf112011-11-17 22:56:20 +0000625 case APValue::LValue:
626 return EvalPointerValueAsBool(Val, Result);
627 case APValue::MemberPointer:
628 Result = Val.getMemberPointerDecl();
629 return true;
Richard Smith11562c52011-10-28 17:51:58 +0000630 case APValue::Vector:
Richard Smithf3e9e432011-11-07 09:22:26 +0000631 case APValue::Array:
Richard Smithd62306a2011-11-10 06:34:14 +0000632 case APValue::Struct:
633 case APValue::Union:
Richard Smith11562c52011-10-28 17:51:58 +0000634 return false;
Eli Friedman9a156e52008-11-12 09:44:48 +0000635 }
636
Richard Smith11562c52011-10-28 17:51:58 +0000637 llvm_unreachable("unknown APValue kind");
638}
639
640static bool EvaluateAsBooleanCondition(const Expr *E, bool &Result,
641 EvalInfo &Info) {
642 assert(E->isRValue() && "missing lvalue-to-rvalue conv in bool condition");
Richard Smith0b0a0b62011-10-29 20:57:55 +0000643 CCValue Val;
Richard Smith11562c52011-10-28 17:51:58 +0000644 if (!Evaluate(Val, Info, E))
645 return false;
646 return HandleConversionToBool(Val, Result);
Eli Friedman9a156e52008-11-12 09:44:48 +0000647}
648
Mike Stump11289f42009-09-09 15:08:12 +0000649static APSInt HandleFloatToIntCast(QualType DestType, QualType SrcType,
Jay Foad39c79802011-01-12 09:06:06 +0000650 APFloat &Value, const ASTContext &Ctx) {
Daniel Dunbarb6f953e2009-01-29 06:16:07 +0000651 unsigned DestWidth = Ctx.getIntWidth(DestType);
652 // Determine whether we are converting to unsigned or signed.
Douglas Gregor6ab2fa82011-05-20 16:38:50 +0000653 bool DestSigned = DestType->isSignedIntegerOrEnumerationType();
Mike Stump11289f42009-09-09 15:08:12 +0000654
Daniel Dunbarb6f953e2009-01-29 06:16:07 +0000655 // FIXME: Warning for overflow.
Jeffrey Yasskind0f079d2011-07-15 17:03:07 +0000656 APSInt Result(DestWidth, !DestSigned);
Daniel Dunbarb6f953e2009-01-29 06:16:07 +0000657 bool ignored;
Jeffrey Yasskind0f079d2011-07-15 17:03:07 +0000658 (void)Value.convertToInteger(Result, llvm::APFloat::rmTowardZero, &ignored);
659 return Result;
Daniel Dunbarb6f953e2009-01-29 06:16:07 +0000660}
661
Mike Stump11289f42009-09-09 15:08:12 +0000662static APFloat HandleFloatToFloatCast(QualType DestType, QualType SrcType,
Jay Foad39c79802011-01-12 09:06:06 +0000663 APFloat &Value, const ASTContext &Ctx) {
Daniel Dunbarb6f953e2009-01-29 06:16:07 +0000664 bool ignored;
665 APFloat Result = Value;
Mike Stump11289f42009-09-09 15:08:12 +0000666 Result.convert(Ctx.getFloatTypeSemantics(DestType),
Daniel Dunbarb6f953e2009-01-29 06:16:07 +0000667 APFloat::rmNearestTiesToEven, &ignored);
668 return Result;
669}
670
Mike Stump11289f42009-09-09 15:08:12 +0000671static APSInt HandleIntToIntCast(QualType DestType, QualType SrcType,
Jay Foad39c79802011-01-12 09:06:06 +0000672 APSInt &Value, const ASTContext &Ctx) {
Daniel Dunbarb6f953e2009-01-29 06:16:07 +0000673 unsigned DestWidth = Ctx.getIntWidth(DestType);
674 APSInt Result = Value;
675 // Figure out if this is a truncate, extend or noop cast.
676 // If the input is signed, do a sign extend, noop, or truncate.
Jay Foad6d4db0c2010-12-07 08:25:34 +0000677 Result = Result.extOrTrunc(DestWidth);
Douglas Gregor6ab2fa82011-05-20 16:38:50 +0000678 Result.setIsUnsigned(DestType->isUnsignedIntegerOrEnumerationType());
Daniel Dunbarb6f953e2009-01-29 06:16:07 +0000679 return Result;
680}
681
Mike Stump11289f42009-09-09 15:08:12 +0000682static APFloat HandleIntToFloatCast(QualType DestType, QualType SrcType,
Jay Foad39c79802011-01-12 09:06:06 +0000683 APSInt &Value, const ASTContext &Ctx) {
Daniel Dunbarb6f953e2009-01-29 06:16:07 +0000684
685 APFloat Result(Ctx.getFloatTypeSemantics(DestType), 1);
686 Result.convertFromAPInt(Value, Value.isSigned(),
687 APFloat::rmNearestTiesToEven);
688 return Result;
689}
690
Richard Smith027bf112011-11-17 22:56:20 +0000691static bool FindMostDerivedObject(EvalInfo &Info, const LValue &LVal,
692 const CXXRecordDecl *&MostDerivedType,
693 unsigned &MostDerivedPathLength,
694 bool &MostDerivedIsArrayElement) {
695 const SubobjectDesignator &D = LVal.Designator;
696 if (D.Invalid || !LVal.Base)
Richard Smithd62306a2011-11-10 06:34:14 +0000697 return false;
698
Richard Smith027bf112011-11-17 22:56:20 +0000699 const Type *T = getType(LVal.Base).getTypePtr();
Richard Smithd62306a2011-11-10 06:34:14 +0000700
701 // Find path prefix which leads to the most-derived subobject.
Richard Smithd62306a2011-11-10 06:34:14 +0000702 MostDerivedType = T->getAsCXXRecordDecl();
Richard Smith027bf112011-11-17 22:56:20 +0000703 MostDerivedPathLength = 0;
704 MostDerivedIsArrayElement = false;
Richard Smithd62306a2011-11-10 06:34:14 +0000705
706 for (unsigned I = 0, N = D.Entries.size(); I != N; ++I) {
707 bool IsArray = T && T->isArrayType();
708 if (IsArray)
709 T = T->getBaseElementTypeUnsafe();
710 else if (const FieldDecl *FD = getAsField(D.Entries[I]))
711 T = FD->getType().getTypePtr();
712 else
713 T = 0;
714
715 if (T) {
716 MostDerivedType = T->getAsCXXRecordDecl();
717 MostDerivedPathLength = I + 1;
718 MostDerivedIsArrayElement = IsArray;
719 }
720 }
721
Richard Smithd62306a2011-11-10 06:34:14 +0000722 // (B*)&d + 1 has no most-derived object.
723 if (D.OnePastTheEnd && MostDerivedPathLength != D.Entries.size())
724 return false;
725
Richard Smith027bf112011-11-17 22:56:20 +0000726 return MostDerivedType != 0;
727}
728
729static void TruncateLValueBasePath(EvalInfo &Info, LValue &Result,
730 const RecordDecl *TruncatedType,
731 unsigned TruncatedElements,
732 bool IsArrayElement) {
733 SubobjectDesignator &D = Result.Designator;
734 const RecordDecl *RD = TruncatedType;
735 for (unsigned I = TruncatedElements, N = D.Entries.size(); I != N; ++I) {
Richard Smithd62306a2011-11-10 06:34:14 +0000736 const ASTRecordLayout &Layout = Info.Ctx.getASTRecordLayout(RD);
737 const CXXRecordDecl *Base = getAsBaseClass(D.Entries[I]);
Richard Smith027bf112011-11-17 22:56:20 +0000738 if (isVirtualBaseClass(D.Entries[I]))
Richard Smithd62306a2011-11-10 06:34:14 +0000739 Result.Offset -= Layout.getVBaseClassOffset(Base);
Richard Smith027bf112011-11-17 22:56:20 +0000740 else
Richard Smithd62306a2011-11-10 06:34:14 +0000741 Result.Offset -= Layout.getBaseClassOffset(Base);
742 RD = Base;
743 }
Richard Smith027bf112011-11-17 22:56:20 +0000744 D.Entries.resize(TruncatedElements);
745 D.ArrayElement = IsArrayElement;
746}
747
748/// If the given LValue refers to a base subobject of some object, find the most
749/// derived object and the corresponding complete record type. This is necessary
750/// in order to find the offset of a virtual base class.
751static bool ExtractMostDerivedObject(EvalInfo &Info, LValue &Result,
752 const CXXRecordDecl *&MostDerivedType) {
753 unsigned MostDerivedPathLength;
754 bool MostDerivedIsArrayElement;
755 if (!FindMostDerivedObject(Info, Result, MostDerivedType,
756 MostDerivedPathLength, MostDerivedIsArrayElement))
757 return false;
758
759 // Remove the trailing base class path entries and their offsets.
760 TruncateLValueBasePath(Info, Result, MostDerivedType, MostDerivedPathLength,
761 MostDerivedIsArrayElement);
Richard Smithd62306a2011-11-10 06:34:14 +0000762 return true;
763}
764
765static void HandleLValueDirectBase(EvalInfo &Info, LValue &Obj,
766 const CXXRecordDecl *Derived,
767 const CXXRecordDecl *Base,
768 const ASTRecordLayout *RL = 0) {
769 if (!RL) RL = &Info.Ctx.getASTRecordLayout(Derived);
770 Obj.getLValueOffset() += RL->getBaseClassOffset(Base);
771 Obj.Designator.addDecl(Base, /*Virtual*/ false);
772}
773
774static bool HandleLValueBase(EvalInfo &Info, LValue &Obj,
775 const CXXRecordDecl *DerivedDecl,
776 const CXXBaseSpecifier *Base) {
777 const CXXRecordDecl *BaseDecl = Base->getType()->getAsCXXRecordDecl();
778
779 if (!Base->isVirtual()) {
780 HandleLValueDirectBase(Info, Obj, DerivedDecl, BaseDecl);
781 return true;
782 }
783
784 // Extract most-derived object and corresponding type.
785 if (!ExtractMostDerivedObject(Info, Obj, DerivedDecl))
786 return false;
787
788 const ASTRecordLayout &Layout = Info.Ctx.getASTRecordLayout(DerivedDecl);
789 Obj.getLValueOffset() += Layout.getVBaseClassOffset(BaseDecl);
790 Obj.Designator.addDecl(BaseDecl, /*Virtual*/ true);
791 return true;
792}
793
794/// Update LVal to refer to the given field, which must be a member of the type
795/// currently described by LVal.
796static void HandleLValueMember(EvalInfo &Info, LValue &LVal,
797 const FieldDecl *FD,
798 const ASTRecordLayout *RL = 0) {
799 if (!RL)
800 RL = &Info.Ctx.getASTRecordLayout(FD->getParent());
801
802 unsigned I = FD->getFieldIndex();
803 LVal.Offset += Info.Ctx.toCharUnitsFromBits(RL->getFieldOffset(I));
804 LVal.Designator.addDecl(FD);
805}
806
807/// Get the size of the given type in char units.
808static bool HandleSizeof(EvalInfo &Info, QualType Type, CharUnits &Size) {
809 // sizeof(void), __alignof__(void), sizeof(function) = 1 as a gcc
810 // extension.
811 if (Type->isVoidType() || Type->isFunctionType()) {
812 Size = CharUnits::One();
813 return true;
814 }
815
816 if (!Type->isConstantSizeType()) {
817 // sizeof(vla) is not a constantexpr: C99 6.5.3.4p2.
818 return false;
819 }
820
821 Size = Info.Ctx.getTypeSizeInChars(Type);
822 return true;
823}
824
825/// Update a pointer value to model pointer arithmetic.
826/// \param Info - Information about the ongoing evaluation.
827/// \param LVal - The pointer value to be updated.
828/// \param EltTy - The pointee type represented by LVal.
829/// \param Adjustment - The adjustment, in objects of type EltTy, to add.
830static bool HandleLValueArrayAdjustment(EvalInfo &Info, LValue &LVal,
831 QualType EltTy, int64_t Adjustment) {
832 CharUnits SizeOfPointee;
833 if (!HandleSizeof(Info, EltTy, SizeOfPointee))
834 return false;
835
836 // Compute the new offset in the appropriate width.
837 LVal.Offset += Adjustment * SizeOfPointee;
838 LVal.Designator.adjustIndex(Adjustment);
839 return true;
840}
841
Richard Smith27908702011-10-24 17:54:18 +0000842/// Try to evaluate the initializer for a variable declaration.
Richard Smithce40ad62011-11-12 22:28:03 +0000843static bool EvaluateVarDeclInit(EvalInfo &Info, const VarDecl *VD,
Richard Smithfec09922011-11-01 16:57:24 +0000844 CallStackFrame *Frame, CCValue &Result) {
Richard Smith254a73d2011-10-28 22:34:42 +0000845 // If this is a parameter to an active constexpr function call, perform
846 // argument substitution.
847 if (const ParmVarDecl *PVD = dyn_cast<ParmVarDecl>(VD)) {
Richard Smithfec09922011-11-01 16:57:24 +0000848 if (!Frame || !Frame->Arguments)
849 return false;
850 Result = Frame->Arguments[PVD->getFunctionScopeIndex()];
851 return true;
Richard Smith254a73d2011-10-28 22:34:42 +0000852 }
Richard Smith27908702011-10-24 17:54:18 +0000853
Richard Smithd62306a2011-11-10 06:34:14 +0000854 // If we're currently evaluating the initializer of this declaration, use that
855 // in-flight value.
856 if (Info.EvaluatingDecl == VD) {
857 Result = CCValue(*Info.EvaluatingDeclValue, CCValue::GlobalValue());
858 return !Result.isUninit();
859 }
860
Richard Smithcecf1842011-11-01 21:06:14 +0000861 // Never evaluate the initializer of a weak variable. We can't be sure that
862 // this is the definition which will be used.
Lang Hamesd42bb472011-12-05 20:16:26 +0000863 if (VD->isWeak())
Richard Smithcecf1842011-11-01 21:06:14 +0000864 return false;
865
Richard Smith27908702011-10-24 17:54:18 +0000866 const Expr *Init = VD->getAnyInitializer();
Richard Smithec8dcd22011-11-08 01:31:09 +0000867 if (!Init || Init->isValueDependent())
Richard Smith0b0a0b62011-10-29 20:57:55 +0000868 return false;
Richard Smith27908702011-10-24 17:54:18 +0000869
Richard Smith0b0a0b62011-10-29 20:57:55 +0000870 if (APValue *V = VD->getEvaluatedValue()) {
Richard Smithfec09922011-11-01 16:57:24 +0000871 Result = CCValue(*V, CCValue::GlobalValue());
Richard Smith0b0a0b62011-10-29 20:57:55 +0000872 return !Result.isUninit();
873 }
Richard Smith27908702011-10-24 17:54:18 +0000874
875 if (VD->isEvaluatingValue())
Richard Smith0b0a0b62011-10-29 20:57:55 +0000876 return false;
Richard Smith27908702011-10-24 17:54:18 +0000877
878 VD->setEvaluatingValue();
879
Richard Smith0b0a0b62011-10-29 20:57:55 +0000880 Expr::EvalStatus EStatus;
881 EvalInfo InitInfo(Info.Ctx, EStatus);
Richard Smithd62306a2011-11-10 06:34:14 +0000882 APValue EvalResult;
883 InitInfo.setEvaluatingDecl(VD, EvalResult);
884 LValue LVal;
Richard Smithce40ad62011-11-12 22:28:03 +0000885 LVal.set(VD);
Richard Smith11562c52011-10-28 17:51:58 +0000886 // FIXME: The caller will need to know whether the value was a constant
887 // expression. If not, we should propagate up a diagnostic.
Richard Smithd62306a2011-11-10 06:34:14 +0000888 if (!EvaluateConstantExpression(EvalResult, InitInfo, LVal, Init)) {
Richard Smithf3e9e432011-11-07 09:22:26 +0000889 // FIXME: If the evaluation failure was not permanent (for instance, if we
890 // hit a variable with no declaration yet, or a constexpr function with no
891 // definition yet), the standard is unclear as to how we should behave.
892 //
893 // Either the initializer should be evaluated when the variable is defined,
894 // or a failed evaluation of the initializer should be reattempted each time
895 // it is used.
Richard Smith27908702011-10-24 17:54:18 +0000896 VD->setEvaluatedValue(APValue());
Richard Smith0b0a0b62011-10-29 20:57:55 +0000897 return false;
898 }
Richard Smith27908702011-10-24 17:54:18 +0000899
Richard Smithed5165f2011-11-04 05:33:44 +0000900 VD->setEvaluatedValue(EvalResult);
901 Result = CCValue(EvalResult, CCValue::GlobalValue());
Richard Smith0b0a0b62011-10-29 20:57:55 +0000902 return true;
Richard Smith27908702011-10-24 17:54:18 +0000903}
904
Richard Smith11562c52011-10-28 17:51:58 +0000905static bool IsConstNonVolatile(QualType T) {
Richard Smith27908702011-10-24 17:54:18 +0000906 Qualifiers Quals = T.getQualifiers();
907 return Quals.hasConst() && !Quals.hasVolatile();
908}
909
Richard Smithe97cbd72011-11-11 04:05:33 +0000910/// Get the base index of the given base class within an APValue representing
911/// the given derived class.
912static unsigned getBaseIndex(const CXXRecordDecl *Derived,
913 const CXXRecordDecl *Base) {
914 Base = Base->getCanonicalDecl();
915 unsigned Index = 0;
916 for (CXXRecordDecl::base_class_const_iterator I = Derived->bases_begin(),
917 E = Derived->bases_end(); I != E; ++I, ++Index) {
918 if (I->getType()->getAsCXXRecordDecl()->getCanonicalDecl() == Base)
919 return Index;
920 }
921
922 llvm_unreachable("base class missing from derived class's bases list");
923}
924
Richard Smithf3e9e432011-11-07 09:22:26 +0000925/// Extract the designated sub-object of an rvalue.
926static bool ExtractSubobject(EvalInfo &Info, CCValue &Obj, QualType ObjType,
927 const SubobjectDesignator &Sub, QualType SubType) {
928 if (Sub.Invalid || Sub.OnePastTheEnd)
929 return false;
Richard Smith6804be52011-11-11 08:28:03 +0000930 if (Sub.Entries.empty())
Richard Smithf3e9e432011-11-07 09:22:26 +0000931 return true;
Richard Smithf3e9e432011-11-07 09:22:26 +0000932
933 assert(!Obj.isLValue() && "extracting subobject of lvalue");
934 const APValue *O = &Obj;
Richard Smithd62306a2011-11-10 06:34:14 +0000935 // Walk the designator's path to find the subobject.
Richard Smithf3e9e432011-11-07 09:22:26 +0000936 for (unsigned I = 0, N = Sub.Entries.size(); I != N; ++I) {
Richard Smithf3e9e432011-11-07 09:22:26 +0000937 if (ObjType->isArrayType()) {
Richard Smithd62306a2011-11-10 06:34:14 +0000938 // Next subobject is an array element.
Richard Smithf3e9e432011-11-07 09:22:26 +0000939 const ConstantArrayType *CAT = Info.Ctx.getAsConstantArrayType(ObjType);
940 if (!CAT)
941 return false;
942 uint64_t Index = Sub.Entries[I].ArrayIndex;
943 if (CAT->getSize().ule(Index))
944 return false;
945 if (O->getArrayInitializedElts() > Index)
946 O = &O->getArrayInitializedElt(Index);
947 else
948 O = &O->getArrayFiller();
949 ObjType = CAT->getElementType();
Richard Smithd62306a2011-11-10 06:34:14 +0000950 } else if (const FieldDecl *Field = getAsField(Sub.Entries[I])) {
951 // Next subobject is a class, struct or union field.
952 RecordDecl *RD = ObjType->castAs<RecordType>()->getDecl();
953 if (RD->isUnion()) {
954 const FieldDecl *UnionField = O->getUnionField();
955 if (!UnionField ||
956 UnionField->getCanonicalDecl() != Field->getCanonicalDecl())
957 return false;
958 O = &O->getUnionValue();
959 } else
960 O = &O->getStructField(Field->getFieldIndex());
961 ObjType = Field->getType();
Richard Smithf3e9e432011-11-07 09:22:26 +0000962 } else {
Richard Smithd62306a2011-11-10 06:34:14 +0000963 // Next subobject is a base class.
Richard Smithe97cbd72011-11-11 04:05:33 +0000964 const CXXRecordDecl *Derived = ObjType->getAsCXXRecordDecl();
965 const CXXRecordDecl *Base = getAsBaseClass(Sub.Entries[I]);
966 O = &O->getStructBase(getBaseIndex(Derived, Base));
967 ObjType = Info.Ctx.getRecordType(Base);
Richard Smithf3e9e432011-11-07 09:22:26 +0000968 }
Richard Smithd62306a2011-11-10 06:34:14 +0000969
970 if (O->isUninit())
971 return false;
Richard Smithf3e9e432011-11-07 09:22:26 +0000972 }
973
Richard Smithf3e9e432011-11-07 09:22:26 +0000974 Obj = CCValue(*O, CCValue::GlobalValue());
975 return true;
976}
977
Richard Smithd62306a2011-11-10 06:34:14 +0000978/// HandleLValueToRValueConversion - Perform an lvalue-to-rvalue conversion on
979/// the given lvalue. This can also be used for 'lvalue-to-lvalue' conversions
980/// for looking up the glvalue referred to by an entity of reference type.
981///
982/// \param Info - Information about the ongoing evaluation.
983/// \param Type - The type we expect this conversion to produce.
984/// \param LVal - The glvalue on which we are attempting to perform this action.
985/// \param RVal - The produced value will be placed here.
Richard Smithf3e9e432011-11-07 09:22:26 +0000986static bool HandleLValueToRValueConversion(EvalInfo &Info, QualType Type,
987 const LValue &LVal, CCValue &RVal) {
Richard Smithce40ad62011-11-12 22:28:03 +0000988 const Expr *Base = LVal.Base.dyn_cast<const Expr*>();
Richard Smithfec09922011-11-01 16:57:24 +0000989 CallStackFrame *Frame = LVal.Frame;
Richard Smith11562c52011-10-28 17:51:58 +0000990
991 // FIXME: Indirection through a null pointer deserves a diagnostic.
Richard Smithce40ad62011-11-12 22:28:03 +0000992 if (!LVal.Base)
Richard Smith11562c52011-10-28 17:51:58 +0000993 return false;
994
Richard Smithce40ad62011-11-12 22:28:03 +0000995 if (const ValueDecl *D = LVal.Base.dyn_cast<const ValueDecl*>()) {
Richard Smith11562c52011-10-28 17:51:58 +0000996 // In C++98, const, non-volatile integers initialized with ICEs are ICEs.
997 // In C++11, constexpr, non-volatile variables initialized with constant
Richard Smith254a73d2011-10-28 22:34:42 +0000998 // expressions are constant expressions too. Inside constexpr functions,
999 // parameters are constant expressions even if they're non-const.
Richard Smith11562c52011-10-28 17:51:58 +00001000 // In C, such things can also be folded, although they are not ICEs.
1001 //
Richard Smith254a73d2011-10-28 22:34:42 +00001002 // FIXME: volatile-qualified ParmVarDecls need special handling. A literal
1003 // interpretation of C++11 suggests that volatile parameters are OK if
1004 // they're never read (there's no prohibition against constructing volatile
1005 // objects in constant expressions), but lvalue-to-rvalue conversions on
1006 // them are not permitted.
Richard Smith11562c52011-10-28 17:51:58 +00001007 const VarDecl *VD = dyn_cast<VarDecl>(D);
Richard Smitha08acd82011-11-07 03:22:51 +00001008 if (!VD || VD->isInvalidDecl())
Richard Smith96e0c102011-11-04 02:25:55 +00001009 return false;
Richard Smithce40ad62011-11-12 22:28:03 +00001010 QualType VT = VD->getType();
Richard Smith96e0c102011-11-04 02:25:55 +00001011 if (!isa<ParmVarDecl>(VD)) {
1012 if (!IsConstNonVolatile(VT))
1013 return false;
Richard Smitha08acd82011-11-07 03:22:51 +00001014 // FIXME: Allow folding of values of any literal type in all languages.
1015 if (!VT->isIntegralOrEnumerationType() && !VT->isRealFloatingType() &&
1016 !VD->isConstexpr())
Richard Smith96e0c102011-11-04 02:25:55 +00001017 return false;
1018 }
Richard Smithce40ad62011-11-12 22:28:03 +00001019 if (!EvaluateVarDeclInit(Info, VD, Frame, RVal))
Richard Smith11562c52011-10-28 17:51:58 +00001020 return false;
1021
Richard Smith0b0a0b62011-10-29 20:57:55 +00001022 if (isa<ParmVarDecl>(VD) || !VD->getAnyInitializer()->isLValue())
Richard Smithf3e9e432011-11-07 09:22:26 +00001023 return ExtractSubobject(Info, RVal, VT, LVal.Designator, Type);
Richard Smith11562c52011-10-28 17:51:58 +00001024
1025 // The declaration was initialized by an lvalue, with no lvalue-to-rvalue
1026 // conversion. This happens when the declaration and the lvalue should be
1027 // considered synonymous, for instance when initializing an array of char
1028 // from a string literal. Continue as if the initializer lvalue was the
1029 // value we were originally given.
Richard Smith96e0c102011-11-04 02:25:55 +00001030 assert(RVal.getLValueOffset().isZero() &&
1031 "offset for lvalue init of non-reference");
Richard Smithce40ad62011-11-12 22:28:03 +00001032 Base = RVal.getLValueBase().get<const Expr*>();
Richard Smithfec09922011-11-01 16:57:24 +00001033 Frame = RVal.getLValueFrame();
Richard Smith11562c52011-10-28 17:51:58 +00001034 }
1035
Richard Smith96e0c102011-11-04 02:25:55 +00001036 // FIXME: Support PredefinedExpr, ObjCEncodeExpr, MakeStringConstant
1037 if (const StringLiteral *S = dyn_cast<StringLiteral>(Base)) {
1038 const SubobjectDesignator &Designator = LVal.Designator;
1039 if (Designator.Invalid || Designator.Entries.size() != 1)
1040 return false;
1041
1042 assert(Type->isIntegerType() && "string element not integer type");
Richard Smith80815602011-11-07 05:07:52 +00001043 uint64_t Index = Designator.Entries[0].ArrayIndex;
Richard Smith96e0c102011-11-04 02:25:55 +00001044 if (Index > S->getLength())
1045 return false;
1046 APSInt Value(S->getCharByteWidth() * Info.Ctx.getCharWidth(),
1047 Type->isUnsignedIntegerType());
1048 if (Index < S->getLength())
1049 Value = S->getCodeUnit(Index);
1050 RVal = CCValue(Value);
1051 return true;
1052 }
1053
Richard Smithf3e9e432011-11-07 09:22:26 +00001054 if (Frame) {
1055 // If this is a temporary expression with a nontrivial initializer, grab the
1056 // value from the relevant stack frame.
1057 RVal = Frame->Temporaries[Base];
1058 } else if (const CompoundLiteralExpr *CLE
1059 = dyn_cast<CompoundLiteralExpr>(Base)) {
1060 // In C99, a CompoundLiteralExpr is an lvalue, and we defer evaluating the
1061 // initializer until now for such expressions. Such an expression can't be
1062 // an ICE in C, so this only matters for fold.
1063 assert(!Info.getLangOpts().CPlusPlus && "lvalue compound literal in c++?");
1064 if (!Evaluate(RVal, Info, CLE->getInitializer()))
1065 return false;
1066 } else
Richard Smith96e0c102011-11-04 02:25:55 +00001067 return false;
1068
Richard Smithf3e9e432011-11-07 09:22:26 +00001069 return ExtractSubobject(Info, RVal, Base->getType(), LVal.Designator, Type);
Richard Smith11562c52011-10-28 17:51:58 +00001070}
1071
Richard Smithe97cbd72011-11-11 04:05:33 +00001072/// Build an lvalue for the object argument of a member function call.
1073static bool EvaluateObjectArgument(EvalInfo &Info, const Expr *Object,
1074 LValue &This) {
1075 if (Object->getType()->isPointerType())
1076 return EvaluatePointer(Object, This, Info);
1077
1078 if (Object->isGLValue())
1079 return EvaluateLValue(Object, This, Info);
1080
Richard Smith027bf112011-11-17 22:56:20 +00001081 if (Object->getType()->isLiteralType())
1082 return EvaluateTemporary(Object, This, Info);
1083
1084 return false;
1085}
1086
1087/// HandleMemberPointerAccess - Evaluate a member access operation and build an
1088/// lvalue referring to the result.
1089///
1090/// \param Info - Information about the ongoing evaluation.
1091/// \param BO - The member pointer access operation.
1092/// \param LV - Filled in with a reference to the resulting object.
1093/// \param IncludeMember - Specifies whether the member itself is included in
1094/// the resulting LValue subobject designator. This is not possible when
1095/// creating a bound member function.
1096/// \return The field or method declaration to which the member pointer refers,
1097/// or 0 if evaluation fails.
1098static const ValueDecl *HandleMemberPointerAccess(EvalInfo &Info,
1099 const BinaryOperator *BO,
1100 LValue &LV,
1101 bool IncludeMember = true) {
1102 assert(BO->getOpcode() == BO_PtrMemD || BO->getOpcode() == BO_PtrMemI);
1103
1104 if (!EvaluateObjectArgument(Info, BO->getLHS(), LV))
1105 return 0;
1106
1107 MemberPtr MemPtr;
1108 if (!EvaluateMemberPointer(BO->getRHS(), MemPtr, Info))
1109 return 0;
1110
1111 // C++11 [expr.mptr.oper]p6: If the second operand is the null pointer to
1112 // member value, the behavior is undefined.
1113 if (!MemPtr.getDecl())
1114 return 0;
1115
1116 if (MemPtr.isDerivedMember()) {
1117 // This is a member of some derived class. Truncate LV appropriately.
1118 const CXXRecordDecl *MostDerivedType;
1119 unsigned MostDerivedPathLength;
1120 bool MostDerivedIsArrayElement;
1121 if (!FindMostDerivedObject(Info, LV, MostDerivedType, MostDerivedPathLength,
1122 MostDerivedIsArrayElement))
1123 return 0;
1124
1125 // The end of the derived-to-base path for the base object must match the
1126 // derived-to-base path for the member pointer.
1127 if (MostDerivedPathLength + MemPtr.Path.size() >
1128 LV.Designator.Entries.size())
1129 return 0;
1130 unsigned PathLengthToMember =
1131 LV.Designator.Entries.size() - MemPtr.Path.size();
1132 for (unsigned I = 0, N = MemPtr.Path.size(); I != N; ++I) {
1133 const CXXRecordDecl *LVDecl = getAsBaseClass(
1134 LV.Designator.Entries[PathLengthToMember + I]);
1135 const CXXRecordDecl *MPDecl = MemPtr.Path[I];
1136 if (LVDecl->getCanonicalDecl() != MPDecl->getCanonicalDecl())
1137 return 0;
1138 }
1139
1140 // Truncate the lvalue to the appropriate derived class.
1141 bool ResultIsArray = false;
1142 if (PathLengthToMember == MostDerivedPathLength)
1143 ResultIsArray = MostDerivedIsArrayElement;
1144 TruncateLValueBasePath(Info, LV, MemPtr.getContainingRecord(),
1145 PathLengthToMember, ResultIsArray);
1146 } else if (!MemPtr.Path.empty()) {
1147 // Extend the LValue path with the member pointer's path.
1148 LV.Designator.Entries.reserve(LV.Designator.Entries.size() +
1149 MemPtr.Path.size() + IncludeMember);
1150
1151 // Walk down to the appropriate base class.
1152 QualType LVType = BO->getLHS()->getType();
1153 if (const PointerType *PT = LVType->getAs<PointerType>())
1154 LVType = PT->getPointeeType();
1155 const CXXRecordDecl *RD = LVType->getAsCXXRecordDecl();
1156 assert(RD && "member pointer access on non-class-type expression");
1157 // The first class in the path is that of the lvalue.
1158 for (unsigned I = 1, N = MemPtr.Path.size(); I != N; ++I) {
1159 const CXXRecordDecl *Base = MemPtr.Path[N - I - 1];
1160 HandleLValueDirectBase(Info, LV, RD, Base);
1161 RD = Base;
1162 }
1163 // Finally cast to the class containing the member.
1164 HandleLValueDirectBase(Info, LV, RD, MemPtr.getContainingRecord());
1165 }
1166
1167 // Add the member. Note that we cannot build bound member functions here.
1168 if (IncludeMember) {
1169 // FIXME: Deal with IndirectFieldDecls.
1170 const FieldDecl *FD = dyn_cast<FieldDecl>(MemPtr.getDecl());
1171 if (!FD) return 0;
1172 HandleLValueMember(Info, LV, FD);
1173 }
1174
1175 return MemPtr.getDecl();
1176}
1177
1178/// HandleBaseToDerivedCast - Apply the given base-to-derived cast operation on
1179/// the provided lvalue, which currently refers to the base object.
1180static bool HandleBaseToDerivedCast(EvalInfo &Info, const CastExpr *E,
1181 LValue &Result) {
1182 const CXXRecordDecl *MostDerivedType;
1183 unsigned MostDerivedPathLength;
1184 bool MostDerivedIsArrayElement;
1185
1186 // Check this cast doesn't take us outside the object.
1187 if (!FindMostDerivedObject(Info, Result, MostDerivedType,
1188 MostDerivedPathLength,
1189 MostDerivedIsArrayElement))
1190 return false;
1191 SubobjectDesignator &D = Result.Designator;
1192 if (MostDerivedPathLength + E->path_size() > D.Entries.size())
1193 return false;
1194
1195 // Check the type of the final cast. We don't need to check the path,
1196 // since a cast can only be formed if the path is unique.
1197 unsigned NewEntriesSize = D.Entries.size() - E->path_size();
1198 bool ResultIsArray = false;
1199 QualType TargetQT = E->getType();
1200 if (const PointerType *PT = TargetQT->getAs<PointerType>())
1201 TargetQT = PT->getPointeeType();
1202 const CXXRecordDecl *TargetType = TargetQT->getAsCXXRecordDecl();
1203 const CXXRecordDecl *FinalType;
1204 if (NewEntriesSize == MostDerivedPathLength) {
1205 ResultIsArray = MostDerivedIsArrayElement;
1206 FinalType = MostDerivedType;
1207 } else
1208 FinalType = getAsBaseClass(D.Entries[NewEntriesSize - 1]);
1209 if (FinalType->getCanonicalDecl() != TargetType->getCanonicalDecl())
1210 return false;
1211
1212 // Truncate the lvalue to the appropriate derived class.
1213 TruncateLValueBasePath(Info, Result, TargetType, NewEntriesSize,
1214 ResultIsArray);
1215 return true;
Richard Smithe97cbd72011-11-11 04:05:33 +00001216}
1217
Mike Stump876387b2009-10-27 22:09:17 +00001218namespace {
Richard Smith254a73d2011-10-28 22:34:42 +00001219enum EvalStmtResult {
1220 /// Evaluation failed.
1221 ESR_Failed,
1222 /// Hit a 'return' statement.
1223 ESR_Returned,
1224 /// Evaluation succeeded.
1225 ESR_Succeeded
1226};
1227}
1228
1229// Evaluate a statement.
Richard Smith0b0a0b62011-10-29 20:57:55 +00001230static EvalStmtResult EvaluateStmt(CCValue &Result, EvalInfo &Info,
Richard Smith254a73d2011-10-28 22:34:42 +00001231 const Stmt *S) {
1232 switch (S->getStmtClass()) {
1233 default:
1234 return ESR_Failed;
1235
1236 case Stmt::NullStmtClass:
1237 case Stmt::DeclStmtClass:
1238 return ESR_Succeeded;
1239
1240 case Stmt::ReturnStmtClass:
1241 if (Evaluate(Result, Info, cast<ReturnStmt>(S)->getRetValue()))
1242 return ESR_Returned;
1243 return ESR_Failed;
1244
1245 case Stmt::CompoundStmtClass: {
1246 const CompoundStmt *CS = cast<CompoundStmt>(S);
1247 for (CompoundStmt::const_body_iterator BI = CS->body_begin(),
1248 BE = CS->body_end(); BI != BE; ++BI) {
1249 EvalStmtResult ESR = EvaluateStmt(Result, Info, *BI);
1250 if (ESR != ESR_Succeeded)
1251 return ESR;
1252 }
1253 return ESR_Succeeded;
1254 }
1255 }
1256}
1257
Richard Smithd62306a2011-11-10 06:34:14 +00001258namespace {
Richard Smith60494462011-11-11 05:48:57 +00001259typedef SmallVector<CCValue, 8> ArgVector;
Richard Smithd62306a2011-11-10 06:34:14 +00001260}
1261
1262/// EvaluateArgs - Evaluate the arguments to a function call.
1263static bool EvaluateArgs(ArrayRef<const Expr*> Args, ArgVector &ArgValues,
1264 EvalInfo &Info) {
1265 for (ArrayRef<const Expr*>::iterator I = Args.begin(), E = Args.end();
1266 I != E; ++I)
1267 if (!Evaluate(ArgValues[I - Args.begin()], Info, *I))
1268 return false;
1269 return true;
1270}
1271
Richard Smith254a73d2011-10-28 22:34:42 +00001272/// Evaluate a function call.
Richard Smithe97cbd72011-11-11 04:05:33 +00001273static bool HandleFunctionCall(const LValue *This, ArrayRef<const Expr*> Args,
1274 const Stmt *Body, EvalInfo &Info,
1275 CCValue &Result) {
Richard Smith9a568822011-11-21 19:36:32 +00001276 if (Info.atCallLimit())
Richard Smith254a73d2011-10-28 22:34:42 +00001277 return false;
1278
Richard Smithd62306a2011-11-10 06:34:14 +00001279 ArgVector ArgValues(Args.size());
1280 if (!EvaluateArgs(Args, ArgValues, Info))
1281 return false;
Richard Smith254a73d2011-10-28 22:34:42 +00001282
Richard Smithd62306a2011-11-10 06:34:14 +00001283 CallStackFrame Frame(Info, This, ArgValues.data());
Richard Smith254a73d2011-10-28 22:34:42 +00001284 return EvaluateStmt(Result, Info, Body) == ESR_Returned;
1285}
1286
Richard Smithd62306a2011-11-10 06:34:14 +00001287/// Evaluate a constructor call.
Richard Smithe97cbd72011-11-11 04:05:33 +00001288static bool HandleConstructorCall(const LValue &This,
1289 ArrayRef<const Expr*> Args,
Richard Smithd62306a2011-11-10 06:34:14 +00001290 const CXXConstructorDecl *Definition,
Richard Smithe97cbd72011-11-11 04:05:33 +00001291 EvalInfo &Info,
Richard Smithd62306a2011-11-10 06:34:14 +00001292 APValue &Result) {
Richard Smith9a568822011-11-21 19:36:32 +00001293 if (Info.atCallLimit())
Richard Smithd62306a2011-11-10 06:34:14 +00001294 return false;
1295
1296 ArgVector ArgValues(Args.size());
1297 if (!EvaluateArgs(Args, ArgValues, Info))
1298 return false;
1299
1300 CallStackFrame Frame(Info, &This, ArgValues.data());
1301
1302 // If it's a delegating constructor, just delegate.
1303 if (Definition->isDelegatingConstructor()) {
1304 CXXConstructorDecl::init_const_iterator I = Definition->init_begin();
1305 return EvaluateConstantExpression(Result, Info, This, (*I)->getInit());
1306 }
1307
1308 // Reserve space for the struct members.
1309 const CXXRecordDecl *RD = Definition->getParent();
1310 if (!RD->isUnion())
1311 Result = APValue(APValue::UninitStruct(), RD->getNumBases(),
1312 std::distance(RD->field_begin(), RD->field_end()));
1313
1314 const ASTRecordLayout &Layout = Info.Ctx.getASTRecordLayout(RD);
1315
1316 unsigned BasesSeen = 0;
1317#ifndef NDEBUG
1318 CXXRecordDecl::base_class_const_iterator BaseIt = RD->bases_begin();
1319#endif
1320 for (CXXConstructorDecl::init_const_iterator I = Definition->init_begin(),
1321 E = Definition->init_end(); I != E; ++I) {
1322 if ((*I)->isBaseInitializer()) {
1323 QualType BaseType((*I)->getBaseClass(), 0);
1324#ifndef NDEBUG
1325 // Non-virtual base classes are initialized in the order in the class
1326 // definition. We cannot have a virtual base class for a literal type.
1327 assert(!BaseIt->isVirtual() && "virtual base for literal type");
1328 assert(Info.Ctx.hasSameType(BaseIt->getType(), BaseType) &&
1329 "base class initializers not in expected order");
1330 ++BaseIt;
1331#endif
1332 LValue Subobject = This;
1333 HandleLValueDirectBase(Info, Subobject, RD,
1334 BaseType->getAsCXXRecordDecl(), &Layout);
1335 if (!EvaluateConstantExpression(Result.getStructBase(BasesSeen++), Info,
1336 Subobject, (*I)->getInit()))
1337 return false;
1338 } else if (FieldDecl *FD = (*I)->getMember()) {
1339 LValue Subobject = This;
1340 HandleLValueMember(Info, Subobject, FD, &Layout);
1341 if (RD->isUnion()) {
1342 Result = APValue(FD);
1343 if (!EvaluateConstantExpression(Result.getUnionValue(), Info,
1344 Subobject, (*I)->getInit()))
1345 return false;
1346 } else if (!EvaluateConstantExpression(
1347 Result.getStructField(FD->getFieldIndex()),
1348 Info, Subobject, (*I)->getInit()))
1349 return false;
1350 } else {
1351 // FIXME: handle indirect field initializers
1352 return false;
1353 }
1354 }
1355
1356 return true;
1357}
1358
Richard Smith254a73d2011-10-28 22:34:42 +00001359namespace {
Benjamin Kramer26222b62009-11-28 19:03:38 +00001360class HasSideEffect
Peter Collingbournee9200682011-05-13 03:29:01 +00001361 : public ConstStmtVisitor<HasSideEffect, bool> {
Richard Smith725810a2011-10-16 21:26:27 +00001362 const ASTContext &Ctx;
Mike Stump876387b2009-10-27 22:09:17 +00001363public:
1364
Richard Smith725810a2011-10-16 21:26:27 +00001365 HasSideEffect(const ASTContext &C) : Ctx(C) {}
Mike Stump876387b2009-10-27 22:09:17 +00001366
1367 // Unhandled nodes conservatively default to having side effects.
Peter Collingbournee9200682011-05-13 03:29:01 +00001368 bool VisitStmt(const Stmt *S) {
Mike Stump876387b2009-10-27 22:09:17 +00001369 return true;
1370 }
1371
Peter Collingbournee9200682011-05-13 03:29:01 +00001372 bool VisitParenExpr(const ParenExpr *E) { return Visit(E->getSubExpr()); }
1373 bool VisitGenericSelectionExpr(const GenericSelectionExpr *E) {
Peter Collingbourne91147592011-04-15 00:35:48 +00001374 return Visit(E->getResultExpr());
1375 }
Peter Collingbournee9200682011-05-13 03:29:01 +00001376 bool VisitDeclRefExpr(const DeclRefExpr *E) {
Richard Smith725810a2011-10-16 21:26:27 +00001377 if (Ctx.getCanonicalType(E->getType()).isVolatileQualified())
Mike Stump876387b2009-10-27 22:09:17 +00001378 return true;
1379 return false;
1380 }
John McCall31168b02011-06-15 23:02:42 +00001381 bool VisitObjCIvarRefExpr(const ObjCIvarRefExpr *E) {
Richard Smith725810a2011-10-16 21:26:27 +00001382 if (Ctx.getCanonicalType(E->getType()).isVolatileQualified())
John McCall31168b02011-06-15 23:02:42 +00001383 return true;
1384 return false;
1385 }
1386 bool VisitBlockDeclRefExpr (const BlockDeclRefExpr *E) {
Richard Smith725810a2011-10-16 21:26:27 +00001387 if (Ctx.getCanonicalType(E->getType()).isVolatileQualified())
John McCall31168b02011-06-15 23:02:42 +00001388 return true;
1389 return false;
1390 }
1391
Mike Stump876387b2009-10-27 22:09:17 +00001392 // We don't want to evaluate BlockExprs multiple times, as they generate
1393 // a ton of code.
Peter Collingbournee9200682011-05-13 03:29:01 +00001394 bool VisitBlockExpr(const BlockExpr *E) { return true; }
1395 bool VisitPredefinedExpr(const PredefinedExpr *E) { return false; }
1396 bool VisitCompoundLiteralExpr(const CompoundLiteralExpr *E)
Mike Stump876387b2009-10-27 22:09:17 +00001397 { return Visit(E->getInitializer()); }
Peter Collingbournee9200682011-05-13 03:29:01 +00001398 bool VisitMemberExpr(const MemberExpr *E) { return Visit(E->getBase()); }
1399 bool VisitIntegerLiteral(const IntegerLiteral *E) { return false; }
1400 bool VisitFloatingLiteral(const FloatingLiteral *E) { return false; }
1401 bool VisitStringLiteral(const StringLiteral *E) { return false; }
1402 bool VisitCharacterLiteral(const CharacterLiteral *E) { return false; }
1403 bool VisitUnaryExprOrTypeTraitExpr(const UnaryExprOrTypeTraitExpr *E)
Peter Collingbournee190dee2011-03-11 19:24:49 +00001404 { return false; }
Peter Collingbournee9200682011-05-13 03:29:01 +00001405 bool VisitArraySubscriptExpr(const ArraySubscriptExpr *E)
Mike Stumpfa502902009-10-29 20:48:09 +00001406 { return Visit(E->getLHS()) || Visit(E->getRHS()); }
Peter Collingbournee9200682011-05-13 03:29:01 +00001407 bool VisitChooseExpr(const ChooseExpr *E)
Richard Smith725810a2011-10-16 21:26:27 +00001408 { return Visit(E->getChosenSubExpr(Ctx)); }
Peter Collingbournee9200682011-05-13 03:29:01 +00001409 bool VisitCastExpr(const CastExpr *E) { return Visit(E->getSubExpr()); }
1410 bool VisitBinAssign(const BinaryOperator *E) { return true; }
1411 bool VisitCompoundAssignOperator(const BinaryOperator *E) { return true; }
1412 bool VisitBinaryOperator(const BinaryOperator *E)
Mike Stumpfa502902009-10-29 20:48:09 +00001413 { return Visit(E->getLHS()) || Visit(E->getRHS()); }
Peter Collingbournee9200682011-05-13 03:29:01 +00001414 bool VisitUnaryPreInc(const UnaryOperator *E) { return true; }
1415 bool VisitUnaryPostInc(const UnaryOperator *E) { return true; }
1416 bool VisitUnaryPreDec(const UnaryOperator *E) { return true; }
1417 bool VisitUnaryPostDec(const UnaryOperator *E) { return true; }
1418 bool VisitUnaryDeref(const UnaryOperator *E) {
Richard Smith725810a2011-10-16 21:26:27 +00001419 if (Ctx.getCanonicalType(E->getType()).isVolatileQualified())
Mike Stump876387b2009-10-27 22:09:17 +00001420 return true;
Mike Stumpfa502902009-10-29 20:48:09 +00001421 return Visit(E->getSubExpr());
Mike Stump876387b2009-10-27 22:09:17 +00001422 }
Peter Collingbournee9200682011-05-13 03:29:01 +00001423 bool VisitUnaryOperator(const UnaryOperator *E) { return Visit(E->getSubExpr()); }
Chris Lattnera0679422010-04-13 17:34:23 +00001424
1425 // Has side effects if any element does.
Peter Collingbournee9200682011-05-13 03:29:01 +00001426 bool VisitInitListExpr(const InitListExpr *E) {
Chris Lattnera0679422010-04-13 17:34:23 +00001427 for (unsigned i = 0, e = E->getNumInits(); i != e; ++i)
1428 if (Visit(E->getInit(i))) return true;
Peter Collingbournee9200682011-05-13 03:29:01 +00001429 if (const Expr *filler = E->getArrayFiller())
Argyrios Kyrtzidisb2ed28e2011-04-21 00:27:41 +00001430 return Visit(filler);
Chris Lattnera0679422010-04-13 17:34:23 +00001431 return false;
1432 }
Douglas Gregor820ba7b2011-01-04 17:33:58 +00001433
Peter Collingbournee9200682011-05-13 03:29:01 +00001434 bool VisitSizeOfPackExpr(const SizeOfPackExpr *) { return false; }
Mike Stump876387b2009-10-27 22:09:17 +00001435};
1436
John McCallc07a0c72011-02-17 10:25:35 +00001437class OpaqueValueEvaluation {
1438 EvalInfo &info;
1439 OpaqueValueExpr *opaqueValue;
1440
1441public:
1442 OpaqueValueEvaluation(EvalInfo &info, OpaqueValueExpr *opaqueValue,
1443 Expr *value)
1444 : info(info), opaqueValue(opaqueValue) {
1445
1446 // If evaluation fails, fail immediately.
Richard Smith725810a2011-10-16 21:26:27 +00001447 if (!Evaluate(info.OpaqueValues[opaqueValue], info, value)) {
John McCallc07a0c72011-02-17 10:25:35 +00001448 this->opaqueValue = 0;
1449 return;
1450 }
John McCallc07a0c72011-02-17 10:25:35 +00001451 }
1452
1453 bool hasError() const { return opaqueValue == 0; }
1454
1455 ~OpaqueValueEvaluation() {
Richard Smith725810a2011-10-16 21:26:27 +00001456 // FIXME: This will not work for recursive constexpr functions using opaque
1457 // values. Restore the former value.
John McCallc07a0c72011-02-17 10:25:35 +00001458 if (opaqueValue) info.OpaqueValues.erase(opaqueValue);
1459 }
1460};
1461
Mike Stump876387b2009-10-27 22:09:17 +00001462} // end anonymous namespace
1463
Eli Friedman9a156e52008-11-12 09:44:48 +00001464//===----------------------------------------------------------------------===//
Peter Collingbournee9200682011-05-13 03:29:01 +00001465// Generic Evaluation
1466//===----------------------------------------------------------------------===//
1467namespace {
1468
1469template <class Derived, typename RetTy=void>
1470class ExprEvaluatorBase
1471 : public ConstStmtVisitor<Derived, RetTy> {
1472private:
Richard Smith0b0a0b62011-10-29 20:57:55 +00001473 RetTy DerivedSuccess(const CCValue &V, const Expr *E) {
Peter Collingbournee9200682011-05-13 03:29:01 +00001474 return static_cast<Derived*>(this)->Success(V, E);
1475 }
1476 RetTy DerivedError(const Expr *E) {
1477 return static_cast<Derived*>(this)->Error(E);
1478 }
Richard Smith4ce706a2011-10-11 21:43:33 +00001479 RetTy DerivedValueInitialization(const Expr *E) {
1480 return static_cast<Derived*>(this)->ValueInitialization(E);
1481 }
Peter Collingbournee9200682011-05-13 03:29:01 +00001482
1483protected:
1484 EvalInfo &Info;
1485 typedef ConstStmtVisitor<Derived, RetTy> StmtVisitorTy;
1486 typedef ExprEvaluatorBase ExprEvaluatorBaseTy;
1487
Richard Smith4ce706a2011-10-11 21:43:33 +00001488 RetTy ValueInitialization(const Expr *E) { return DerivedError(E); }
1489
Peter Collingbournee9200682011-05-13 03:29:01 +00001490public:
1491 ExprEvaluatorBase(EvalInfo &Info) : Info(Info) {}
1492
1493 RetTy VisitStmt(const Stmt *) {
David Blaikie83d382b2011-09-23 05:06:16 +00001494 llvm_unreachable("Expression evaluator should not be called on stmts");
Peter Collingbournee9200682011-05-13 03:29:01 +00001495 }
1496 RetTy VisitExpr(const Expr *E) {
1497 return DerivedError(E);
1498 }
1499
1500 RetTy VisitParenExpr(const ParenExpr *E)
1501 { return StmtVisitorTy::Visit(E->getSubExpr()); }
1502 RetTy VisitUnaryExtension(const UnaryOperator *E)
1503 { return StmtVisitorTy::Visit(E->getSubExpr()); }
1504 RetTy VisitUnaryPlus(const UnaryOperator *E)
1505 { return StmtVisitorTy::Visit(E->getSubExpr()); }
1506 RetTy VisitChooseExpr(const ChooseExpr *E)
1507 { return StmtVisitorTy::Visit(E->getChosenSubExpr(Info.Ctx)); }
1508 RetTy VisitGenericSelectionExpr(const GenericSelectionExpr *E)
1509 { return StmtVisitorTy::Visit(E->getResultExpr()); }
John McCall7c454bb2011-07-15 05:09:51 +00001510 RetTy VisitSubstNonTypeTemplateParmExpr(const SubstNonTypeTemplateParmExpr *E)
1511 { return StmtVisitorTy::Visit(E->getReplacement()); }
Richard Smithf8120ca2011-11-09 02:12:41 +00001512 RetTy VisitCXXDefaultArgExpr(const CXXDefaultArgExpr *E)
1513 { return StmtVisitorTy::Visit(E->getExpr()); }
Peter Collingbournee9200682011-05-13 03:29:01 +00001514
Richard Smith027bf112011-11-17 22:56:20 +00001515 RetTy VisitBinaryOperator(const BinaryOperator *E) {
1516 switch (E->getOpcode()) {
1517 default:
1518 return DerivedError(E);
1519
1520 case BO_Comma:
1521 VisitIgnoredValue(E->getLHS());
1522 return StmtVisitorTy::Visit(E->getRHS());
1523
1524 case BO_PtrMemD:
1525 case BO_PtrMemI: {
1526 LValue Obj;
1527 if (!HandleMemberPointerAccess(Info, E, Obj))
1528 return false;
1529 CCValue Result;
1530 if (!HandleLValueToRValueConversion(Info, E->getType(), Obj, Result))
1531 return false;
1532 return DerivedSuccess(Result, E);
1533 }
1534 }
1535 }
1536
Peter Collingbournee9200682011-05-13 03:29:01 +00001537 RetTy VisitBinaryConditionalOperator(const BinaryConditionalOperator *E) {
1538 OpaqueValueEvaluation opaque(Info, E->getOpaqueValue(), E->getCommon());
1539 if (opaque.hasError())
1540 return DerivedError(E);
1541
1542 bool cond;
Richard Smith11562c52011-10-28 17:51:58 +00001543 if (!EvaluateAsBooleanCondition(E->getCond(), cond, Info))
Peter Collingbournee9200682011-05-13 03:29:01 +00001544 return DerivedError(E);
1545
1546 return StmtVisitorTy::Visit(cond ? E->getTrueExpr() : E->getFalseExpr());
1547 }
1548
1549 RetTy VisitConditionalOperator(const ConditionalOperator *E) {
1550 bool BoolResult;
Richard Smith11562c52011-10-28 17:51:58 +00001551 if (!EvaluateAsBooleanCondition(E->getCond(), BoolResult, Info))
Peter Collingbournee9200682011-05-13 03:29:01 +00001552 return DerivedError(E);
1553
Richard Smith11562c52011-10-28 17:51:58 +00001554 Expr *EvalExpr = BoolResult ? E->getTrueExpr() : E->getFalseExpr();
Peter Collingbournee9200682011-05-13 03:29:01 +00001555 return StmtVisitorTy::Visit(EvalExpr);
1556 }
1557
1558 RetTy VisitOpaqueValueExpr(const OpaqueValueExpr *E) {
Richard Smith0b0a0b62011-10-29 20:57:55 +00001559 const CCValue *Value = Info.getOpaqueValue(E);
1560 if (!Value)
Peter Collingbournee9200682011-05-13 03:29:01 +00001561 return (E->getSourceExpr() ? StmtVisitorTy::Visit(E->getSourceExpr())
1562 : DerivedError(E));
Richard Smith0b0a0b62011-10-29 20:57:55 +00001563 return DerivedSuccess(*Value, E);
Peter Collingbournee9200682011-05-13 03:29:01 +00001564 }
Richard Smith4ce706a2011-10-11 21:43:33 +00001565
Richard Smith254a73d2011-10-28 22:34:42 +00001566 RetTy VisitCallExpr(const CallExpr *E) {
Richard Smith027bf112011-11-17 22:56:20 +00001567 const Expr *Callee = E->getCallee()->IgnoreParens();
Richard Smith254a73d2011-10-28 22:34:42 +00001568 QualType CalleeType = Callee->getType();
1569
Richard Smith254a73d2011-10-28 22:34:42 +00001570 const FunctionDecl *FD = 0;
Richard Smithe97cbd72011-11-11 04:05:33 +00001571 LValue *This = 0, ThisVal;
1572 llvm::ArrayRef<const Expr*> Args(E->getArgs(), E->getNumArgs());
Richard Smith656d49d2011-11-10 09:31:24 +00001573
Richard Smithe97cbd72011-11-11 04:05:33 +00001574 // Extract function decl and 'this' pointer from the callee.
1575 if (CalleeType->isSpecificBuiltinType(BuiltinType::BoundMember)) {
Richard Smith027bf112011-11-17 22:56:20 +00001576 if (const MemberExpr *ME = dyn_cast<MemberExpr>(Callee)) {
1577 // Explicit bound member calls, such as x.f() or p->g();
1578 if (!EvaluateObjectArgument(Info, ME->getBase(), ThisVal))
1579 return DerivedError(ME->getBase());
1580 This = &ThisVal;
1581 FD = dyn_cast<FunctionDecl>(ME->getMemberDecl());
1582 if (!FD)
1583 return DerivedError(ME);
1584 } else if (const BinaryOperator *BE = dyn_cast<BinaryOperator>(Callee)) {
1585 // Indirect bound member calls ('.*' or '->*').
1586 const ValueDecl *Member = HandleMemberPointerAccess(Info, BE, ThisVal,
1587 false);
1588 This = &ThisVal;
1589 FD = dyn_cast_or_null<FunctionDecl>(Member);
1590 if (!FD)
1591 return DerivedError(Callee);
1592 } else
Richard Smithe97cbd72011-11-11 04:05:33 +00001593 return DerivedError(Callee);
Richard Smithe97cbd72011-11-11 04:05:33 +00001594 } else if (CalleeType->isFunctionPointerType()) {
1595 CCValue Call;
1596 if (!Evaluate(Call, Info, Callee) || !Call.isLValue() ||
Richard Smithce40ad62011-11-12 22:28:03 +00001597 !Call.getLValueOffset().isZero())
Richard Smithe97cbd72011-11-11 04:05:33 +00001598 return DerivedError(Callee);
1599
Richard Smithce40ad62011-11-12 22:28:03 +00001600 FD = dyn_cast_or_null<FunctionDecl>(
1601 Call.getLValueBase().dyn_cast<const ValueDecl*>());
Richard Smithe97cbd72011-11-11 04:05:33 +00001602 if (!FD)
1603 return DerivedError(Callee);
1604
1605 // Overloaded operator calls to member functions are represented as normal
1606 // calls with '*this' as the first argument.
1607 const CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(FD);
1608 if (MD && !MD->isStatic()) {
1609 if (!EvaluateObjectArgument(Info, Args[0], ThisVal))
1610 return false;
1611 This = &ThisVal;
1612 Args = Args.slice(1);
1613 }
1614
1615 // Don't call function pointers which have been cast to some other type.
1616 if (!Info.Ctx.hasSameType(CalleeType->getPointeeType(), FD->getType()))
1617 return DerivedError(E);
1618 } else
Devang Patel63104ad2011-11-10 17:47:39 +00001619 return DerivedError(E);
Richard Smith254a73d2011-10-28 22:34:42 +00001620
1621 const FunctionDecl *Definition;
1622 Stmt *Body = FD->getBody(Definition);
Richard Smithed5165f2011-11-04 05:33:44 +00001623 CCValue CCResult;
1624 APValue Result;
Richard Smith254a73d2011-10-28 22:34:42 +00001625
1626 if (Body && Definition->isConstexpr() && !Definition->isInvalidDecl() &&
Richard Smithe97cbd72011-11-11 04:05:33 +00001627 HandleFunctionCall(This, Args, Body, Info, CCResult) &&
Richard Smithed5165f2011-11-04 05:33:44 +00001628 CheckConstantExpression(CCResult, Result))
1629 return DerivedSuccess(CCValue(Result, CCValue::GlobalValue()), E);
Richard Smith254a73d2011-10-28 22:34:42 +00001630
1631 return DerivedError(E);
1632 }
1633
Richard Smith11562c52011-10-28 17:51:58 +00001634 RetTy VisitCompoundLiteralExpr(const CompoundLiteralExpr *E) {
1635 return StmtVisitorTy::Visit(E->getInitializer());
1636 }
Richard Smith4ce706a2011-10-11 21:43:33 +00001637 RetTy VisitInitListExpr(const InitListExpr *E) {
1638 if (Info.getLangOpts().CPlusPlus0x) {
1639 if (E->getNumInits() == 0)
1640 return DerivedValueInitialization(E);
1641 if (E->getNumInits() == 1)
1642 return StmtVisitorTy::Visit(E->getInit(0));
1643 }
1644 return DerivedError(E);
1645 }
1646 RetTy VisitImplicitValueInitExpr(const ImplicitValueInitExpr *E) {
1647 return DerivedValueInitialization(E);
1648 }
1649 RetTy VisitCXXScalarValueInitExpr(const CXXScalarValueInitExpr *E) {
1650 return DerivedValueInitialization(E);
1651 }
Richard Smith027bf112011-11-17 22:56:20 +00001652 RetTy VisitCXXNullPtrLiteralExpr(const CXXNullPtrLiteralExpr *E) {
1653 return DerivedValueInitialization(E);
1654 }
Richard Smith4ce706a2011-10-11 21:43:33 +00001655
Richard Smithd62306a2011-11-10 06:34:14 +00001656 /// A member expression where the object is a prvalue is itself a prvalue.
1657 RetTy VisitMemberExpr(const MemberExpr *E) {
1658 assert(!E->isArrow() && "missing call to bound member function?");
1659
1660 CCValue Val;
1661 if (!Evaluate(Val, Info, E->getBase()))
1662 return false;
1663
1664 QualType BaseTy = E->getBase()->getType();
1665
1666 const FieldDecl *FD = dyn_cast<FieldDecl>(E->getMemberDecl());
1667 if (!FD) return false;
1668 assert(!FD->getType()->isReferenceType() && "prvalue reference?");
1669 assert(BaseTy->getAs<RecordType>()->getDecl()->getCanonicalDecl() ==
1670 FD->getParent()->getCanonicalDecl() && "record / field mismatch");
1671
1672 SubobjectDesignator Designator;
1673 Designator.addDecl(FD);
1674
1675 return ExtractSubobject(Info, Val, BaseTy, Designator, E->getType()) &&
1676 DerivedSuccess(Val, E);
1677 }
1678
Richard Smith11562c52011-10-28 17:51:58 +00001679 RetTy VisitCastExpr(const CastExpr *E) {
1680 switch (E->getCastKind()) {
1681 default:
1682 break;
1683
1684 case CK_NoOp:
1685 return StmtVisitorTy::Visit(E->getSubExpr());
1686
1687 case CK_LValueToRValue: {
1688 LValue LVal;
1689 if (EvaluateLValue(E->getSubExpr(), LVal, Info)) {
Richard Smith0b0a0b62011-10-29 20:57:55 +00001690 CCValue RVal;
Richard Smith11562c52011-10-28 17:51:58 +00001691 if (HandleLValueToRValueConversion(Info, E->getType(), LVal, RVal))
1692 return DerivedSuccess(RVal, E);
1693 }
1694 break;
1695 }
1696 }
1697
1698 return DerivedError(E);
1699 }
1700
Richard Smith4a678122011-10-24 18:44:57 +00001701 /// Visit a value which is evaluated, but whose value is ignored.
1702 void VisitIgnoredValue(const Expr *E) {
Richard Smith0b0a0b62011-10-29 20:57:55 +00001703 CCValue Scratch;
Richard Smith4a678122011-10-24 18:44:57 +00001704 if (!Evaluate(Scratch, Info, E))
1705 Info.EvalStatus.HasSideEffects = true;
1706 }
Peter Collingbournee9200682011-05-13 03:29:01 +00001707};
1708
1709}
1710
1711//===----------------------------------------------------------------------===//
Richard Smith027bf112011-11-17 22:56:20 +00001712// Common base class for lvalue and temporary evaluation.
1713//===----------------------------------------------------------------------===//
1714namespace {
1715template<class Derived>
1716class LValueExprEvaluatorBase
1717 : public ExprEvaluatorBase<Derived, bool> {
1718protected:
1719 LValue &Result;
1720 typedef LValueExprEvaluatorBase LValueExprEvaluatorBaseTy;
1721 typedef ExprEvaluatorBase<Derived, bool> ExprEvaluatorBaseTy;
1722
1723 bool Success(APValue::LValueBase B) {
1724 Result.set(B);
1725 return true;
1726 }
1727
1728public:
1729 LValueExprEvaluatorBase(EvalInfo &Info, LValue &Result) :
1730 ExprEvaluatorBaseTy(Info), Result(Result) {}
1731
1732 bool Success(const CCValue &V, const Expr *E) {
1733 Result.setFrom(V);
1734 return true;
1735 }
1736 bool Error(const Expr *E) {
1737 return false;
1738 }
1739
1740 bool CheckValidLValue() {
1741 // C++11 [basic.lval]p1: An lvalue designates a function or an object. Hence
1742 // there are no null references, nor once-past-the-end references.
1743 // FIXME: Check for one-past-the-end array indices
1744 return Result.Base && !Result.Designator.Invalid &&
1745 !Result.Designator.OnePastTheEnd;
1746 }
1747
1748 bool VisitMemberExpr(const MemberExpr *E) {
1749 // Handle non-static data members.
1750 QualType BaseTy;
1751 if (E->isArrow()) {
1752 if (!EvaluatePointer(E->getBase(), Result, this->Info))
1753 return false;
1754 BaseTy = E->getBase()->getType()->getAs<PointerType>()->getPointeeType();
1755 } else {
1756 if (!this->Visit(E->getBase()))
1757 return false;
1758 BaseTy = E->getBase()->getType();
1759 }
1760 // FIXME: In C++11, require the result to be a valid lvalue.
1761
1762 const FieldDecl *FD = dyn_cast<FieldDecl>(E->getMemberDecl());
1763 // FIXME: Handle IndirectFieldDecls
1764 if (!FD) return false;
1765 assert(BaseTy->getAs<RecordType>()->getDecl()->getCanonicalDecl() ==
1766 FD->getParent()->getCanonicalDecl() && "record / field mismatch");
1767 (void)BaseTy;
1768
1769 HandleLValueMember(this->Info, Result, FD);
1770
1771 if (FD->getType()->isReferenceType()) {
1772 CCValue RefValue;
1773 if (!HandleLValueToRValueConversion(this->Info, FD->getType(), Result,
1774 RefValue))
1775 return false;
1776 return Success(RefValue, E);
1777 }
1778 return true;
1779 }
1780
1781 bool VisitBinaryOperator(const BinaryOperator *E) {
1782 switch (E->getOpcode()) {
1783 default:
1784 return ExprEvaluatorBaseTy::VisitBinaryOperator(E);
1785
1786 case BO_PtrMemD:
1787 case BO_PtrMemI:
1788 return HandleMemberPointerAccess(this->Info, E, Result);
1789 }
1790 }
1791
1792 bool VisitCastExpr(const CastExpr *E) {
1793 switch (E->getCastKind()) {
1794 default:
1795 return ExprEvaluatorBaseTy::VisitCastExpr(E);
1796
1797 case CK_DerivedToBase:
1798 case CK_UncheckedDerivedToBase: {
1799 if (!this->Visit(E->getSubExpr()))
1800 return false;
1801 if (!CheckValidLValue())
1802 return false;
1803
1804 // Now figure out the necessary offset to add to the base LV to get from
1805 // the derived class to the base class.
1806 QualType Type = E->getSubExpr()->getType();
1807
1808 for (CastExpr::path_const_iterator PathI = E->path_begin(),
1809 PathE = E->path_end(); PathI != PathE; ++PathI) {
1810 if (!HandleLValueBase(this->Info, Result, Type->getAsCXXRecordDecl(),
1811 *PathI))
1812 return false;
1813 Type = (*PathI)->getType();
1814 }
1815
1816 return true;
1817 }
1818 }
1819 }
1820};
1821}
1822
1823//===----------------------------------------------------------------------===//
Eli Friedman9a156e52008-11-12 09:44:48 +00001824// LValue Evaluation
Richard Smith11562c52011-10-28 17:51:58 +00001825//
1826// This is used for evaluating lvalues (in C and C++), xvalues (in C++11),
1827// function designators (in C), decl references to void objects (in C), and
1828// temporaries (if building with -Wno-address-of-temporary).
1829//
1830// LValue evaluation produces values comprising a base expression of one of the
1831// following types:
Richard Smithce40ad62011-11-12 22:28:03 +00001832// - Declarations
1833// * VarDecl
1834// * FunctionDecl
1835// - Literals
Richard Smith11562c52011-10-28 17:51:58 +00001836// * CompoundLiteralExpr in C
1837// * StringLiteral
1838// * PredefinedExpr
Richard Smithd62306a2011-11-10 06:34:14 +00001839// * ObjCStringLiteralExpr
Richard Smith11562c52011-10-28 17:51:58 +00001840// * ObjCEncodeExpr
1841// * AddrLabelExpr
1842// * BlockExpr
1843// * CallExpr for a MakeStringConstant builtin
Richard Smithce40ad62011-11-12 22:28:03 +00001844// - Locals and temporaries
1845// * Any Expr, with a Frame indicating the function in which the temporary was
1846// evaluated.
1847// plus an offset in bytes.
Eli Friedman9a156e52008-11-12 09:44:48 +00001848//===----------------------------------------------------------------------===//
1849namespace {
Benjamin Kramer26222b62009-11-28 19:03:38 +00001850class LValueExprEvaluator
Richard Smith027bf112011-11-17 22:56:20 +00001851 : public LValueExprEvaluatorBase<LValueExprEvaluator> {
Eli Friedman9a156e52008-11-12 09:44:48 +00001852public:
Richard Smith027bf112011-11-17 22:56:20 +00001853 LValueExprEvaluator(EvalInfo &Info, LValue &Result) :
1854 LValueExprEvaluatorBaseTy(Info, Result) {}
Mike Stump11289f42009-09-09 15:08:12 +00001855
Richard Smith11562c52011-10-28 17:51:58 +00001856 bool VisitVarDecl(const Expr *E, const VarDecl *VD);
1857
Peter Collingbournee9200682011-05-13 03:29:01 +00001858 bool VisitDeclRefExpr(const DeclRefExpr *E);
1859 bool VisitPredefinedExpr(const PredefinedExpr *E) { return Success(E); }
Richard Smith4e4c78ff2011-10-31 05:52:43 +00001860 bool VisitMaterializeTemporaryExpr(const MaterializeTemporaryExpr *E);
Peter Collingbournee9200682011-05-13 03:29:01 +00001861 bool VisitCompoundLiteralExpr(const CompoundLiteralExpr *E);
1862 bool VisitMemberExpr(const MemberExpr *E);
1863 bool VisitStringLiteral(const StringLiteral *E) { return Success(E); }
1864 bool VisitObjCEncodeExpr(const ObjCEncodeExpr *E) { return Success(E); }
1865 bool VisitArraySubscriptExpr(const ArraySubscriptExpr *E);
1866 bool VisitUnaryDeref(const UnaryOperator *E);
Anders Carlssonde55f642009-10-03 16:30:22 +00001867
Peter Collingbournee9200682011-05-13 03:29:01 +00001868 bool VisitCastExpr(const CastExpr *E) {
Anders Carlssonde55f642009-10-03 16:30:22 +00001869 switch (E->getCastKind()) {
1870 default:
Richard Smith027bf112011-11-17 22:56:20 +00001871 return LValueExprEvaluatorBaseTy::VisitCastExpr(E);
Anders Carlssonde55f642009-10-03 16:30:22 +00001872
Eli Friedmance3e02a2011-10-11 00:13:24 +00001873 case CK_LValueBitCast:
Richard Smith96e0c102011-11-04 02:25:55 +00001874 if (!Visit(E->getSubExpr()))
1875 return false;
1876 Result.Designator.setInvalid();
1877 return true;
Eli Friedmance3e02a2011-10-11 00:13:24 +00001878
Richard Smith027bf112011-11-17 22:56:20 +00001879 case CK_BaseToDerived:
Richard Smithd62306a2011-11-10 06:34:14 +00001880 if (!Visit(E->getSubExpr()))
1881 return false;
Richard Smith027bf112011-11-17 22:56:20 +00001882 if (!CheckValidLValue())
1883 return false;
1884 return HandleBaseToDerivedCast(Info, E, Result);
Anders Carlssonde55f642009-10-03 16:30:22 +00001885 }
1886 }
Sebastian Redl12757ab2011-09-24 17:48:14 +00001887
Eli Friedman449fe542009-03-23 04:56:01 +00001888 // FIXME: Missing: __real__, __imag__
Peter Collingbournee9200682011-05-13 03:29:01 +00001889
Eli Friedman9a156e52008-11-12 09:44:48 +00001890};
1891} // end anonymous namespace
1892
Richard Smith11562c52011-10-28 17:51:58 +00001893/// Evaluate an expression as an lvalue. This can be legitimately called on
1894/// expressions which are not glvalues, in a few cases:
1895/// * function designators in C,
1896/// * "extern void" objects,
1897/// * temporaries, if building with -Wno-address-of-temporary.
John McCall45d55e42010-05-07 21:00:08 +00001898static bool EvaluateLValue(const Expr* E, LValue& Result, EvalInfo &Info) {
Richard Smith11562c52011-10-28 17:51:58 +00001899 assert((E->isGLValue() || E->getType()->isFunctionType() ||
1900 E->getType()->isVoidType() || isa<CXXTemporaryObjectExpr>(E)) &&
1901 "can't evaluate expression as an lvalue");
Peter Collingbournee9200682011-05-13 03:29:01 +00001902 return LValueExprEvaluator(Info, Result).Visit(E);
Eli Friedman9a156e52008-11-12 09:44:48 +00001903}
1904
Peter Collingbournee9200682011-05-13 03:29:01 +00001905bool LValueExprEvaluator::VisitDeclRefExpr(const DeclRefExpr *E) {
Richard Smithce40ad62011-11-12 22:28:03 +00001906 if (const FunctionDecl *FD = dyn_cast<FunctionDecl>(E->getDecl()))
1907 return Success(FD);
1908 if (const VarDecl *VD = dyn_cast<VarDecl>(E->getDecl()))
Richard Smith11562c52011-10-28 17:51:58 +00001909 return VisitVarDecl(E, VD);
1910 return Error(E);
1911}
Richard Smith733237d2011-10-24 23:14:33 +00001912
Richard Smith11562c52011-10-28 17:51:58 +00001913bool LValueExprEvaluator::VisitVarDecl(const Expr *E, const VarDecl *VD) {
Richard Smithfec09922011-11-01 16:57:24 +00001914 if (!VD->getType()->isReferenceType()) {
1915 if (isa<ParmVarDecl>(VD)) {
Richard Smithce40ad62011-11-12 22:28:03 +00001916 Result.set(VD, Info.CurrentCall);
Richard Smithfec09922011-11-01 16:57:24 +00001917 return true;
1918 }
Richard Smithce40ad62011-11-12 22:28:03 +00001919 return Success(VD);
Richard Smithfec09922011-11-01 16:57:24 +00001920 }
Eli Friedman751aa72b72009-05-27 06:04:58 +00001921
Richard Smith0b0a0b62011-10-29 20:57:55 +00001922 CCValue V;
Richard Smithce40ad62011-11-12 22:28:03 +00001923 if (EvaluateVarDeclInit(Info, VD, Info.CurrentCall, V))
Richard Smith0b0a0b62011-10-29 20:57:55 +00001924 return Success(V, E);
Richard Smith11562c52011-10-28 17:51:58 +00001925
1926 return Error(E);
Anders Carlssona42ee442008-11-24 04:41:22 +00001927}
1928
Richard Smith4e4c78ff2011-10-31 05:52:43 +00001929bool LValueExprEvaluator::VisitMaterializeTemporaryExpr(
1930 const MaterializeTemporaryExpr *E) {
Richard Smith027bf112011-11-17 22:56:20 +00001931 if (E->GetTemporaryExpr()->isRValue()) {
1932 if (E->getType()->isRecordType() && E->getType()->isLiteralType())
1933 return EvaluateTemporary(E->GetTemporaryExpr(), Result, Info);
1934
1935 Result.set(E, Info.CurrentCall);
1936 return EvaluateConstantExpression(Info.CurrentCall->Temporaries[E], Info,
1937 Result, E->GetTemporaryExpr());
1938 }
1939
1940 // Materialization of an lvalue temporary occurs when we need to force a copy
1941 // (for instance, if it's a bitfield).
1942 // FIXME: The AST should contain an lvalue-to-rvalue node for such cases.
1943 if (!Visit(E->GetTemporaryExpr()))
1944 return false;
1945 if (!HandleLValueToRValueConversion(Info, E->getType(), Result,
1946 Info.CurrentCall->Temporaries[E]))
1947 return false;
Richard Smithce40ad62011-11-12 22:28:03 +00001948 Result.set(E, Info.CurrentCall);
Richard Smith027bf112011-11-17 22:56:20 +00001949 return true;
Richard Smith4e4c78ff2011-10-31 05:52:43 +00001950}
1951
Peter Collingbournee9200682011-05-13 03:29:01 +00001952bool
1953LValueExprEvaluator::VisitCompoundLiteralExpr(const CompoundLiteralExpr *E) {
Richard Smith11562c52011-10-28 17:51:58 +00001954 assert(!Info.getLangOpts().CPlusPlus && "lvalue compound literal in c++?");
1955 // Defer visiting the literal until the lvalue-to-rvalue conversion. We can
1956 // only see this when folding in C, so there's no standard to follow here.
John McCall45d55e42010-05-07 21:00:08 +00001957 return Success(E);
Eli Friedman9a156e52008-11-12 09:44:48 +00001958}
1959
Peter Collingbournee9200682011-05-13 03:29:01 +00001960bool LValueExprEvaluator::VisitMemberExpr(const MemberExpr *E) {
Richard Smith11562c52011-10-28 17:51:58 +00001961 // Handle static data members.
1962 if (const VarDecl *VD = dyn_cast<VarDecl>(E->getMemberDecl())) {
1963 VisitIgnoredValue(E->getBase());
1964 return VisitVarDecl(E, VD);
1965 }
1966
Richard Smith254a73d2011-10-28 22:34:42 +00001967 // Handle static member functions.
1968 if (const CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(E->getMemberDecl())) {
1969 if (MD->isStatic()) {
1970 VisitIgnoredValue(E->getBase());
Richard Smithce40ad62011-11-12 22:28:03 +00001971 return Success(MD);
Richard Smith254a73d2011-10-28 22:34:42 +00001972 }
1973 }
1974
Richard Smithd62306a2011-11-10 06:34:14 +00001975 // Handle non-static data members.
Richard Smith027bf112011-11-17 22:56:20 +00001976 return LValueExprEvaluatorBaseTy::VisitMemberExpr(E);
Eli Friedman9a156e52008-11-12 09:44:48 +00001977}
1978
Peter Collingbournee9200682011-05-13 03:29:01 +00001979bool LValueExprEvaluator::VisitArraySubscriptExpr(const ArraySubscriptExpr *E) {
Richard Smith11562c52011-10-28 17:51:58 +00001980 // FIXME: Deal with vectors as array subscript bases.
1981 if (E->getBase()->getType()->isVectorType())
1982 return false;
1983
Anders Carlsson9f9e4242008-11-16 19:01:22 +00001984 if (!EvaluatePointer(E->getBase(), Result, Info))
John McCall45d55e42010-05-07 21:00:08 +00001985 return false;
Mike Stump11289f42009-09-09 15:08:12 +00001986
Anders Carlsson9f9e4242008-11-16 19:01:22 +00001987 APSInt Index;
1988 if (!EvaluateInteger(E->getIdx(), Index, Info))
John McCall45d55e42010-05-07 21:00:08 +00001989 return false;
Richard Smithd62306a2011-11-10 06:34:14 +00001990 int64_t IndexValue
1991 = Index.isSigned() ? Index.getSExtValue()
1992 : static_cast<int64_t>(Index.getZExtValue());
Anders Carlsson9f9e4242008-11-16 19:01:22 +00001993
Richard Smith027bf112011-11-17 22:56:20 +00001994 // FIXME: In C++11, require the result to be a valid lvalue.
Richard Smithd62306a2011-11-10 06:34:14 +00001995 return HandleLValueArrayAdjustment(Info, Result, E->getType(), IndexValue);
Anders Carlsson9f9e4242008-11-16 19:01:22 +00001996}
Eli Friedman9a156e52008-11-12 09:44:48 +00001997
Peter Collingbournee9200682011-05-13 03:29:01 +00001998bool LValueExprEvaluator::VisitUnaryDeref(const UnaryOperator *E) {
Richard Smith027bf112011-11-17 22:56:20 +00001999 // FIXME: In C++11, require the result to be a valid lvalue.
John McCall45d55e42010-05-07 21:00:08 +00002000 return EvaluatePointer(E->getSubExpr(), Result, Info);
Eli Friedman0b8337c2009-02-20 01:57:15 +00002001}
2002
Eli Friedman9a156e52008-11-12 09:44:48 +00002003//===----------------------------------------------------------------------===//
Chris Lattner05706e882008-07-11 18:11:29 +00002004// Pointer Evaluation
2005//===----------------------------------------------------------------------===//
2006
Anders Carlsson0a1707c2008-07-08 05:13:58 +00002007namespace {
Benjamin Kramer26222b62009-11-28 19:03:38 +00002008class PointerExprEvaluator
Peter Collingbournee9200682011-05-13 03:29:01 +00002009 : public ExprEvaluatorBase<PointerExprEvaluator, bool> {
John McCall45d55e42010-05-07 21:00:08 +00002010 LValue &Result;
2011
Peter Collingbournee9200682011-05-13 03:29:01 +00002012 bool Success(const Expr *E) {
Richard Smithce40ad62011-11-12 22:28:03 +00002013 Result.set(E);
John McCall45d55e42010-05-07 21:00:08 +00002014 return true;
2015 }
Anders Carlssonb5ad0212008-07-08 14:30:00 +00002016public:
Mike Stump11289f42009-09-09 15:08:12 +00002017
John McCall45d55e42010-05-07 21:00:08 +00002018 PointerExprEvaluator(EvalInfo &info, LValue &Result)
Peter Collingbournee9200682011-05-13 03:29:01 +00002019 : ExprEvaluatorBaseTy(info), Result(Result) {}
Chris Lattner05706e882008-07-11 18:11:29 +00002020
Richard Smith0b0a0b62011-10-29 20:57:55 +00002021 bool Success(const CCValue &V, const Expr *E) {
Peter Collingbournee9200682011-05-13 03:29:01 +00002022 Result.setFrom(V);
2023 return true;
2024 }
2025 bool Error(const Stmt *S) {
John McCall45d55e42010-05-07 21:00:08 +00002026 return false;
Anders Carlssonb5ad0212008-07-08 14:30:00 +00002027 }
Richard Smith4ce706a2011-10-11 21:43:33 +00002028 bool ValueInitialization(const Expr *E) {
2029 return Success((Expr*)0);
2030 }
Anders Carlssonb5ad0212008-07-08 14:30:00 +00002031
John McCall45d55e42010-05-07 21:00:08 +00002032 bool VisitBinaryOperator(const BinaryOperator *E);
Peter Collingbournee9200682011-05-13 03:29:01 +00002033 bool VisitCastExpr(const CastExpr* E);
John McCall45d55e42010-05-07 21:00:08 +00002034 bool VisitUnaryAddrOf(const UnaryOperator *E);
Peter Collingbournee9200682011-05-13 03:29:01 +00002035 bool VisitObjCStringLiteral(const ObjCStringLiteral *E)
John McCall45d55e42010-05-07 21:00:08 +00002036 { return Success(E); }
Peter Collingbournee9200682011-05-13 03:29:01 +00002037 bool VisitAddrLabelExpr(const AddrLabelExpr *E)
John McCall45d55e42010-05-07 21:00:08 +00002038 { return Success(E); }
Peter Collingbournee9200682011-05-13 03:29:01 +00002039 bool VisitCallExpr(const CallExpr *E);
2040 bool VisitBlockExpr(const BlockExpr *E) {
John McCallc63de662011-02-02 13:00:07 +00002041 if (!E->getBlockDecl()->hasCaptures())
John McCall45d55e42010-05-07 21:00:08 +00002042 return Success(E);
2043 return false;
Mike Stumpa6703322009-02-19 22:01:56 +00002044 }
Richard Smithd62306a2011-11-10 06:34:14 +00002045 bool VisitCXXThisExpr(const CXXThisExpr *E) {
2046 if (!Info.CurrentCall->This)
2047 return false;
2048 Result = *Info.CurrentCall->This;
2049 return true;
2050 }
John McCallc07a0c72011-02-17 10:25:35 +00002051
Eli Friedman449fe542009-03-23 04:56:01 +00002052 // FIXME: Missing: @protocol, @selector
Anders Carlsson4a3585b2008-07-08 15:34:11 +00002053};
Chris Lattner05706e882008-07-11 18:11:29 +00002054} // end anonymous namespace
Anders Carlsson4a3585b2008-07-08 15:34:11 +00002055
John McCall45d55e42010-05-07 21:00:08 +00002056static bool EvaluatePointer(const Expr* E, LValue& Result, EvalInfo &Info) {
Richard Smith11562c52011-10-28 17:51:58 +00002057 assert(E->isRValue() && E->getType()->hasPointerRepresentation());
Peter Collingbournee9200682011-05-13 03:29:01 +00002058 return PointerExprEvaluator(Info, Result).Visit(E);
Chris Lattner05706e882008-07-11 18:11:29 +00002059}
2060
John McCall45d55e42010-05-07 21:00:08 +00002061bool PointerExprEvaluator::VisitBinaryOperator(const BinaryOperator *E) {
John McCalle3027922010-08-25 11:45:40 +00002062 if (E->getOpcode() != BO_Add &&
2063 E->getOpcode() != BO_Sub)
Richard Smith027bf112011-11-17 22:56:20 +00002064 return ExprEvaluatorBaseTy::VisitBinaryOperator(E);
Mike Stump11289f42009-09-09 15:08:12 +00002065
Chris Lattner05706e882008-07-11 18:11:29 +00002066 const Expr *PExp = E->getLHS();
2067 const Expr *IExp = E->getRHS();
2068 if (IExp->getType()->isPointerType())
2069 std::swap(PExp, IExp);
Mike Stump11289f42009-09-09 15:08:12 +00002070
John McCall45d55e42010-05-07 21:00:08 +00002071 if (!EvaluatePointer(PExp, Result, Info))
2072 return false;
Mike Stump11289f42009-09-09 15:08:12 +00002073
John McCall45d55e42010-05-07 21:00:08 +00002074 llvm::APSInt Offset;
2075 if (!EvaluateInteger(IExp, Offset, Info))
2076 return false;
2077 int64_t AdditionalOffset
2078 = Offset.isSigned() ? Offset.getSExtValue()
2079 : static_cast<int64_t>(Offset.getZExtValue());
Richard Smith96e0c102011-11-04 02:25:55 +00002080 if (E->getOpcode() == BO_Sub)
2081 AdditionalOffset = -AdditionalOffset;
Chris Lattner05706e882008-07-11 18:11:29 +00002082
Richard Smithd62306a2011-11-10 06:34:14 +00002083 QualType Pointee = PExp->getType()->getAs<PointerType>()->getPointeeType();
Richard Smith027bf112011-11-17 22:56:20 +00002084 // FIXME: In C++11, require the result to be a valid lvalue.
Richard Smithd62306a2011-11-10 06:34:14 +00002085 return HandleLValueArrayAdjustment(Info, Result, Pointee, AdditionalOffset);
Chris Lattner05706e882008-07-11 18:11:29 +00002086}
Eli Friedman9a156e52008-11-12 09:44:48 +00002087
John McCall45d55e42010-05-07 21:00:08 +00002088bool PointerExprEvaluator::VisitUnaryAddrOf(const UnaryOperator *E) {
2089 return EvaluateLValue(E->getSubExpr(), Result, Info);
Eli Friedman9a156e52008-11-12 09:44:48 +00002090}
Mike Stump11289f42009-09-09 15:08:12 +00002091
Peter Collingbournee9200682011-05-13 03:29:01 +00002092bool PointerExprEvaluator::VisitCastExpr(const CastExpr* E) {
2093 const Expr* SubExpr = E->getSubExpr();
Chris Lattner05706e882008-07-11 18:11:29 +00002094
Eli Friedman847a2bc2009-12-27 05:43:15 +00002095 switch (E->getCastKind()) {
2096 default:
2097 break;
2098
John McCalle3027922010-08-25 11:45:40 +00002099 case CK_BitCast:
John McCall9320b872011-09-09 05:25:32 +00002100 case CK_CPointerToObjCPointerCast:
2101 case CK_BlockPointerToObjCPointerCast:
John McCalle3027922010-08-25 11:45:40 +00002102 case CK_AnyPointerToBlockPointerCast:
Richard Smith96e0c102011-11-04 02:25:55 +00002103 if (!Visit(SubExpr))
2104 return false;
2105 Result.Designator.setInvalid();
2106 return true;
Eli Friedman847a2bc2009-12-27 05:43:15 +00002107
Anders Carlsson18275092010-10-31 20:41:46 +00002108 case CK_DerivedToBase:
2109 case CK_UncheckedDerivedToBase: {
Richard Smith0b0a0b62011-10-29 20:57:55 +00002110 if (!EvaluatePointer(E->getSubExpr(), Result, Info))
Anders Carlsson18275092010-10-31 20:41:46 +00002111 return false;
Richard Smith027bf112011-11-17 22:56:20 +00002112 if (!Result.Base && Result.Offset.isZero())
2113 return true;
Anders Carlsson18275092010-10-31 20:41:46 +00002114
Richard Smithd62306a2011-11-10 06:34:14 +00002115 // Now figure out the necessary offset to add to the base LV to get from
Anders Carlsson18275092010-10-31 20:41:46 +00002116 // the derived class to the base class.
Richard Smithd62306a2011-11-10 06:34:14 +00002117 QualType Type =
2118 E->getSubExpr()->getType()->castAs<PointerType>()->getPointeeType();
Anders Carlsson18275092010-10-31 20:41:46 +00002119
Richard Smithd62306a2011-11-10 06:34:14 +00002120 for (CastExpr::path_const_iterator PathI = E->path_begin(),
Anders Carlsson18275092010-10-31 20:41:46 +00002121 PathE = E->path_end(); PathI != PathE; ++PathI) {
Richard Smithd62306a2011-11-10 06:34:14 +00002122 if (!HandleLValueBase(Info, Result, Type->getAsCXXRecordDecl(), *PathI))
Anders Carlsson18275092010-10-31 20:41:46 +00002123 return false;
Richard Smithd62306a2011-11-10 06:34:14 +00002124 Type = (*PathI)->getType();
Anders Carlsson18275092010-10-31 20:41:46 +00002125 }
2126
Anders Carlsson18275092010-10-31 20:41:46 +00002127 return true;
2128 }
2129
Richard Smith027bf112011-11-17 22:56:20 +00002130 case CK_BaseToDerived:
2131 if (!Visit(E->getSubExpr()))
2132 return false;
2133 if (!Result.Base && Result.Offset.isZero())
2134 return true;
2135 return HandleBaseToDerivedCast(Info, E, Result);
2136
Richard Smith0b0a0b62011-10-29 20:57:55 +00002137 case CK_NullToPointer:
2138 return ValueInitialization(E);
John McCalle84af4e2010-11-13 01:35:44 +00002139
John McCalle3027922010-08-25 11:45:40 +00002140 case CK_IntegralToPointer: {
Richard Smith0b0a0b62011-10-29 20:57:55 +00002141 CCValue Value;
John McCall45d55e42010-05-07 21:00:08 +00002142 if (!EvaluateIntegerOrLValue(SubExpr, Value, Info))
Eli Friedman847a2bc2009-12-27 05:43:15 +00002143 break;
Daniel Dunbarce399542009-02-20 18:22:23 +00002144
John McCall45d55e42010-05-07 21:00:08 +00002145 if (Value.isInt()) {
Richard Smith0b0a0b62011-10-29 20:57:55 +00002146 unsigned Size = Info.Ctx.getTypeSize(E->getType());
2147 uint64_t N = Value.getInt().extOrTrunc(Size).getZExtValue();
Richard Smithce40ad62011-11-12 22:28:03 +00002148 Result.Base = (Expr*)0;
Richard Smith0b0a0b62011-10-29 20:57:55 +00002149 Result.Offset = CharUnits::fromQuantity(N);
Richard Smithfec09922011-11-01 16:57:24 +00002150 Result.Frame = 0;
Richard Smith96e0c102011-11-04 02:25:55 +00002151 Result.Designator.setInvalid();
John McCall45d55e42010-05-07 21:00:08 +00002152 return true;
2153 } else {
2154 // Cast is of an lvalue, no need to change value.
Richard Smith0b0a0b62011-10-29 20:57:55 +00002155 Result.setFrom(Value);
John McCall45d55e42010-05-07 21:00:08 +00002156 return true;
Chris Lattner05706e882008-07-11 18:11:29 +00002157 }
2158 }
John McCalle3027922010-08-25 11:45:40 +00002159 case CK_ArrayToPointerDecay:
Richard Smith027bf112011-11-17 22:56:20 +00002160 if (SubExpr->isGLValue()) {
2161 if (!EvaluateLValue(SubExpr, Result, Info))
2162 return false;
2163 } else {
2164 Result.set(SubExpr, Info.CurrentCall);
2165 if (!EvaluateConstantExpression(Info.CurrentCall->Temporaries[SubExpr],
2166 Info, Result, SubExpr))
2167 return false;
2168 }
Richard Smith96e0c102011-11-04 02:25:55 +00002169 // The result is a pointer to the first element of the array.
2170 Result.Designator.addIndex(0);
2171 return true;
Richard Smithdd785442011-10-31 20:57:44 +00002172
John McCalle3027922010-08-25 11:45:40 +00002173 case CK_FunctionToPointerDecay:
Richard Smithdd785442011-10-31 20:57:44 +00002174 return EvaluateLValue(SubExpr, Result, Info);
Eli Friedman9a156e52008-11-12 09:44:48 +00002175 }
2176
Richard Smith11562c52011-10-28 17:51:58 +00002177 return ExprEvaluatorBaseTy::VisitCastExpr(E);
Mike Stump11289f42009-09-09 15:08:12 +00002178}
Chris Lattner05706e882008-07-11 18:11:29 +00002179
Peter Collingbournee9200682011-05-13 03:29:01 +00002180bool PointerExprEvaluator::VisitCallExpr(const CallExpr *E) {
Richard Smithd62306a2011-11-10 06:34:14 +00002181 if (IsStringLiteralCall(E))
John McCall45d55e42010-05-07 21:00:08 +00002182 return Success(E);
Eli Friedmanc69d4542009-01-25 01:54:01 +00002183
Peter Collingbournee9200682011-05-13 03:29:01 +00002184 return ExprEvaluatorBaseTy::VisitCallExpr(E);
Eli Friedman9a156e52008-11-12 09:44:48 +00002185}
Chris Lattner05706e882008-07-11 18:11:29 +00002186
2187//===----------------------------------------------------------------------===//
Richard Smith027bf112011-11-17 22:56:20 +00002188// Member Pointer Evaluation
2189//===----------------------------------------------------------------------===//
2190
2191namespace {
2192class MemberPointerExprEvaluator
2193 : public ExprEvaluatorBase<MemberPointerExprEvaluator, bool> {
2194 MemberPtr &Result;
2195
2196 bool Success(const ValueDecl *D) {
2197 Result = MemberPtr(D);
2198 return true;
2199 }
2200public:
2201
2202 MemberPointerExprEvaluator(EvalInfo &Info, MemberPtr &Result)
2203 : ExprEvaluatorBaseTy(Info), Result(Result) {}
2204
2205 bool Success(const CCValue &V, const Expr *E) {
2206 Result.setFrom(V);
2207 return true;
2208 }
2209 bool Error(const Stmt *S) {
2210 return false;
2211 }
2212 bool ValueInitialization(const Expr *E) {
2213 return Success((const ValueDecl*)0);
2214 }
2215
2216 bool VisitCastExpr(const CastExpr *E);
2217 bool VisitUnaryAddrOf(const UnaryOperator *E);
2218};
2219} // end anonymous namespace
2220
2221static bool EvaluateMemberPointer(const Expr *E, MemberPtr &Result,
2222 EvalInfo &Info) {
2223 assert(E->isRValue() && E->getType()->isMemberPointerType());
2224 return MemberPointerExprEvaluator(Info, Result).Visit(E);
2225}
2226
2227bool MemberPointerExprEvaluator::VisitCastExpr(const CastExpr *E) {
2228 switch (E->getCastKind()) {
2229 default:
2230 return ExprEvaluatorBaseTy::VisitCastExpr(E);
2231
2232 case CK_NullToMemberPointer:
2233 return ValueInitialization(E);
2234
2235 case CK_BaseToDerivedMemberPointer: {
2236 if (!Visit(E->getSubExpr()))
2237 return false;
2238 if (E->path_empty())
2239 return true;
2240 // Base-to-derived member pointer casts store the path in derived-to-base
2241 // order, so iterate backwards. The CXXBaseSpecifier also provides us with
2242 // the wrong end of the derived->base arc, so stagger the path by one class.
2243 typedef std::reverse_iterator<CastExpr::path_const_iterator> ReverseIter;
2244 for (ReverseIter PathI(E->path_end() - 1), PathE(E->path_begin());
2245 PathI != PathE; ++PathI) {
2246 assert(!(*PathI)->isVirtual() && "memptr cast through vbase");
2247 const CXXRecordDecl *Derived = (*PathI)->getType()->getAsCXXRecordDecl();
2248 if (!Result.castToDerived(Derived))
2249 return false;
2250 }
2251 const Type *FinalTy = E->getType()->castAs<MemberPointerType>()->getClass();
2252 if (!Result.castToDerived(FinalTy->getAsCXXRecordDecl()))
2253 return false;
2254 return true;
2255 }
2256
2257 case CK_DerivedToBaseMemberPointer:
2258 if (!Visit(E->getSubExpr()))
2259 return false;
2260 for (CastExpr::path_const_iterator PathI = E->path_begin(),
2261 PathE = E->path_end(); PathI != PathE; ++PathI) {
2262 assert(!(*PathI)->isVirtual() && "memptr cast through vbase");
2263 const CXXRecordDecl *Base = (*PathI)->getType()->getAsCXXRecordDecl();
2264 if (!Result.castToBase(Base))
2265 return false;
2266 }
2267 return true;
2268 }
2269}
2270
2271bool MemberPointerExprEvaluator::VisitUnaryAddrOf(const UnaryOperator *E) {
2272 // C++11 [expr.unary.op]p3 has very strict rules on how the address of a
2273 // member can be formed.
2274 return Success(cast<DeclRefExpr>(E->getSubExpr())->getDecl());
2275}
2276
2277//===----------------------------------------------------------------------===//
Richard Smithd62306a2011-11-10 06:34:14 +00002278// Record Evaluation
2279//===----------------------------------------------------------------------===//
2280
2281namespace {
2282 class RecordExprEvaluator
2283 : public ExprEvaluatorBase<RecordExprEvaluator, bool> {
2284 const LValue &This;
2285 APValue &Result;
2286 public:
2287
2288 RecordExprEvaluator(EvalInfo &info, const LValue &This, APValue &Result)
2289 : ExprEvaluatorBaseTy(info), This(This), Result(Result) {}
2290
2291 bool Success(const CCValue &V, const Expr *E) {
2292 return CheckConstantExpression(V, Result);
2293 }
2294 bool Error(const Expr *E) { return false; }
2295
Richard Smithe97cbd72011-11-11 04:05:33 +00002296 bool VisitCastExpr(const CastExpr *E);
Richard Smithd62306a2011-11-10 06:34:14 +00002297 bool VisitInitListExpr(const InitListExpr *E);
2298 bool VisitCXXConstructExpr(const CXXConstructExpr *E);
2299 };
2300}
2301
Richard Smithe97cbd72011-11-11 04:05:33 +00002302bool RecordExprEvaluator::VisitCastExpr(const CastExpr *E) {
2303 switch (E->getCastKind()) {
2304 default:
2305 return ExprEvaluatorBaseTy::VisitCastExpr(E);
2306
2307 case CK_ConstructorConversion:
2308 return Visit(E->getSubExpr());
2309
2310 case CK_DerivedToBase:
2311 case CK_UncheckedDerivedToBase: {
2312 CCValue DerivedObject;
2313 if (!Evaluate(DerivedObject, Info, E->getSubExpr()) ||
2314 !DerivedObject.isStruct())
2315 return false;
2316
2317 // Derived-to-base rvalue conversion: just slice off the derived part.
2318 APValue *Value = &DerivedObject;
2319 const CXXRecordDecl *RD = E->getSubExpr()->getType()->getAsCXXRecordDecl();
2320 for (CastExpr::path_const_iterator PathI = E->path_begin(),
2321 PathE = E->path_end(); PathI != PathE; ++PathI) {
2322 assert(!(*PathI)->isVirtual() && "record rvalue with virtual base");
2323 const CXXRecordDecl *Base = (*PathI)->getType()->getAsCXXRecordDecl();
2324 Value = &Value->getStructBase(getBaseIndex(RD, Base));
2325 RD = Base;
2326 }
2327 Result = *Value;
2328 return true;
2329 }
2330 }
2331}
2332
Richard Smithd62306a2011-11-10 06:34:14 +00002333bool RecordExprEvaluator::VisitInitListExpr(const InitListExpr *E) {
2334 const RecordDecl *RD = E->getType()->castAs<RecordType>()->getDecl();
2335 const ASTRecordLayout &Layout = Info.Ctx.getASTRecordLayout(RD);
2336
2337 if (RD->isUnion()) {
2338 Result = APValue(E->getInitializedFieldInUnion());
2339 if (!E->getNumInits())
2340 return true;
2341 LValue Subobject = This;
2342 HandleLValueMember(Info, Subobject, E->getInitializedFieldInUnion(),
2343 &Layout);
2344 return EvaluateConstantExpression(Result.getUnionValue(), Info,
2345 Subobject, E->getInit(0));
2346 }
2347
2348 assert((!isa<CXXRecordDecl>(RD) || !cast<CXXRecordDecl>(RD)->getNumBases()) &&
2349 "initializer list for class with base classes");
2350 Result = APValue(APValue::UninitStruct(), 0,
2351 std::distance(RD->field_begin(), RD->field_end()));
2352 unsigned ElementNo = 0;
2353 for (RecordDecl::field_iterator Field = RD->field_begin(),
2354 FieldEnd = RD->field_end(); Field != FieldEnd; ++Field) {
2355 // Anonymous bit-fields are not considered members of the class for
2356 // purposes of aggregate initialization.
2357 if (Field->isUnnamedBitfield())
2358 continue;
2359
2360 LValue Subobject = This;
2361 HandleLValueMember(Info, Subobject, *Field, &Layout);
2362
2363 if (ElementNo < E->getNumInits()) {
2364 if (!EvaluateConstantExpression(
2365 Result.getStructField((*Field)->getFieldIndex()),
2366 Info, Subobject, E->getInit(ElementNo++)))
2367 return false;
2368 } else {
2369 // Perform an implicit value-initialization for members beyond the end of
2370 // the initializer list.
2371 ImplicitValueInitExpr VIE(Field->getType());
2372 if (!EvaluateConstantExpression(
2373 Result.getStructField((*Field)->getFieldIndex()),
2374 Info, Subobject, &VIE))
2375 return false;
2376 }
2377 }
2378
2379 return true;
2380}
2381
2382bool RecordExprEvaluator::VisitCXXConstructExpr(const CXXConstructExpr *E) {
2383 const CXXConstructorDecl *FD = E->getConstructor();
2384 const FunctionDecl *Definition = 0;
2385 FD->getBody(Definition);
2386
2387 if (!Definition || !Definition->isConstexpr() || Definition->isInvalidDecl())
2388 return false;
2389
2390 // FIXME: Elide the copy/move construction wherever we can.
2391 if (E->isElidable())
2392 if (const MaterializeTemporaryExpr *ME
2393 = dyn_cast<MaterializeTemporaryExpr>(E->getArg(0)))
2394 return Visit(ME->GetTemporaryExpr());
2395
2396 llvm::ArrayRef<const Expr*> Args(E->getArgs(), E->getNumArgs());
Richard Smithe97cbd72011-11-11 04:05:33 +00002397 return HandleConstructorCall(This, Args, cast<CXXConstructorDecl>(Definition),
2398 Info, Result);
Richard Smithd62306a2011-11-10 06:34:14 +00002399}
2400
2401static bool EvaluateRecord(const Expr *E, const LValue &This,
2402 APValue &Result, EvalInfo &Info) {
2403 assert(E->isRValue() && E->getType()->isRecordType() &&
2404 E->getType()->isLiteralType() &&
2405 "can't evaluate expression as a record rvalue");
2406 return RecordExprEvaluator(Info, This, Result).Visit(E);
2407}
2408
2409//===----------------------------------------------------------------------===//
Richard Smith027bf112011-11-17 22:56:20 +00002410// Temporary Evaluation
2411//
2412// Temporaries are represented in the AST as rvalues, but generally behave like
2413// lvalues. The full-object of which the temporary is a subobject is implicitly
2414// materialized so that a reference can bind to it.
2415//===----------------------------------------------------------------------===//
2416namespace {
2417class TemporaryExprEvaluator
2418 : public LValueExprEvaluatorBase<TemporaryExprEvaluator> {
2419public:
2420 TemporaryExprEvaluator(EvalInfo &Info, LValue &Result) :
2421 LValueExprEvaluatorBaseTy(Info, Result) {}
2422
2423 /// Visit an expression which constructs the value of this temporary.
2424 bool VisitConstructExpr(const Expr *E) {
2425 Result.set(E, Info.CurrentCall);
2426 return EvaluateConstantExpression(Info.CurrentCall->Temporaries[E], Info,
2427 Result, E);
2428 }
2429
2430 bool VisitCastExpr(const CastExpr *E) {
2431 switch (E->getCastKind()) {
2432 default:
2433 return LValueExprEvaluatorBaseTy::VisitCastExpr(E);
2434
2435 case CK_ConstructorConversion:
2436 return VisitConstructExpr(E->getSubExpr());
2437 }
2438 }
2439 bool VisitInitListExpr(const InitListExpr *E) {
2440 return VisitConstructExpr(E);
2441 }
2442 bool VisitCXXConstructExpr(const CXXConstructExpr *E) {
2443 return VisitConstructExpr(E);
2444 }
2445 bool VisitCallExpr(const CallExpr *E) {
2446 return VisitConstructExpr(E);
2447 }
2448};
2449} // end anonymous namespace
2450
2451/// Evaluate an expression of record type as a temporary.
2452static bool EvaluateTemporary(const Expr *E, LValue &Result, EvalInfo &Info) {
2453 assert(E->isRValue() && E->getType()->isRecordType() &&
2454 E->getType()->isLiteralType());
2455 return TemporaryExprEvaluator(Info, Result).Visit(E);
2456}
2457
2458//===----------------------------------------------------------------------===//
Nate Begeman2f2bdeb2009-01-18 03:20:47 +00002459// Vector Evaluation
2460//===----------------------------------------------------------------------===//
2461
2462namespace {
Benjamin Kramer26222b62009-11-28 19:03:38 +00002463 class VectorExprEvaluator
Richard Smith2d406342011-10-22 21:10:00 +00002464 : public ExprEvaluatorBase<VectorExprEvaluator, bool> {
2465 APValue &Result;
Nate Begeman2f2bdeb2009-01-18 03:20:47 +00002466 public:
Mike Stump11289f42009-09-09 15:08:12 +00002467
Richard Smith2d406342011-10-22 21:10:00 +00002468 VectorExprEvaluator(EvalInfo &info, APValue &Result)
2469 : ExprEvaluatorBaseTy(info), Result(Result) {}
Mike Stump11289f42009-09-09 15:08:12 +00002470
Richard Smith2d406342011-10-22 21:10:00 +00002471 bool Success(const ArrayRef<APValue> &V, const Expr *E) {
2472 assert(V.size() == E->getType()->castAs<VectorType>()->getNumElements());
2473 // FIXME: remove this APValue copy.
2474 Result = APValue(V.data(), V.size());
2475 return true;
2476 }
Richard Smithed5165f2011-11-04 05:33:44 +00002477 bool Success(const CCValue &V, const Expr *E) {
2478 assert(V.isVector());
Richard Smith2d406342011-10-22 21:10:00 +00002479 Result = V;
2480 return true;
2481 }
2482 bool Error(const Expr *E) { return false; }
2483 bool ValueInitialization(const Expr *E);
Mike Stump11289f42009-09-09 15:08:12 +00002484
Richard Smith2d406342011-10-22 21:10:00 +00002485 bool VisitUnaryReal(const UnaryOperator *E)
Eli Friedman3ae59112009-02-23 04:23:56 +00002486 { return Visit(E->getSubExpr()); }
Richard Smith2d406342011-10-22 21:10:00 +00002487 bool VisitCastExpr(const CastExpr* E);
Richard Smith2d406342011-10-22 21:10:00 +00002488 bool VisitInitListExpr(const InitListExpr *E);
2489 bool VisitUnaryImag(const UnaryOperator *E);
Eli Friedman3ae59112009-02-23 04:23:56 +00002490 // FIXME: Missing: unary -, unary ~, binary add/sub/mul/div,
Eli Friedmanc2b50172009-02-22 11:46:18 +00002491 // binary comparisons, binary and/or/xor,
Eli Friedman3ae59112009-02-23 04:23:56 +00002492 // shufflevector, ExtVectorElementExpr
2493 // (Note that these require implementing conversions
2494 // between vector types.)
Nate Begeman2f2bdeb2009-01-18 03:20:47 +00002495 };
2496} // end anonymous namespace
2497
2498static bool EvaluateVector(const Expr* E, APValue& Result, EvalInfo &Info) {
Richard Smith11562c52011-10-28 17:51:58 +00002499 assert(E->isRValue() && E->getType()->isVectorType() &&"not a vector rvalue");
Richard Smith2d406342011-10-22 21:10:00 +00002500 return VectorExprEvaluator(Info, Result).Visit(E);
Nate Begeman2f2bdeb2009-01-18 03:20:47 +00002501}
2502
Richard Smith2d406342011-10-22 21:10:00 +00002503bool VectorExprEvaluator::VisitCastExpr(const CastExpr* E) {
2504 const VectorType *VTy = E->getType()->castAs<VectorType>();
Nate Begemanef1a7fa2009-07-01 07:50:47 +00002505 QualType EltTy = VTy->getElementType();
2506 unsigned NElts = VTy->getNumElements();
2507 unsigned EltWidth = Info.Ctx.getTypeSize(EltTy);
Mike Stump11289f42009-09-09 15:08:12 +00002508
Nate Begeman2f2bdeb2009-01-18 03:20:47 +00002509 const Expr* SE = E->getSubExpr();
Nate Begeman2ffd3842009-06-26 18:22:18 +00002510 QualType SETy = SE->getType();
Nate Begeman2f2bdeb2009-01-18 03:20:47 +00002511
Eli Friedmanc757de22011-03-25 00:43:55 +00002512 switch (E->getCastKind()) {
2513 case CK_VectorSplat: {
Richard Smith2d406342011-10-22 21:10:00 +00002514 APValue Val = APValue();
Eli Friedmanc757de22011-03-25 00:43:55 +00002515 if (SETy->isIntegerType()) {
2516 APSInt IntResult;
2517 if (!EvaluateInteger(SE, IntResult, Info))
Richard Smith2d406342011-10-22 21:10:00 +00002518 return Error(E);
2519 Val = APValue(IntResult);
Eli Friedmanc757de22011-03-25 00:43:55 +00002520 } else if (SETy->isRealFloatingType()) {
2521 APFloat F(0.0);
2522 if (!EvaluateFloat(SE, F, Info))
Richard Smith2d406342011-10-22 21:10:00 +00002523 return Error(E);
2524 Val = APValue(F);
Eli Friedmanc757de22011-03-25 00:43:55 +00002525 } else {
Richard Smith2d406342011-10-22 21:10:00 +00002526 return Error(E);
Eli Friedmanc757de22011-03-25 00:43:55 +00002527 }
Nate Begemanef1a7fa2009-07-01 07:50:47 +00002528
2529 // Splat and create vector APValue.
Richard Smith2d406342011-10-22 21:10:00 +00002530 SmallVector<APValue, 4> Elts(NElts, Val);
2531 return Success(Elts, E);
Nate Begeman2ffd3842009-06-26 18:22:18 +00002532 }
Eli Friedmanc757de22011-03-25 00:43:55 +00002533 case CK_BitCast: {
Richard Smith2d406342011-10-22 21:10:00 +00002534 // FIXME: this is wrong for any cast other than a no-op cast.
Eli Friedmanc757de22011-03-25 00:43:55 +00002535 if (SETy->isVectorType())
Peter Collingbournee9200682011-05-13 03:29:01 +00002536 return Visit(SE);
Nate Begemanef1a7fa2009-07-01 07:50:47 +00002537
Eli Friedmanc757de22011-03-25 00:43:55 +00002538 if (!SETy->isIntegerType())
Richard Smith2d406342011-10-22 21:10:00 +00002539 return Error(E);
Mike Stump11289f42009-09-09 15:08:12 +00002540
Eli Friedmanc757de22011-03-25 00:43:55 +00002541 APSInt Init;
2542 if (!EvaluateInteger(SE, Init, Info))
Richard Smith2d406342011-10-22 21:10:00 +00002543 return Error(E);
Nate Begemanef1a7fa2009-07-01 07:50:47 +00002544
Eli Friedmanc757de22011-03-25 00:43:55 +00002545 assert((EltTy->isIntegerType() || EltTy->isRealFloatingType()) &&
2546 "Vectors must be composed of ints or floats");
2547
Chris Lattner0e62c1c2011-07-23 10:55:15 +00002548 SmallVector<APValue, 4> Elts;
Eli Friedmanc757de22011-03-25 00:43:55 +00002549 for (unsigned i = 0; i != NElts; ++i) {
2550 APSInt Tmp = Init.extOrTrunc(EltWidth);
2551
2552 if (EltTy->isIntegerType())
2553 Elts.push_back(APValue(Tmp));
2554 else
2555 Elts.push_back(APValue(APFloat(Tmp)));
2556
2557 Init >>= EltWidth;
2558 }
Richard Smith2d406342011-10-22 21:10:00 +00002559 return Success(Elts, E);
Nate Begemanef1a7fa2009-07-01 07:50:47 +00002560 }
Eli Friedmanc757de22011-03-25 00:43:55 +00002561 default:
Richard Smith11562c52011-10-28 17:51:58 +00002562 return ExprEvaluatorBaseTy::VisitCastExpr(E);
Eli Friedmanc757de22011-03-25 00:43:55 +00002563 }
Nate Begeman2f2bdeb2009-01-18 03:20:47 +00002564}
2565
Richard Smith2d406342011-10-22 21:10:00 +00002566bool
Nate Begeman2f2bdeb2009-01-18 03:20:47 +00002567VectorExprEvaluator::VisitInitListExpr(const InitListExpr *E) {
Richard Smith2d406342011-10-22 21:10:00 +00002568 const VectorType *VT = E->getType()->castAs<VectorType>();
Nate Begeman2f2bdeb2009-01-18 03:20:47 +00002569 unsigned NumInits = E->getNumInits();
Eli Friedman3ae59112009-02-23 04:23:56 +00002570 unsigned NumElements = VT->getNumElements();
Mike Stump11289f42009-09-09 15:08:12 +00002571
Nate Begeman2f2bdeb2009-01-18 03:20:47 +00002572 QualType EltTy = VT->getElementType();
Chris Lattner0e62c1c2011-07-23 10:55:15 +00002573 SmallVector<APValue, 4> Elements;
Nate Begeman2f2bdeb2009-01-18 03:20:47 +00002574
John McCall875679e2010-06-11 17:54:15 +00002575 // If a vector is initialized with a single element, that value
2576 // becomes every element of the vector, not just the first.
2577 // This is the behavior described in the IBM AltiVec documentation.
2578 if (NumInits == 1) {
Richard Smith2d406342011-10-22 21:10:00 +00002579
2580 // Handle the case where the vector is initialized by another
Tanya Lattner5ac257d2011-04-15 22:42:59 +00002581 // vector (OpenCL 6.1.6).
2582 if (E->getInit(0)->getType()->isVectorType())
Richard Smith2d406342011-10-22 21:10:00 +00002583 return Visit(E->getInit(0));
2584
John McCall875679e2010-06-11 17:54:15 +00002585 APValue InitValue;
Nate Begeman2f2bdeb2009-01-18 03:20:47 +00002586 if (EltTy->isIntegerType()) {
2587 llvm::APSInt sInt(32);
John McCall875679e2010-06-11 17:54:15 +00002588 if (!EvaluateInteger(E->getInit(0), sInt, Info))
Richard Smith2d406342011-10-22 21:10:00 +00002589 return Error(E);
John McCall875679e2010-06-11 17:54:15 +00002590 InitValue = APValue(sInt);
Nate Begeman2f2bdeb2009-01-18 03:20:47 +00002591 } else {
2592 llvm::APFloat f(0.0);
John McCall875679e2010-06-11 17:54:15 +00002593 if (!EvaluateFloat(E->getInit(0), f, Info))
Richard Smith2d406342011-10-22 21:10:00 +00002594 return Error(E);
John McCall875679e2010-06-11 17:54:15 +00002595 InitValue = APValue(f);
2596 }
2597 for (unsigned i = 0; i < NumElements; i++) {
2598 Elements.push_back(InitValue);
2599 }
2600 } else {
2601 for (unsigned i = 0; i < NumElements; i++) {
2602 if (EltTy->isIntegerType()) {
2603 llvm::APSInt sInt(32);
2604 if (i < NumInits) {
2605 if (!EvaluateInteger(E->getInit(i), sInt, Info))
Richard Smith2d406342011-10-22 21:10:00 +00002606 return Error(E);
John McCall875679e2010-06-11 17:54:15 +00002607 } else {
2608 sInt = Info.Ctx.MakeIntValue(0, EltTy);
2609 }
2610 Elements.push_back(APValue(sInt));
Eli Friedman3ae59112009-02-23 04:23:56 +00002611 } else {
John McCall875679e2010-06-11 17:54:15 +00002612 llvm::APFloat f(0.0);
2613 if (i < NumInits) {
2614 if (!EvaluateFloat(E->getInit(i), f, Info))
Richard Smith2d406342011-10-22 21:10:00 +00002615 return Error(E);
John McCall875679e2010-06-11 17:54:15 +00002616 } else {
2617 f = APFloat::getZero(Info.Ctx.getFloatTypeSemantics(EltTy));
2618 }
2619 Elements.push_back(APValue(f));
Eli Friedman3ae59112009-02-23 04:23:56 +00002620 }
Nate Begeman2f2bdeb2009-01-18 03:20:47 +00002621 }
2622 }
Richard Smith2d406342011-10-22 21:10:00 +00002623 return Success(Elements, E);
Nate Begeman2f2bdeb2009-01-18 03:20:47 +00002624}
2625
Richard Smith2d406342011-10-22 21:10:00 +00002626bool
2627VectorExprEvaluator::ValueInitialization(const Expr *E) {
2628 const VectorType *VT = E->getType()->getAs<VectorType>();
Eli Friedman3ae59112009-02-23 04:23:56 +00002629 QualType EltTy = VT->getElementType();
2630 APValue ZeroElement;
2631 if (EltTy->isIntegerType())
2632 ZeroElement = APValue(Info.Ctx.MakeIntValue(0, EltTy));
2633 else
2634 ZeroElement =
2635 APValue(APFloat::getZero(Info.Ctx.getFloatTypeSemantics(EltTy)));
2636
Chris Lattner0e62c1c2011-07-23 10:55:15 +00002637 SmallVector<APValue, 4> Elements(VT->getNumElements(), ZeroElement);
Richard Smith2d406342011-10-22 21:10:00 +00002638 return Success(Elements, E);
Eli Friedman3ae59112009-02-23 04:23:56 +00002639}
2640
Richard Smith2d406342011-10-22 21:10:00 +00002641bool VectorExprEvaluator::VisitUnaryImag(const UnaryOperator *E) {
Richard Smith4a678122011-10-24 18:44:57 +00002642 VisitIgnoredValue(E->getSubExpr());
Richard Smith2d406342011-10-22 21:10:00 +00002643 return ValueInitialization(E);
Eli Friedman3ae59112009-02-23 04:23:56 +00002644}
2645
Nate Begeman2f2bdeb2009-01-18 03:20:47 +00002646//===----------------------------------------------------------------------===//
Richard Smithf3e9e432011-11-07 09:22:26 +00002647// Array Evaluation
2648//===----------------------------------------------------------------------===//
2649
2650namespace {
2651 class ArrayExprEvaluator
2652 : public ExprEvaluatorBase<ArrayExprEvaluator, bool> {
Richard Smithd62306a2011-11-10 06:34:14 +00002653 const LValue &This;
Richard Smithf3e9e432011-11-07 09:22:26 +00002654 APValue &Result;
2655 public:
2656
Richard Smithd62306a2011-11-10 06:34:14 +00002657 ArrayExprEvaluator(EvalInfo &Info, const LValue &This, APValue &Result)
2658 : ExprEvaluatorBaseTy(Info), This(This), Result(Result) {}
Richard Smithf3e9e432011-11-07 09:22:26 +00002659
2660 bool Success(const APValue &V, const Expr *E) {
2661 assert(V.isArray() && "Expected array type");
2662 Result = V;
2663 return true;
2664 }
2665 bool Error(const Expr *E) { return false; }
2666
Richard Smithd62306a2011-11-10 06:34:14 +00002667 bool ValueInitialization(const Expr *E) {
2668 const ConstantArrayType *CAT =
2669 Info.Ctx.getAsConstantArrayType(E->getType());
2670 if (!CAT)
2671 return false;
2672
2673 Result = APValue(APValue::UninitArray(), 0,
2674 CAT->getSize().getZExtValue());
2675 if (!Result.hasArrayFiller()) return true;
2676
2677 // Value-initialize all elements.
2678 LValue Subobject = This;
2679 Subobject.Designator.addIndex(0);
2680 ImplicitValueInitExpr VIE(CAT->getElementType());
2681 return EvaluateConstantExpression(Result.getArrayFiller(), Info,
2682 Subobject, &VIE);
2683 }
2684
Richard Smithf3e9e432011-11-07 09:22:26 +00002685 bool VisitInitListExpr(const InitListExpr *E);
Richard Smith027bf112011-11-17 22:56:20 +00002686 bool VisitCXXConstructExpr(const CXXConstructExpr *E);
Richard Smithf3e9e432011-11-07 09:22:26 +00002687 };
2688} // end anonymous namespace
2689
Richard Smithd62306a2011-11-10 06:34:14 +00002690static bool EvaluateArray(const Expr *E, const LValue &This,
2691 APValue &Result, EvalInfo &Info) {
Richard Smithf3e9e432011-11-07 09:22:26 +00002692 assert(E->isRValue() && E->getType()->isArrayType() &&
2693 E->getType()->isLiteralType() && "not a literal array rvalue");
Richard Smithd62306a2011-11-10 06:34:14 +00002694 return ArrayExprEvaluator(Info, This, Result).Visit(E);
Richard Smithf3e9e432011-11-07 09:22:26 +00002695}
2696
2697bool ArrayExprEvaluator::VisitInitListExpr(const InitListExpr *E) {
2698 const ConstantArrayType *CAT = Info.Ctx.getAsConstantArrayType(E->getType());
2699 if (!CAT)
2700 return false;
2701
2702 Result = APValue(APValue::UninitArray(), E->getNumInits(),
2703 CAT->getSize().getZExtValue());
Richard Smithd62306a2011-11-10 06:34:14 +00002704 LValue Subobject = This;
2705 Subobject.Designator.addIndex(0);
2706 unsigned Index = 0;
Richard Smithf3e9e432011-11-07 09:22:26 +00002707 for (InitListExpr::const_iterator I = E->begin(), End = E->end();
Richard Smithd62306a2011-11-10 06:34:14 +00002708 I != End; ++I, ++Index) {
2709 if (!EvaluateConstantExpression(Result.getArrayInitializedElt(Index),
2710 Info, Subobject, cast<Expr>(*I)))
Richard Smithf3e9e432011-11-07 09:22:26 +00002711 return false;
Richard Smithd62306a2011-11-10 06:34:14 +00002712 if (!HandleLValueArrayAdjustment(Info, Subobject, CAT->getElementType(), 1))
2713 return false;
2714 }
Richard Smithf3e9e432011-11-07 09:22:26 +00002715
2716 if (!Result.hasArrayFiller()) return true;
2717 assert(E->hasArrayFiller() && "no array filler for incomplete init list");
Richard Smithd62306a2011-11-10 06:34:14 +00002718 // FIXME: The Subobject here isn't necessarily right. This rarely matters,
2719 // but sometimes does:
2720 // struct S { constexpr S() : p(&p) {} void *p; };
2721 // S s[10] = {};
Richard Smithf3e9e432011-11-07 09:22:26 +00002722 return EvaluateConstantExpression(Result.getArrayFiller(), Info,
Richard Smithd62306a2011-11-10 06:34:14 +00002723 Subobject, E->getArrayFiller());
Richard Smithf3e9e432011-11-07 09:22:26 +00002724}
2725
Richard Smith027bf112011-11-17 22:56:20 +00002726bool ArrayExprEvaluator::VisitCXXConstructExpr(const CXXConstructExpr *E) {
2727 const ConstantArrayType *CAT = Info.Ctx.getAsConstantArrayType(E->getType());
2728 if (!CAT)
2729 return false;
2730
2731 Result = APValue(APValue::UninitArray(), 0, CAT->getSize().getZExtValue());
2732 if (!Result.hasArrayFiller())
2733 return true;
2734
2735 const CXXConstructorDecl *FD = E->getConstructor();
2736 const FunctionDecl *Definition = 0;
2737 FD->getBody(Definition);
2738
2739 if (!Definition || !Definition->isConstexpr() || Definition->isInvalidDecl())
2740 return false;
2741
2742 // FIXME: The Subobject here isn't necessarily right. This rarely matters,
2743 // but sometimes does:
2744 // struct S { constexpr S() : p(&p) {} void *p; };
2745 // S s[10];
2746 LValue Subobject = This;
2747 Subobject.Designator.addIndex(0);
2748 llvm::ArrayRef<const Expr*> Args(E->getArgs(), E->getNumArgs());
2749 return HandleConstructorCall(Subobject, Args,
2750 cast<CXXConstructorDecl>(Definition),
2751 Info, Result.getArrayFiller());
2752}
2753
Richard Smithf3e9e432011-11-07 09:22:26 +00002754//===----------------------------------------------------------------------===//
Chris Lattner05706e882008-07-11 18:11:29 +00002755// Integer Evaluation
Richard Smith11562c52011-10-28 17:51:58 +00002756//
2757// As a GNU extension, we support casting pointers to sufficiently-wide integer
2758// types and back in constant folding. Integer values are thus represented
2759// either as an integer-valued APValue, or as an lvalue-valued APValue.
Chris Lattner05706e882008-07-11 18:11:29 +00002760//===----------------------------------------------------------------------===//
Chris Lattner05706e882008-07-11 18:11:29 +00002761
2762namespace {
Benjamin Kramer26222b62009-11-28 19:03:38 +00002763class IntExprEvaluator
Peter Collingbournee9200682011-05-13 03:29:01 +00002764 : public ExprEvaluatorBase<IntExprEvaluator, bool> {
Richard Smith0b0a0b62011-10-29 20:57:55 +00002765 CCValue &Result;
Anders Carlsson0a1707c2008-07-08 05:13:58 +00002766public:
Richard Smith0b0a0b62011-10-29 20:57:55 +00002767 IntExprEvaluator(EvalInfo &info, CCValue &result)
Peter Collingbournee9200682011-05-13 03:29:01 +00002768 : ExprEvaluatorBaseTy(info), Result(result) {}
Chris Lattner05706e882008-07-11 18:11:29 +00002769
Abramo Bagnara9ae292d2011-07-02 13:13:53 +00002770 bool Success(const llvm::APSInt &SI, const Expr *E) {
2771 assert(E->getType()->isIntegralOrEnumerationType() &&
Douglas Gregorb90df602010-06-16 00:17:44 +00002772 "Invalid evaluation result.");
Abramo Bagnara9ae292d2011-07-02 13:13:53 +00002773 assert(SI.isSigned() == E->getType()->isSignedIntegerOrEnumerationType() &&
Daniel Dunbare3c92bc2009-02-19 18:37:50 +00002774 "Invalid evaluation result.");
Abramo Bagnara9ae292d2011-07-02 13:13:53 +00002775 assert(SI.getBitWidth() == Info.Ctx.getIntWidth(E->getType()) &&
Daniel Dunbare3c92bc2009-02-19 18:37:50 +00002776 "Invalid evaluation result.");
Richard Smith0b0a0b62011-10-29 20:57:55 +00002777 Result = CCValue(SI);
Daniel Dunbare3c92bc2009-02-19 18:37:50 +00002778 return true;
2779 }
2780
Daniel Dunbar8aafc892009-02-19 09:06:44 +00002781 bool Success(const llvm::APInt &I, const Expr *E) {
Douglas Gregorb90df602010-06-16 00:17:44 +00002782 assert(E->getType()->isIntegralOrEnumerationType() &&
2783 "Invalid evaluation result.");
Daniel Dunbarca097ad2009-02-19 20:17:33 +00002784 assert(I.getBitWidth() == Info.Ctx.getIntWidth(E->getType()) &&
Daniel Dunbare3c92bc2009-02-19 18:37:50 +00002785 "Invalid evaluation result.");
Richard Smith0b0a0b62011-10-29 20:57:55 +00002786 Result = CCValue(APSInt(I));
Douglas Gregor6ab2fa82011-05-20 16:38:50 +00002787 Result.getInt().setIsUnsigned(
2788 E->getType()->isUnsignedIntegerOrEnumerationType());
Daniel Dunbar8aafc892009-02-19 09:06:44 +00002789 return true;
2790 }
2791
2792 bool Success(uint64_t Value, const Expr *E) {
Douglas Gregorb90df602010-06-16 00:17:44 +00002793 assert(E->getType()->isIntegralOrEnumerationType() &&
2794 "Invalid evaluation result.");
Richard Smith0b0a0b62011-10-29 20:57:55 +00002795 Result = CCValue(Info.Ctx.MakeIntValue(Value, E->getType()));
Daniel Dunbar8aafc892009-02-19 09:06:44 +00002796 return true;
2797 }
2798
Ken Dyckdbc01912011-03-11 02:13:43 +00002799 bool Success(CharUnits Size, const Expr *E) {
2800 return Success(Size.getQuantity(), E);
2801 }
2802
2803
Anders Carlsson27b8c5c2008-11-30 18:14:57 +00002804 bool Error(SourceLocation L, diag::kind D, const Expr *E) {
Chris Lattnerfac05ae2008-11-12 07:43:42 +00002805 // Take the first error.
Richard Smith725810a2011-10-16 21:26:27 +00002806 if (Info.EvalStatus.Diag == 0) {
2807 Info.EvalStatus.DiagLoc = L;
2808 Info.EvalStatus.Diag = D;
2809 Info.EvalStatus.DiagExpr = E;
Chris Lattnerfac05ae2008-11-12 07:43:42 +00002810 }
Chris Lattner99415702008-07-12 00:14:42 +00002811 return false;
Chris Lattnerae8cc152008-07-11 19:24:49 +00002812 }
Mike Stump11289f42009-09-09 15:08:12 +00002813
Richard Smith0b0a0b62011-10-29 20:57:55 +00002814 bool Success(const CCValue &V, const Expr *E) {
Richard Smith9c8d1c52011-10-29 22:55:55 +00002815 if (V.isLValue()) {
2816 Result = V;
2817 return true;
2818 }
Peter Collingbournee9200682011-05-13 03:29:01 +00002819 return Success(V.getInt(), E);
Chris Lattnerfac05ae2008-11-12 07:43:42 +00002820 }
Peter Collingbournee9200682011-05-13 03:29:01 +00002821 bool Error(const Expr *E) {
Anders Carlssonb33d6c82008-11-30 18:37:00 +00002822 return Error(E->getLocStart(), diag::note_invalid_subexpr_in_ice, E);
Anders Carlsson0a1707c2008-07-08 05:13:58 +00002823 }
Mike Stump11289f42009-09-09 15:08:12 +00002824
Richard Smith4ce706a2011-10-11 21:43:33 +00002825 bool ValueInitialization(const Expr *E) { return Success(0, E); }
2826
Peter Collingbournee9200682011-05-13 03:29:01 +00002827 //===--------------------------------------------------------------------===//
2828 // Visitor Methods
2829 //===--------------------------------------------------------------------===//
Anders Carlsson0a1707c2008-07-08 05:13:58 +00002830
Chris Lattner7174bf32008-07-12 00:38:25 +00002831 bool VisitIntegerLiteral(const IntegerLiteral *E) {
Daniel Dunbar8aafc892009-02-19 09:06:44 +00002832 return Success(E->getValue(), E);
Chris Lattner7174bf32008-07-12 00:38:25 +00002833 }
2834 bool VisitCharacterLiteral(const CharacterLiteral *E) {
Daniel Dunbar8aafc892009-02-19 09:06:44 +00002835 return Success(E->getValue(), E);
Chris Lattner7174bf32008-07-12 00:38:25 +00002836 }
Eli Friedmanfb8a93f2009-11-24 05:28:59 +00002837
2838 bool CheckReferencedDecl(const Expr *E, const Decl *D);
2839 bool VisitDeclRefExpr(const DeclRefExpr *E) {
Peter Collingbournee9200682011-05-13 03:29:01 +00002840 if (CheckReferencedDecl(E, E->getDecl()))
2841 return true;
2842
2843 return ExprEvaluatorBaseTy::VisitDeclRefExpr(E);
Eli Friedmanfb8a93f2009-11-24 05:28:59 +00002844 }
2845 bool VisitMemberExpr(const MemberExpr *E) {
2846 if (CheckReferencedDecl(E, E->getMemberDecl())) {
Richard Smith11562c52011-10-28 17:51:58 +00002847 VisitIgnoredValue(E->getBase());
Eli Friedmanfb8a93f2009-11-24 05:28:59 +00002848 return true;
2849 }
Peter Collingbournee9200682011-05-13 03:29:01 +00002850
2851 return ExprEvaluatorBaseTy::VisitMemberExpr(E);
Eli Friedmanfb8a93f2009-11-24 05:28:59 +00002852 }
2853
Peter Collingbournee9200682011-05-13 03:29:01 +00002854 bool VisitCallExpr(const CallExpr *E);
Chris Lattnere13042c2008-07-11 19:10:17 +00002855 bool VisitBinaryOperator(const BinaryOperator *E);
Douglas Gregor882211c2010-04-28 22:16:22 +00002856 bool VisitOffsetOfExpr(const OffsetOfExpr *E);
Chris Lattnere13042c2008-07-11 19:10:17 +00002857 bool VisitUnaryOperator(const UnaryOperator *E);
Anders Carlsson374b93d2008-07-08 05:49:43 +00002858
Peter Collingbournee9200682011-05-13 03:29:01 +00002859 bool VisitCastExpr(const CastExpr* E);
Peter Collingbournee190dee2011-03-11 19:24:49 +00002860 bool VisitUnaryExprOrTypeTraitExpr(const UnaryExprOrTypeTraitExpr *E);
Sebastian Redl6f282892008-11-11 17:56:53 +00002861
Anders Carlsson9f9e4242008-11-16 19:01:22 +00002862 bool VisitCXXBoolLiteralExpr(const CXXBoolLiteralExpr *E) {
Daniel Dunbar8aafc892009-02-19 09:06:44 +00002863 return Success(E->getValue(), E);
Anders Carlsson9f9e4242008-11-16 19:01:22 +00002864 }
Mike Stump11289f42009-09-09 15:08:12 +00002865
Richard Smith4ce706a2011-10-11 21:43:33 +00002866 // Note, GNU defines __null as an integer, not a pointer.
Anders Carlsson39def3a2008-12-21 22:39:40 +00002867 bool VisitGNUNullExpr(const GNUNullExpr *E) {
Richard Smith4ce706a2011-10-11 21:43:33 +00002868 return ValueInitialization(E);
Eli Friedman4e7a2412009-02-27 04:45:43 +00002869 }
2870
Sebastian Redlbaad4e72009-01-05 20:52:13 +00002871 bool VisitUnaryTypeTraitExpr(const UnaryTypeTraitExpr *E) {
Sebastian Redl8eb06f12010-09-13 20:56:31 +00002872 return Success(E->getValue(), E);
Sebastian Redlbaad4e72009-01-05 20:52:13 +00002873 }
2874
Francois Pichet9dfa3ce2010-12-07 00:08:36 +00002875 bool VisitBinaryTypeTraitExpr(const BinaryTypeTraitExpr *E) {
2876 return Success(E->getValue(), E);
2877 }
2878
John Wiegley6242b6a2011-04-28 00:16:57 +00002879 bool VisitArrayTypeTraitExpr(const ArrayTypeTraitExpr *E) {
2880 return Success(E->getValue(), E);
2881 }
2882
John Wiegleyf9f65842011-04-25 06:54:41 +00002883 bool VisitExpressionTraitExpr(const ExpressionTraitExpr *E) {
2884 return Success(E->getValue(), E);
2885 }
2886
Eli Friedmana1c7b6c2009-02-28 03:59:05 +00002887 bool VisitUnaryReal(const UnaryOperator *E);
Eli Friedman4e7a2412009-02-27 04:45:43 +00002888 bool VisitUnaryImag(const UnaryOperator *E);
2889
Sebastian Redl5f0180d2010-09-10 20:55:47 +00002890 bool VisitCXXNoexceptExpr(const CXXNoexceptExpr *E);
Douglas Gregor820ba7b2011-01-04 17:33:58 +00002891 bool VisitSizeOfPackExpr(const SizeOfPackExpr *E);
Sebastian Redl12757ab2011-09-24 17:48:14 +00002892
Chris Lattnerf8d7f722008-07-11 21:24:13 +00002893private:
Ken Dyck160146e2010-01-27 17:10:57 +00002894 CharUnits GetAlignOfExpr(const Expr *E);
2895 CharUnits GetAlignOfType(QualType T);
Richard Smithce40ad62011-11-12 22:28:03 +00002896 static QualType GetObjectType(APValue::LValueBase B);
Peter Collingbournee9200682011-05-13 03:29:01 +00002897 bool TryEvaluateBuiltinObjectSize(const CallExpr *E);
Eli Friedman4e7a2412009-02-27 04:45:43 +00002898 // FIXME: Missing: array subscript of vector, member of vector
Anders Carlsson9c181652008-07-08 14:35:21 +00002899};
Chris Lattner05706e882008-07-11 18:11:29 +00002900} // end anonymous namespace
Anders Carlsson4a3585b2008-07-08 15:34:11 +00002901
Richard Smith11562c52011-10-28 17:51:58 +00002902/// EvaluateIntegerOrLValue - Evaluate an rvalue integral-typed expression, and
2903/// produce either the integer value or a pointer.
2904///
2905/// GCC has a heinous extension which folds casts between pointer types and
2906/// pointer-sized integral types. We support this by allowing the evaluation of
2907/// an integer rvalue to produce a pointer (represented as an lvalue) instead.
2908/// Some simple arithmetic on such values is supported (they are treated much
2909/// like char*).
Richard Smith0b0a0b62011-10-29 20:57:55 +00002910static bool EvaluateIntegerOrLValue(const Expr* E, CCValue &Result,
2911 EvalInfo &Info) {
Richard Smith11562c52011-10-28 17:51:58 +00002912 assert(E->isRValue() && E->getType()->isIntegralOrEnumerationType());
Peter Collingbournee9200682011-05-13 03:29:01 +00002913 return IntExprEvaluator(Info, Result).Visit(E);
Daniel Dunbarce399542009-02-20 18:22:23 +00002914}
Daniel Dunbarca097ad2009-02-19 20:17:33 +00002915
Daniel Dunbarce399542009-02-20 18:22:23 +00002916static bool EvaluateInteger(const Expr* E, APSInt &Result, EvalInfo &Info) {
Richard Smith0b0a0b62011-10-29 20:57:55 +00002917 CCValue Val;
Daniel Dunbarce399542009-02-20 18:22:23 +00002918 if (!EvaluateIntegerOrLValue(E, Val, Info) || !Val.isInt())
2919 return false;
Daniel Dunbarca097ad2009-02-19 20:17:33 +00002920 Result = Val.getInt();
2921 return true;
Anders Carlsson4a3585b2008-07-08 15:34:11 +00002922}
Anders Carlsson4a3585b2008-07-08 15:34:11 +00002923
Eli Friedmanfb8a93f2009-11-24 05:28:59 +00002924bool IntExprEvaluator::CheckReferencedDecl(const Expr* E, const Decl* D) {
Chris Lattner7174bf32008-07-12 00:38:25 +00002925 // Enums are integer constant exprs.
Abramo Bagnara2caedf42011-06-30 09:36:05 +00002926 if (const EnumConstantDecl *ECD = dyn_cast<EnumConstantDecl>(D)) {
Abramo Bagnara9ae292d2011-07-02 13:13:53 +00002927 // Check for signedness/width mismatches between E type and ECD value.
2928 bool SameSign = (ECD->getInitVal().isSigned()
2929 == E->getType()->isSignedIntegerOrEnumerationType());
2930 bool SameWidth = (ECD->getInitVal().getBitWidth()
2931 == Info.Ctx.getIntWidth(E->getType()));
2932 if (SameSign && SameWidth)
2933 return Success(ECD->getInitVal(), E);
2934 else {
2935 // Get rid of mismatch (otherwise Success assertions will fail)
2936 // by computing a new value matching the type of E.
2937 llvm::APSInt Val = ECD->getInitVal();
2938 if (!SameSign)
2939 Val.setIsSigned(!ECD->getInitVal().isSigned());
2940 if (!SameWidth)
2941 Val = Val.extOrTrunc(Info.Ctx.getIntWidth(E->getType()));
2942 return Success(Val, E);
2943 }
Abramo Bagnara2caedf42011-06-30 09:36:05 +00002944 }
Peter Collingbournee9200682011-05-13 03:29:01 +00002945 return false;
Chris Lattner7174bf32008-07-12 00:38:25 +00002946}
2947
Chris Lattner86ee2862008-10-06 06:40:35 +00002948/// EvaluateBuiltinClassifyType - Evaluate __builtin_classify_type the same way
2949/// as GCC.
2950static int EvaluateBuiltinClassifyType(const CallExpr *E) {
2951 // The following enum mimics the values returned by GCC.
Sebastian Redl0f8b23f2009-03-16 23:22:08 +00002952 // FIXME: Does GCC differ between lvalue and rvalue references here?
Chris Lattner86ee2862008-10-06 06:40:35 +00002953 enum gcc_type_class {
2954 no_type_class = -1,
2955 void_type_class, integer_type_class, char_type_class,
2956 enumeral_type_class, boolean_type_class,
2957 pointer_type_class, reference_type_class, offset_type_class,
2958 real_type_class, complex_type_class,
2959 function_type_class, method_type_class,
2960 record_type_class, union_type_class,
2961 array_type_class, string_type_class,
2962 lang_type_class
2963 };
Mike Stump11289f42009-09-09 15:08:12 +00002964
2965 // If no argument was supplied, default to "no_type_class". This isn't
Chris Lattner86ee2862008-10-06 06:40:35 +00002966 // ideal, however it is what gcc does.
2967 if (E->getNumArgs() == 0)
2968 return no_type_class;
Mike Stump11289f42009-09-09 15:08:12 +00002969
Chris Lattner86ee2862008-10-06 06:40:35 +00002970 QualType ArgTy = E->getArg(0)->getType();
2971 if (ArgTy->isVoidType())
2972 return void_type_class;
2973 else if (ArgTy->isEnumeralType())
2974 return enumeral_type_class;
2975 else if (ArgTy->isBooleanType())
2976 return boolean_type_class;
2977 else if (ArgTy->isCharType())
2978 return string_type_class; // gcc doesn't appear to use char_type_class
2979 else if (ArgTy->isIntegerType())
2980 return integer_type_class;
2981 else if (ArgTy->isPointerType())
2982 return pointer_type_class;
2983 else if (ArgTy->isReferenceType())
2984 return reference_type_class;
2985 else if (ArgTy->isRealType())
2986 return real_type_class;
2987 else if (ArgTy->isComplexType())
2988 return complex_type_class;
2989 else if (ArgTy->isFunctionType())
2990 return function_type_class;
Douglas Gregor8385a062010-04-26 21:31:17 +00002991 else if (ArgTy->isStructureOrClassType())
Chris Lattner86ee2862008-10-06 06:40:35 +00002992 return record_type_class;
2993 else if (ArgTy->isUnionType())
2994 return union_type_class;
2995 else if (ArgTy->isArrayType())
2996 return array_type_class;
2997 else if (ArgTy->isUnionType())
2998 return union_type_class;
2999 else // FIXME: offset_type_class, method_type_class, & lang_type_class?
David Blaikie83d382b2011-09-23 05:06:16 +00003000 llvm_unreachable("CallExpr::isBuiltinClassifyType(): unimplemented type");
Chris Lattner86ee2862008-10-06 06:40:35 +00003001 return -1;
3002}
3003
John McCall95007602010-05-10 23:27:23 +00003004/// Retrieves the "underlying object type" of the given expression,
3005/// as used by __builtin_object_size.
Richard Smithce40ad62011-11-12 22:28:03 +00003006QualType IntExprEvaluator::GetObjectType(APValue::LValueBase B) {
3007 if (const ValueDecl *D = B.dyn_cast<const ValueDecl*>()) {
3008 if (const VarDecl *VD = dyn_cast<VarDecl>(D))
John McCall95007602010-05-10 23:27:23 +00003009 return VD->getType();
Richard Smithce40ad62011-11-12 22:28:03 +00003010 } else if (const Expr *E = B.get<const Expr*>()) {
3011 if (isa<CompoundLiteralExpr>(E))
3012 return E->getType();
John McCall95007602010-05-10 23:27:23 +00003013 }
3014
3015 return QualType();
3016}
3017
Peter Collingbournee9200682011-05-13 03:29:01 +00003018bool IntExprEvaluator::TryEvaluateBuiltinObjectSize(const CallExpr *E) {
John McCall95007602010-05-10 23:27:23 +00003019 // TODO: Perhaps we should let LLVM lower this?
3020 LValue Base;
3021 if (!EvaluatePointer(E->getArg(0), Base, Info))
3022 return false;
3023
3024 // If we can prove the base is null, lower to zero now.
Richard Smithce40ad62011-11-12 22:28:03 +00003025 if (!Base.getLValueBase()) return Success(0, E);
John McCall95007602010-05-10 23:27:23 +00003026
Richard Smithce40ad62011-11-12 22:28:03 +00003027 QualType T = GetObjectType(Base.getLValueBase());
John McCall95007602010-05-10 23:27:23 +00003028 if (T.isNull() ||
3029 T->isIncompleteType() ||
Eli Friedmana170cd62010-08-05 02:49:48 +00003030 T->isFunctionType() ||
John McCall95007602010-05-10 23:27:23 +00003031 T->isVariablyModifiedType() ||
3032 T->isDependentType())
3033 return false;
3034
3035 CharUnits Size = Info.Ctx.getTypeSizeInChars(T);
3036 CharUnits Offset = Base.getLValueOffset();
3037
3038 if (!Offset.isNegative() && Offset <= Size)
3039 Size -= Offset;
3040 else
3041 Size = CharUnits::Zero();
Ken Dyckdbc01912011-03-11 02:13:43 +00003042 return Success(Size, E);
John McCall95007602010-05-10 23:27:23 +00003043}
3044
Peter Collingbournee9200682011-05-13 03:29:01 +00003045bool IntExprEvaluator::VisitCallExpr(const CallExpr *E) {
Richard Smithd62306a2011-11-10 06:34:14 +00003046 switch (E->isBuiltinCall()) {
Chris Lattner4deaa4e2008-10-06 05:28:25 +00003047 default:
Peter Collingbournee9200682011-05-13 03:29:01 +00003048 return ExprEvaluatorBaseTy::VisitCallExpr(E);
Mike Stump722cedf2009-10-26 18:35:08 +00003049
3050 case Builtin::BI__builtin_object_size: {
John McCall95007602010-05-10 23:27:23 +00003051 if (TryEvaluateBuiltinObjectSize(E))
3052 return true;
Mike Stump722cedf2009-10-26 18:35:08 +00003053
Eric Christopher99469702010-01-19 22:58:35 +00003054 // If evaluating the argument has side-effects we can't determine
3055 // the size of the object and lower it to unknown now.
Fariborz Jahanian4127b8e2009-11-05 18:03:03 +00003056 if (E->getArg(0)->HasSideEffects(Info.Ctx)) {
Richard Smithcaf33902011-10-10 18:28:20 +00003057 if (E->getArg(1)->EvaluateKnownConstInt(Info.Ctx).getZExtValue() <= 1)
Chris Lattner4f105592009-11-03 19:48:51 +00003058 return Success(-1ULL, E);
Mike Stump722cedf2009-10-26 18:35:08 +00003059 return Success(0, E);
3060 }
Mike Stump876387b2009-10-27 22:09:17 +00003061
Mike Stump722cedf2009-10-26 18:35:08 +00003062 return Error(E->getLocStart(), diag::note_invalid_subexpr_in_ice, E);
3063 }
3064
Chris Lattner4deaa4e2008-10-06 05:28:25 +00003065 case Builtin::BI__builtin_classify_type:
Daniel Dunbar8aafc892009-02-19 09:06:44 +00003066 return Success(EvaluateBuiltinClassifyType(E), E);
Mike Stump11289f42009-09-09 15:08:12 +00003067
Anders Carlsson4c76e932008-11-24 04:21:33 +00003068 case Builtin::BI__builtin_constant_p:
Chris Lattner4deaa4e2008-10-06 05:28:25 +00003069 // __builtin_constant_p always has one operand: it returns true if that
3070 // operand can be folded, false otherwise.
Daniel Dunbar8aafc892009-02-19 09:06:44 +00003071 return Success(E->getArg(0)->isEvaluatable(Info.Ctx), E);
Chris Lattnerd545ad12009-09-23 06:06:36 +00003072
3073 case Builtin::BI__builtin_eh_return_data_regno: {
Richard Smithcaf33902011-10-10 18:28:20 +00003074 int Operand = E->getArg(0)->EvaluateKnownConstInt(Info.Ctx).getZExtValue();
Douglas Gregore8bbc122011-09-02 00:18:52 +00003075 Operand = Info.Ctx.getTargetInfo().getEHDataRegisterNumber(Operand);
Chris Lattnerd545ad12009-09-23 06:06:36 +00003076 return Success(Operand, E);
3077 }
Eli Friedmand5c93992010-02-13 00:10:10 +00003078
3079 case Builtin::BI__builtin_expect:
3080 return Visit(E->getArg(0));
Douglas Gregor6a6dac22010-09-10 06:27:15 +00003081
3082 case Builtin::BIstrlen:
3083 case Builtin::BI__builtin_strlen:
3084 // As an extension, we support strlen() and __builtin_strlen() as constant
3085 // expressions when the argument is a string literal.
Peter Collingbournee9200682011-05-13 03:29:01 +00003086 if (const StringLiteral *S
Douglas Gregor6a6dac22010-09-10 06:27:15 +00003087 = dyn_cast<StringLiteral>(E->getArg(0)->IgnoreParenImpCasts())) {
3088 // The string literal may have embedded null characters. Find the first
3089 // one and truncate there.
Chris Lattner0e62c1c2011-07-23 10:55:15 +00003090 StringRef Str = S->getString();
3091 StringRef::size_type Pos = Str.find(0);
3092 if (Pos != StringRef::npos)
Douglas Gregor6a6dac22010-09-10 06:27:15 +00003093 Str = Str.substr(0, Pos);
3094
3095 return Success(Str.size(), E);
3096 }
3097
3098 return Error(E->getLocStart(), diag::note_invalid_subexpr_in_ice, E);
Eli Friedmana4c26022011-10-17 21:44:23 +00003099
3100 case Builtin::BI__atomic_is_lock_free: {
3101 APSInt SizeVal;
3102 if (!EvaluateInteger(E->getArg(0), SizeVal, Info))
3103 return false;
3104
3105 // For __atomic_is_lock_free(sizeof(_Atomic(T))), if the size is a power
3106 // of two less than the maximum inline atomic width, we know it is
3107 // lock-free. If the size isn't a power of two, or greater than the
3108 // maximum alignment where we promote atomics, we know it is not lock-free
3109 // (at least not in the sense of atomic_is_lock_free). Otherwise,
3110 // the answer can only be determined at runtime; for example, 16-byte
3111 // atomics have lock-free implementations on some, but not all,
3112 // x86-64 processors.
3113
3114 // Check power-of-two.
3115 CharUnits Size = CharUnits::fromQuantity(SizeVal.getZExtValue());
3116 if (!Size.isPowerOfTwo())
3117#if 0
3118 // FIXME: Suppress this folding until the ABI for the promotion width
3119 // settles.
3120 return Success(0, E);
3121#else
3122 return Error(E->getLocStart(), diag::note_invalid_subexpr_in_ice, E);
3123#endif
3124
3125#if 0
3126 // Check against promotion width.
3127 // FIXME: Suppress this folding until the ABI for the promotion width
3128 // settles.
3129 unsigned PromoteWidthBits =
3130 Info.Ctx.getTargetInfo().getMaxAtomicPromoteWidth();
3131 if (Size > Info.Ctx.toCharUnitsFromBits(PromoteWidthBits))
3132 return Success(0, E);
3133#endif
3134
3135 // Check against inlining width.
3136 unsigned InlineWidthBits =
3137 Info.Ctx.getTargetInfo().getMaxAtomicInlineWidth();
3138 if (Size <= Info.Ctx.toCharUnitsFromBits(InlineWidthBits))
3139 return Success(1, E);
3140
3141 return Error(E->getLocStart(), diag::note_invalid_subexpr_in_ice, E);
3142 }
Chris Lattner4deaa4e2008-10-06 05:28:25 +00003143 }
Chris Lattner7174bf32008-07-12 00:38:25 +00003144}
Anders Carlsson4a3585b2008-07-08 15:34:11 +00003145
Richard Smith8b3497e2011-10-31 01:37:14 +00003146static bool HasSameBase(const LValue &A, const LValue &B) {
3147 if (!A.getLValueBase())
3148 return !B.getLValueBase();
3149 if (!B.getLValueBase())
3150 return false;
3151
Richard Smithce40ad62011-11-12 22:28:03 +00003152 if (A.getLValueBase().getOpaqueValue() !=
3153 B.getLValueBase().getOpaqueValue()) {
Richard Smith8b3497e2011-10-31 01:37:14 +00003154 const Decl *ADecl = GetLValueBaseDecl(A);
3155 if (!ADecl)
3156 return false;
3157 const Decl *BDecl = GetLValueBaseDecl(B);
Richard Smith80815602011-11-07 05:07:52 +00003158 if (!BDecl || ADecl->getCanonicalDecl() != BDecl->getCanonicalDecl())
Richard Smith8b3497e2011-10-31 01:37:14 +00003159 return false;
3160 }
3161
3162 return IsGlobalLValue(A.getLValueBase()) ||
Richard Smithfec09922011-11-01 16:57:24 +00003163 A.getLValueFrame() == B.getLValueFrame();
Richard Smith8b3497e2011-10-31 01:37:14 +00003164}
3165
Chris Lattnere13042c2008-07-11 19:10:17 +00003166bool IntExprEvaluator::VisitBinaryOperator(const BinaryOperator *E) {
Richard Smith11562c52011-10-28 17:51:58 +00003167 if (E->isAssignmentOp())
3168 return Error(E->getOperatorLoc(), diag::note_invalid_subexpr_in_ice, E);
3169
John McCalle3027922010-08-25 11:45:40 +00003170 if (E->getOpcode() == BO_Comma) {
Richard Smith4a678122011-10-24 18:44:57 +00003171 VisitIgnoredValue(E->getLHS());
3172 return Visit(E->getRHS());
Eli Friedman5a332ea2008-11-13 06:09:17 +00003173 }
3174
3175 if (E->isLogicalOp()) {
3176 // These need to be handled specially because the operands aren't
3177 // necessarily integral
Anders Carlssonf50de0c2008-11-30 16:51:17 +00003178 bool lhsResult, rhsResult;
Mike Stump11289f42009-09-09 15:08:12 +00003179
Richard Smith11562c52011-10-28 17:51:58 +00003180 if (EvaluateAsBooleanCondition(E->getLHS(), lhsResult, Info)) {
Anders Carlsson59689ed2008-11-22 21:04:56 +00003181 // We were able to evaluate the LHS, see if we can get away with not
3182 // evaluating the RHS: 0 && X -> 0, 1 || X -> 1
John McCalle3027922010-08-25 11:45:40 +00003183 if (lhsResult == (E->getOpcode() == BO_LOr))
Daniel Dunbare3c92bc2009-02-19 18:37:50 +00003184 return Success(lhsResult, E);
Anders Carlsson4c76e932008-11-24 04:21:33 +00003185
Richard Smith11562c52011-10-28 17:51:58 +00003186 if (EvaluateAsBooleanCondition(E->getRHS(), rhsResult, Info)) {
John McCalle3027922010-08-25 11:45:40 +00003187 if (E->getOpcode() == BO_LOr)
Daniel Dunbar8aafc892009-02-19 09:06:44 +00003188 return Success(lhsResult || rhsResult, E);
Anders Carlsson4c76e932008-11-24 04:21:33 +00003189 else
Daniel Dunbar8aafc892009-02-19 09:06:44 +00003190 return Success(lhsResult && rhsResult, E);
Anders Carlsson4c76e932008-11-24 04:21:33 +00003191 }
3192 } else {
Richard Smith11562c52011-10-28 17:51:58 +00003193 if (EvaluateAsBooleanCondition(E->getRHS(), rhsResult, Info)) {
Anders Carlsson4c76e932008-11-24 04:21:33 +00003194 // We can't evaluate the LHS; however, sometimes the result
3195 // is determined by the RHS: X && 0 -> 0, X || 1 -> 1.
John McCalle3027922010-08-25 11:45:40 +00003196 if (rhsResult == (E->getOpcode() == BO_LOr) ||
3197 !rhsResult == (E->getOpcode() == BO_LAnd)) {
Daniel Dunbar8aafc892009-02-19 09:06:44 +00003198 // Since we weren't able to evaluate the left hand side, it
Anders Carlssonf50de0c2008-11-30 16:51:17 +00003199 // must have had side effects.
Richard Smith725810a2011-10-16 21:26:27 +00003200 Info.EvalStatus.HasSideEffects = true;
Daniel Dunbar8aafc892009-02-19 09:06:44 +00003201
3202 return Success(rhsResult, E);
Anders Carlsson4c76e932008-11-24 04:21:33 +00003203 }
3204 }
Anders Carlsson59689ed2008-11-22 21:04:56 +00003205 }
Eli Friedman5a332ea2008-11-13 06:09:17 +00003206
Eli Friedman5a332ea2008-11-13 06:09:17 +00003207 return false;
3208 }
3209
Anders Carlssonacc79812008-11-16 07:17:21 +00003210 QualType LHSTy = E->getLHS()->getType();
3211 QualType RHSTy = E->getRHS()->getType();
Daniel Dunbar74f2425b2009-01-29 06:43:41 +00003212
3213 if (LHSTy->isAnyComplexType()) {
3214 assert(RHSTy->isAnyComplexType() && "Invalid comparison");
John McCall93d91dc2010-05-07 17:22:02 +00003215 ComplexValue LHS, RHS;
Daniel Dunbar74f2425b2009-01-29 06:43:41 +00003216
3217 if (!EvaluateComplex(E->getLHS(), LHS, Info))
3218 return false;
3219
3220 if (!EvaluateComplex(E->getRHS(), RHS, Info))
3221 return false;
3222
3223 if (LHS.isComplexFloat()) {
Mike Stump11289f42009-09-09 15:08:12 +00003224 APFloat::cmpResult CR_r =
Daniel Dunbar74f2425b2009-01-29 06:43:41 +00003225 LHS.getComplexFloatReal().compare(RHS.getComplexFloatReal());
Mike Stump11289f42009-09-09 15:08:12 +00003226 APFloat::cmpResult CR_i =
Daniel Dunbar74f2425b2009-01-29 06:43:41 +00003227 LHS.getComplexFloatImag().compare(RHS.getComplexFloatImag());
3228
John McCalle3027922010-08-25 11:45:40 +00003229 if (E->getOpcode() == BO_EQ)
Daniel Dunbar8aafc892009-02-19 09:06:44 +00003230 return Success((CR_r == APFloat::cmpEqual &&
3231 CR_i == APFloat::cmpEqual), E);
3232 else {
John McCalle3027922010-08-25 11:45:40 +00003233 assert(E->getOpcode() == BO_NE &&
Daniel Dunbar8aafc892009-02-19 09:06:44 +00003234 "Invalid complex comparison.");
Mike Stump11289f42009-09-09 15:08:12 +00003235 return Success(((CR_r == APFloat::cmpGreaterThan ||
Mon P Wang75c645c2010-04-29 05:53:29 +00003236 CR_r == APFloat::cmpLessThan ||
3237 CR_r == APFloat::cmpUnordered) ||
Mike Stump11289f42009-09-09 15:08:12 +00003238 (CR_i == APFloat::cmpGreaterThan ||
Mon P Wang75c645c2010-04-29 05:53:29 +00003239 CR_i == APFloat::cmpLessThan ||
3240 CR_i == APFloat::cmpUnordered)), E);
Daniel Dunbar8aafc892009-02-19 09:06:44 +00003241 }
Daniel Dunbar74f2425b2009-01-29 06:43:41 +00003242 } else {
John McCalle3027922010-08-25 11:45:40 +00003243 if (E->getOpcode() == BO_EQ)
Daniel Dunbar8aafc892009-02-19 09:06:44 +00003244 return Success((LHS.getComplexIntReal() == RHS.getComplexIntReal() &&
3245 LHS.getComplexIntImag() == RHS.getComplexIntImag()), E);
3246 else {
John McCalle3027922010-08-25 11:45:40 +00003247 assert(E->getOpcode() == BO_NE &&
Daniel Dunbar8aafc892009-02-19 09:06:44 +00003248 "Invalid compex comparison.");
3249 return Success((LHS.getComplexIntReal() != RHS.getComplexIntReal() ||
3250 LHS.getComplexIntImag() != RHS.getComplexIntImag()), E);
3251 }
Daniel Dunbar74f2425b2009-01-29 06:43:41 +00003252 }
3253 }
Mike Stump11289f42009-09-09 15:08:12 +00003254
Anders Carlssonacc79812008-11-16 07:17:21 +00003255 if (LHSTy->isRealFloatingType() &&
3256 RHSTy->isRealFloatingType()) {
3257 APFloat RHS(0.0), LHS(0.0);
Mike Stump11289f42009-09-09 15:08:12 +00003258
Anders Carlssonacc79812008-11-16 07:17:21 +00003259 if (!EvaluateFloat(E->getRHS(), RHS, Info))
3260 return false;
Mike Stump11289f42009-09-09 15:08:12 +00003261
Anders Carlssonacc79812008-11-16 07:17:21 +00003262 if (!EvaluateFloat(E->getLHS(), LHS, Info))
3263 return false;
Mike Stump11289f42009-09-09 15:08:12 +00003264
Anders Carlssonacc79812008-11-16 07:17:21 +00003265 APFloat::cmpResult CR = LHS.compare(RHS);
Anders Carlsson899c7052008-11-16 22:46:56 +00003266
Anders Carlssonacc79812008-11-16 07:17:21 +00003267 switch (E->getOpcode()) {
3268 default:
David Blaikie83d382b2011-09-23 05:06:16 +00003269 llvm_unreachable("Invalid binary operator!");
John McCalle3027922010-08-25 11:45:40 +00003270 case BO_LT:
Daniel Dunbar8aafc892009-02-19 09:06:44 +00003271 return Success(CR == APFloat::cmpLessThan, E);
John McCalle3027922010-08-25 11:45:40 +00003272 case BO_GT:
Daniel Dunbar8aafc892009-02-19 09:06:44 +00003273 return Success(CR == APFloat::cmpGreaterThan, E);
John McCalle3027922010-08-25 11:45:40 +00003274 case BO_LE:
Daniel Dunbar8aafc892009-02-19 09:06:44 +00003275 return Success(CR == APFloat::cmpLessThan || CR == APFloat::cmpEqual, E);
John McCalle3027922010-08-25 11:45:40 +00003276 case BO_GE:
Mike Stump11289f42009-09-09 15:08:12 +00003277 return Success(CR == APFloat::cmpGreaterThan || CR == APFloat::cmpEqual,
Daniel Dunbar8aafc892009-02-19 09:06:44 +00003278 E);
John McCalle3027922010-08-25 11:45:40 +00003279 case BO_EQ:
Daniel Dunbar8aafc892009-02-19 09:06:44 +00003280 return Success(CR == APFloat::cmpEqual, E);
John McCalle3027922010-08-25 11:45:40 +00003281 case BO_NE:
Mike Stump11289f42009-09-09 15:08:12 +00003282 return Success(CR == APFloat::cmpGreaterThan
Mon P Wang75c645c2010-04-29 05:53:29 +00003283 || CR == APFloat::cmpLessThan
3284 || CR == APFloat::cmpUnordered, E);
Anders Carlssonacc79812008-11-16 07:17:21 +00003285 }
Anders Carlssonacc79812008-11-16 07:17:21 +00003286 }
Mike Stump11289f42009-09-09 15:08:12 +00003287
Eli Friedmana38da572009-04-28 19:17:36 +00003288 if (LHSTy->isPointerType() && RHSTy->isPointerType()) {
Richard Smith8b3497e2011-10-31 01:37:14 +00003289 if (E->getOpcode() == BO_Sub || E->isComparisonOp()) {
John McCall45d55e42010-05-07 21:00:08 +00003290 LValue LHSValue;
Anders Carlsson9f9e4242008-11-16 19:01:22 +00003291 if (!EvaluatePointer(E->getLHS(), LHSValue, Info))
3292 return false;
Eli Friedman64004332009-03-23 04:38:34 +00003293
John McCall45d55e42010-05-07 21:00:08 +00003294 LValue RHSValue;
Anders Carlsson9f9e4242008-11-16 19:01:22 +00003295 if (!EvaluatePointer(E->getRHS(), RHSValue, Info))
3296 return false;
Eli Friedman64004332009-03-23 04:38:34 +00003297
Richard Smith8b3497e2011-10-31 01:37:14 +00003298 // Reject differing bases from the normal codepath; we special-case
3299 // comparisons to null.
3300 if (!HasSameBase(LHSValue, RHSValue)) {
Richard Smith83c68212011-10-31 05:11:32 +00003301 // Inequalities and subtractions between unrelated pointers have
3302 // unspecified or undefined behavior.
Eli Friedman334046a2009-06-14 02:17:33 +00003303 if (!E->isEqualityOp())
3304 return false;
Eli Friedmanc6be94b2011-10-31 22:28:05 +00003305 // A constant address may compare equal to the address of a symbol.
3306 // The one exception is that address of an object cannot compare equal
Eli Friedman42fbd622011-10-31 22:54:30 +00003307 // to a null pointer constant.
Eli Friedmanc6be94b2011-10-31 22:28:05 +00003308 if ((!LHSValue.Base && !LHSValue.Offset.isZero()) ||
3309 (!RHSValue.Base && !RHSValue.Offset.isZero()))
3310 return false;
Richard Smith83c68212011-10-31 05:11:32 +00003311 // It's implementation-defined whether distinct literals will have
Eli Friedman42fbd622011-10-31 22:54:30 +00003312 // distinct addresses. In clang, we do not guarantee the addresses are
Richard Smithe9e20dd32011-11-04 01:10:57 +00003313 // distinct. However, we do know that the address of a literal will be
3314 // non-null.
3315 if ((IsLiteralLValue(LHSValue) || IsLiteralLValue(RHSValue)) &&
3316 LHSValue.Base && RHSValue.Base)
Eli Friedman334046a2009-06-14 02:17:33 +00003317 return false;
Richard Smith83c68212011-10-31 05:11:32 +00003318 // We can't tell whether weak symbols will end up pointing to the same
3319 // object.
3320 if (IsWeakLValue(LHSValue) || IsWeakLValue(RHSValue))
Eli Friedman334046a2009-06-14 02:17:33 +00003321 return false;
Richard Smith83c68212011-10-31 05:11:32 +00003322 // Pointers with different bases cannot represent the same object.
Eli Friedman42fbd622011-10-31 22:54:30 +00003323 // (Note that clang defaults to -fmerge-all-constants, which can
3324 // lead to inconsistent results for comparisons involving the address
3325 // of a constant; this generally doesn't matter in practice.)
Richard Smith83c68212011-10-31 05:11:32 +00003326 return Success(E->getOpcode() == BO_NE, E);
Eli Friedman334046a2009-06-14 02:17:33 +00003327 }
Eli Friedman64004332009-03-23 04:38:34 +00003328
Richard Smithf3e9e432011-11-07 09:22:26 +00003329 // FIXME: Implement the C++11 restrictions:
3330 // - Pointer subtractions must be on elements of the same array.
3331 // - Pointer comparisons must be between members with the same access.
3332
John McCalle3027922010-08-25 11:45:40 +00003333 if (E->getOpcode() == BO_Sub) {
Chris Lattner882bdf22010-04-20 17:13:14 +00003334 QualType Type = E->getLHS()->getType();
3335 QualType ElementType = Type->getAs<PointerType>()->getPointeeType();
Anders Carlsson9f9e4242008-11-16 19:01:22 +00003336
Richard Smithd62306a2011-11-10 06:34:14 +00003337 CharUnits ElementSize;
3338 if (!HandleSizeof(Info, ElementType, ElementSize))
3339 return false;
Eli Friedman64004332009-03-23 04:38:34 +00003340
Richard Smithd62306a2011-11-10 06:34:14 +00003341 CharUnits Diff = LHSValue.getLValueOffset() -
Ken Dyck02990832010-01-15 12:37:54 +00003342 RHSValue.getLValueOffset();
3343 return Success(Diff / ElementSize, E);
Eli Friedmana38da572009-04-28 19:17:36 +00003344 }
Richard Smith8b3497e2011-10-31 01:37:14 +00003345
3346 const CharUnits &LHSOffset = LHSValue.getLValueOffset();
3347 const CharUnits &RHSOffset = RHSValue.getLValueOffset();
3348 switch (E->getOpcode()) {
3349 default: llvm_unreachable("missing comparison operator");
3350 case BO_LT: return Success(LHSOffset < RHSOffset, E);
3351 case BO_GT: return Success(LHSOffset > RHSOffset, E);
3352 case BO_LE: return Success(LHSOffset <= RHSOffset, E);
3353 case BO_GE: return Success(LHSOffset >= RHSOffset, E);
3354 case BO_EQ: return Success(LHSOffset == RHSOffset, E);
3355 case BO_NE: return Success(LHSOffset != RHSOffset, E);
Eli Friedmana38da572009-04-28 19:17:36 +00003356 }
Anders Carlsson9f9e4242008-11-16 19:01:22 +00003357 }
3358 }
Douglas Gregorb90df602010-06-16 00:17:44 +00003359 if (!LHSTy->isIntegralOrEnumerationType() ||
3360 !RHSTy->isIntegralOrEnumerationType()) {
Richard Smith027bf112011-11-17 22:56:20 +00003361 // We can't continue from here for non-integral types.
3362 return ExprEvaluatorBaseTy::VisitBinaryOperator(E);
Eli Friedman5a332ea2008-11-13 06:09:17 +00003363 }
3364
Anders Carlsson9c181652008-07-08 14:35:21 +00003365 // The LHS of a constant expr is always evaluated and needed.
Richard Smith0b0a0b62011-10-29 20:57:55 +00003366 CCValue LHSVal;
Richard Smith11562c52011-10-28 17:51:58 +00003367 if (!EvaluateIntegerOrLValue(E->getLHS(), LHSVal, Info))
Chris Lattner99415702008-07-12 00:14:42 +00003368 return false; // error in subexpression.
Eli Friedmanbd840592008-07-27 05:46:18 +00003369
Richard Smith11562c52011-10-28 17:51:58 +00003370 if (!Visit(E->getRHS()))
Daniel Dunbarca097ad2009-02-19 20:17:33 +00003371 return false;
Richard Smith0b0a0b62011-10-29 20:57:55 +00003372 CCValue &RHSVal = Result;
Eli Friedman94c25c62009-03-24 01:14:50 +00003373
3374 // Handle cases like (unsigned long)&a + 4.
Richard Smith11562c52011-10-28 17:51:58 +00003375 if (E->isAdditiveOp() && LHSVal.isLValue() && RHSVal.isInt()) {
Ken Dyck02990832010-01-15 12:37:54 +00003376 CharUnits AdditionalOffset = CharUnits::fromQuantity(
3377 RHSVal.getInt().getZExtValue());
John McCalle3027922010-08-25 11:45:40 +00003378 if (E->getOpcode() == BO_Add)
Richard Smith0b0a0b62011-10-29 20:57:55 +00003379 LHSVal.getLValueOffset() += AdditionalOffset;
Eli Friedman94c25c62009-03-24 01:14:50 +00003380 else
Richard Smith0b0a0b62011-10-29 20:57:55 +00003381 LHSVal.getLValueOffset() -= AdditionalOffset;
3382 Result = LHSVal;
Eli Friedman94c25c62009-03-24 01:14:50 +00003383 return true;
3384 }
3385
3386 // Handle cases like 4 + (unsigned long)&a
John McCalle3027922010-08-25 11:45:40 +00003387 if (E->getOpcode() == BO_Add &&
Richard Smith11562c52011-10-28 17:51:58 +00003388 RHSVal.isLValue() && LHSVal.isInt()) {
Richard Smith0b0a0b62011-10-29 20:57:55 +00003389 RHSVal.getLValueOffset() += CharUnits::fromQuantity(
3390 LHSVal.getInt().getZExtValue());
3391 // Note that RHSVal is Result.
Eli Friedman94c25c62009-03-24 01:14:50 +00003392 return true;
3393 }
3394
3395 // All the following cases expect both operands to be an integer
Richard Smith11562c52011-10-28 17:51:58 +00003396 if (!LHSVal.isInt() || !RHSVal.isInt())
Chris Lattnere13042c2008-07-11 19:10:17 +00003397 return false;
Eli Friedman5a332ea2008-11-13 06:09:17 +00003398
Richard Smith11562c52011-10-28 17:51:58 +00003399 APSInt &LHS = LHSVal.getInt();
3400 APSInt &RHS = RHSVal.getInt();
Eli Friedman94c25c62009-03-24 01:14:50 +00003401
Anders Carlsson9c181652008-07-08 14:35:21 +00003402 switch (E->getOpcode()) {
Chris Lattnerfac05ae2008-11-12 07:43:42 +00003403 default:
Anders Carlssonb33d6c82008-11-30 18:37:00 +00003404 return Error(E->getOperatorLoc(), diag::note_invalid_subexpr_in_ice, E);
Richard Smith11562c52011-10-28 17:51:58 +00003405 case BO_Mul: return Success(LHS * RHS, E);
3406 case BO_Add: return Success(LHS + RHS, E);
3407 case BO_Sub: return Success(LHS - RHS, E);
3408 case BO_And: return Success(LHS & RHS, E);
3409 case BO_Xor: return Success(LHS ^ RHS, E);
3410 case BO_Or: return Success(LHS | RHS, E);
John McCalle3027922010-08-25 11:45:40 +00003411 case BO_Div:
Chris Lattner99415702008-07-12 00:14:42 +00003412 if (RHS == 0)
Anders Carlssonb33d6c82008-11-30 18:37:00 +00003413 return Error(E->getOperatorLoc(), diag::note_expr_divide_by_zero, E);
Richard Smith11562c52011-10-28 17:51:58 +00003414 return Success(LHS / RHS, E);
John McCalle3027922010-08-25 11:45:40 +00003415 case BO_Rem:
Chris Lattner99415702008-07-12 00:14:42 +00003416 if (RHS == 0)
Anders Carlssonb33d6c82008-11-30 18:37:00 +00003417 return Error(E->getOperatorLoc(), diag::note_expr_divide_by_zero, E);
Richard Smith11562c52011-10-28 17:51:58 +00003418 return Success(LHS % RHS, E);
John McCalle3027922010-08-25 11:45:40 +00003419 case BO_Shl: {
John McCall18a2c2c2010-11-09 22:22:12 +00003420 // During constant-folding, a negative shift is an opposite shift.
3421 if (RHS.isSigned() && RHS.isNegative()) {
3422 RHS = -RHS;
3423 goto shift_right;
3424 }
3425
3426 shift_left:
3427 unsigned SA
Richard Smith11562c52011-10-28 17:51:58 +00003428 = (unsigned) RHS.getLimitedValue(LHS.getBitWidth()-1);
3429 return Success(LHS << SA, E);
Daniel Dunbare3c92bc2009-02-19 18:37:50 +00003430 }
John McCalle3027922010-08-25 11:45:40 +00003431 case BO_Shr: {
John McCall18a2c2c2010-11-09 22:22:12 +00003432 // During constant-folding, a negative shift is an opposite shift.
3433 if (RHS.isSigned() && RHS.isNegative()) {
3434 RHS = -RHS;
3435 goto shift_left;
3436 }
3437
3438 shift_right:
Mike Stump11289f42009-09-09 15:08:12 +00003439 unsigned SA =
Richard Smith11562c52011-10-28 17:51:58 +00003440 (unsigned) RHS.getLimitedValue(LHS.getBitWidth()-1);
3441 return Success(LHS >> SA, E);
Daniel Dunbare3c92bc2009-02-19 18:37:50 +00003442 }
Mike Stump11289f42009-09-09 15:08:12 +00003443
Richard Smith11562c52011-10-28 17:51:58 +00003444 case BO_LT: return Success(LHS < RHS, E);
3445 case BO_GT: return Success(LHS > RHS, E);
3446 case BO_LE: return Success(LHS <= RHS, E);
3447 case BO_GE: return Success(LHS >= RHS, E);
3448 case BO_EQ: return Success(LHS == RHS, E);
3449 case BO_NE: return Success(LHS != RHS, E);
Eli Friedman8553a982008-11-13 02:13:11 +00003450 }
Anders Carlsson9c181652008-07-08 14:35:21 +00003451}
3452
Ken Dyck160146e2010-01-27 17:10:57 +00003453CharUnits IntExprEvaluator::GetAlignOfType(QualType T) {
Sebastian Redl22e2e5c2009-11-23 17:18:46 +00003454 // C++ [expr.sizeof]p2: "When applied to a reference or a reference type,
3455 // the result is the size of the referenced type."
3456 // C++ [expr.alignof]p3: "When alignof is applied to a reference type, the
3457 // result shall be the alignment of the referenced type."
3458 if (const ReferenceType *Ref = T->getAs<ReferenceType>())
3459 T = Ref->getPointeeType();
Chad Rosier99ee7822011-07-26 07:03:04 +00003460
3461 // __alignof is defined to return the preferred alignment.
3462 return Info.Ctx.toCharUnitsFromBits(
3463 Info.Ctx.getPreferredTypeAlign(T.getTypePtr()));
Chris Lattner24aeeab2009-01-24 21:09:06 +00003464}
3465
Ken Dyck160146e2010-01-27 17:10:57 +00003466CharUnits IntExprEvaluator::GetAlignOfExpr(const Expr *E) {
Chris Lattner68061312009-01-24 21:53:27 +00003467 E = E->IgnoreParens();
3468
3469 // alignof decl is always accepted, even if it doesn't make sense: we default
Mike Stump11289f42009-09-09 15:08:12 +00003470 // to 1 in those cases.
Chris Lattner68061312009-01-24 21:53:27 +00003471 if (const DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(E))
Ken Dyck160146e2010-01-27 17:10:57 +00003472 return Info.Ctx.getDeclAlign(DRE->getDecl(),
3473 /*RefAsPointee*/true);
Eli Friedman64004332009-03-23 04:38:34 +00003474
Chris Lattner68061312009-01-24 21:53:27 +00003475 if (const MemberExpr *ME = dyn_cast<MemberExpr>(E))
Ken Dyck160146e2010-01-27 17:10:57 +00003476 return Info.Ctx.getDeclAlign(ME->getMemberDecl(),
3477 /*RefAsPointee*/true);
Chris Lattner68061312009-01-24 21:53:27 +00003478
Chris Lattner24aeeab2009-01-24 21:09:06 +00003479 return GetAlignOfType(E->getType());
3480}
3481
3482
Peter Collingbournee190dee2011-03-11 19:24:49 +00003483/// VisitUnaryExprOrTypeTraitExpr - Evaluate a sizeof, alignof or vec_step with
3484/// a result as the expression's type.
3485bool IntExprEvaluator::VisitUnaryExprOrTypeTraitExpr(
3486 const UnaryExprOrTypeTraitExpr *E) {
3487 switch(E->getKind()) {
3488 case UETT_AlignOf: {
Chris Lattner24aeeab2009-01-24 21:09:06 +00003489 if (E->isArgumentType())
Ken Dyckdbc01912011-03-11 02:13:43 +00003490 return Success(GetAlignOfType(E->getArgumentType()), E);
Chris Lattner24aeeab2009-01-24 21:09:06 +00003491 else
Ken Dyckdbc01912011-03-11 02:13:43 +00003492 return Success(GetAlignOfExpr(E->getArgumentExpr()), E);
Chris Lattner24aeeab2009-01-24 21:09:06 +00003493 }
Eli Friedman64004332009-03-23 04:38:34 +00003494
Peter Collingbournee190dee2011-03-11 19:24:49 +00003495 case UETT_VecStep: {
3496 QualType Ty = E->getTypeOfArgument();
Sebastian Redl6f282892008-11-11 17:56:53 +00003497
Peter Collingbournee190dee2011-03-11 19:24:49 +00003498 if (Ty->isVectorType()) {
3499 unsigned n = Ty->getAs<VectorType>()->getNumElements();
Eli Friedman64004332009-03-23 04:38:34 +00003500
Peter Collingbournee190dee2011-03-11 19:24:49 +00003501 // The vec_step built-in functions that take a 3-component
3502 // vector return 4. (OpenCL 1.1 spec 6.11.12)
3503 if (n == 3)
3504 n = 4;
Eli Friedman2aa38fe2009-01-24 22:19:05 +00003505
Peter Collingbournee190dee2011-03-11 19:24:49 +00003506 return Success(n, E);
3507 } else
3508 return Success(1, E);
3509 }
3510
3511 case UETT_SizeOf: {
3512 QualType SrcTy = E->getTypeOfArgument();
3513 // C++ [expr.sizeof]p2: "When applied to a reference or a reference type,
3514 // the result is the size of the referenced type."
3515 // C++ [expr.alignof]p3: "When alignof is applied to a reference type, the
3516 // result shall be the alignment of the referenced type."
3517 if (const ReferenceType *Ref = SrcTy->getAs<ReferenceType>())
3518 SrcTy = Ref->getPointeeType();
3519
Richard Smithd62306a2011-11-10 06:34:14 +00003520 CharUnits Sizeof;
3521 if (!HandleSizeof(Info, SrcTy, Sizeof))
Peter Collingbournee190dee2011-03-11 19:24:49 +00003522 return false;
Richard Smithd62306a2011-11-10 06:34:14 +00003523 return Success(Sizeof, E);
Peter Collingbournee190dee2011-03-11 19:24:49 +00003524 }
3525 }
3526
3527 llvm_unreachable("unknown expr/type trait");
3528 return false;
Chris Lattnerf8d7f722008-07-11 21:24:13 +00003529}
3530
Peter Collingbournee9200682011-05-13 03:29:01 +00003531bool IntExprEvaluator::VisitOffsetOfExpr(const OffsetOfExpr *OOE) {
Douglas Gregor882211c2010-04-28 22:16:22 +00003532 CharUnits Result;
Peter Collingbournee9200682011-05-13 03:29:01 +00003533 unsigned n = OOE->getNumComponents();
Douglas Gregor882211c2010-04-28 22:16:22 +00003534 if (n == 0)
3535 return false;
Peter Collingbournee9200682011-05-13 03:29:01 +00003536 QualType CurrentType = OOE->getTypeSourceInfo()->getType();
Douglas Gregor882211c2010-04-28 22:16:22 +00003537 for (unsigned i = 0; i != n; ++i) {
3538 OffsetOfExpr::OffsetOfNode ON = OOE->getComponent(i);
3539 switch (ON.getKind()) {
3540 case OffsetOfExpr::OffsetOfNode::Array: {
Peter Collingbournee9200682011-05-13 03:29:01 +00003541 const Expr *Idx = OOE->getIndexExpr(ON.getArrayExprIndex());
Douglas Gregor882211c2010-04-28 22:16:22 +00003542 APSInt IdxResult;
3543 if (!EvaluateInteger(Idx, IdxResult, Info))
3544 return false;
3545 const ArrayType *AT = Info.Ctx.getAsArrayType(CurrentType);
3546 if (!AT)
3547 return false;
3548 CurrentType = AT->getElementType();
3549 CharUnits ElementSize = Info.Ctx.getTypeSizeInChars(CurrentType);
3550 Result += IdxResult.getSExtValue() * ElementSize;
3551 break;
3552 }
3553
3554 case OffsetOfExpr::OffsetOfNode::Field: {
3555 FieldDecl *MemberDecl = ON.getField();
3556 const RecordType *RT = CurrentType->getAs<RecordType>();
3557 if (!RT)
3558 return false;
3559 RecordDecl *RD = RT->getDecl();
3560 const ASTRecordLayout &RL = Info.Ctx.getASTRecordLayout(RD);
John McCall4e819612011-01-20 07:57:12 +00003561 unsigned i = MemberDecl->getFieldIndex();
Douglas Gregord1702062010-04-29 00:18:15 +00003562 assert(i < RL.getFieldCount() && "offsetof field in wrong type");
Ken Dyck86a7fcc2011-01-18 01:56:16 +00003563 Result += Info.Ctx.toCharUnitsFromBits(RL.getFieldOffset(i));
Douglas Gregor882211c2010-04-28 22:16:22 +00003564 CurrentType = MemberDecl->getType().getNonReferenceType();
3565 break;
3566 }
3567
3568 case OffsetOfExpr::OffsetOfNode::Identifier:
3569 llvm_unreachable("dependent __builtin_offsetof");
Douglas Gregord1702062010-04-29 00:18:15 +00003570 return false;
3571
3572 case OffsetOfExpr::OffsetOfNode::Base: {
3573 CXXBaseSpecifier *BaseSpec = ON.getBase();
3574 if (BaseSpec->isVirtual())
3575 return false;
3576
3577 // Find the layout of the class whose base we are looking into.
3578 const RecordType *RT = CurrentType->getAs<RecordType>();
3579 if (!RT)
3580 return false;
3581 RecordDecl *RD = RT->getDecl();
3582 const ASTRecordLayout &RL = Info.Ctx.getASTRecordLayout(RD);
3583
3584 // Find the base class itself.
3585 CurrentType = BaseSpec->getType();
3586 const RecordType *BaseRT = CurrentType->getAs<RecordType>();
3587 if (!BaseRT)
3588 return false;
3589
3590 // Add the offset to the base.
Ken Dyck02155cb2011-01-26 02:17:08 +00003591 Result += RL.getBaseClassOffset(cast<CXXRecordDecl>(BaseRT->getDecl()));
Douglas Gregord1702062010-04-29 00:18:15 +00003592 break;
3593 }
Douglas Gregor882211c2010-04-28 22:16:22 +00003594 }
3595 }
Peter Collingbournee9200682011-05-13 03:29:01 +00003596 return Success(Result, OOE);
Douglas Gregor882211c2010-04-28 22:16:22 +00003597}
3598
Chris Lattnere13042c2008-07-11 19:10:17 +00003599bool IntExprEvaluator::VisitUnaryOperator(const UnaryOperator *E) {
John McCalle3027922010-08-25 11:45:40 +00003600 if (E->getOpcode() == UO_LNot) {
Eli Friedman5a332ea2008-11-13 06:09:17 +00003601 // LNot's operand isn't necessarily an integer, so we handle it specially.
3602 bool bres;
Richard Smith11562c52011-10-28 17:51:58 +00003603 if (!EvaluateAsBooleanCondition(E->getSubExpr(), bres, Info))
Eli Friedman5a332ea2008-11-13 06:09:17 +00003604 return false;
Daniel Dunbar8aafc892009-02-19 09:06:44 +00003605 return Success(!bres, E);
Eli Friedman5a332ea2008-11-13 06:09:17 +00003606 }
3607
Daniel Dunbar79e042a2009-02-21 18:14:20 +00003608 // Only handle integral operations...
Douglas Gregorb90df602010-06-16 00:17:44 +00003609 if (!E->getSubExpr()->getType()->isIntegralOrEnumerationType())
Daniel Dunbar79e042a2009-02-21 18:14:20 +00003610 return false;
3611
Richard Smith11562c52011-10-28 17:51:58 +00003612 // Get the operand value.
Richard Smith0b0a0b62011-10-29 20:57:55 +00003613 CCValue Val;
Richard Smith11562c52011-10-28 17:51:58 +00003614 if (!Evaluate(Val, Info, E->getSubExpr()))
Chris Lattnerf09ad162008-07-11 22:15:16 +00003615 return false;
Anders Carlsson9c181652008-07-08 14:35:21 +00003616
Chris Lattnerf09ad162008-07-11 22:15:16 +00003617 switch (E->getOpcode()) {
Chris Lattner7174bf32008-07-12 00:38:25 +00003618 default:
Chris Lattnerf09ad162008-07-11 22:15:16 +00003619 // Address, indirect, pre/post inc/dec, etc are not valid constant exprs.
3620 // See C99 6.6p3.
Anders Carlssonb33d6c82008-11-30 18:37:00 +00003621 return Error(E->getOperatorLoc(), diag::note_invalid_subexpr_in_ice, E);
John McCalle3027922010-08-25 11:45:40 +00003622 case UO_Extension:
Chris Lattner7174bf32008-07-12 00:38:25 +00003623 // FIXME: Should extension allow i-c-e extension expressions in its scope?
3624 // If so, we could clear the diagnostic ID.
Richard Smith11562c52011-10-28 17:51:58 +00003625 return Success(Val, E);
John McCalle3027922010-08-25 11:45:40 +00003626 case UO_Plus:
Richard Smith11562c52011-10-28 17:51:58 +00003627 // The result is just the value.
3628 return Success(Val, E);
John McCalle3027922010-08-25 11:45:40 +00003629 case UO_Minus:
Richard Smith11562c52011-10-28 17:51:58 +00003630 if (!Val.isInt()) return false;
3631 return Success(-Val.getInt(), E);
John McCalle3027922010-08-25 11:45:40 +00003632 case UO_Not:
Richard Smith11562c52011-10-28 17:51:58 +00003633 if (!Val.isInt()) return false;
3634 return Success(~Val.getInt(), E);
Anders Carlsson9c181652008-07-08 14:35:21 +00003635 }
Anders Carlsson9c181652008-07-08 14:35:21 +00003636}
Mike Stump11289f42009-09-09 15:08:12 +00003637
Chris Lattner477c4be2008-07-12 01:15:53 +00003638/// HandleCast - This is used to evaluate implicit or explicit casts where the
3639/// result type is integer.
Peter Collingbournee9200682011-05-13 03:29:01 +00003640bool IntExprEvaluator::VisitCastExpr(const CastExpr *E) {
3641 const Expr *SubExpr = E->getSubExpr();
Anders Carlsson27b8c5c2008-11-30 18:14:57 +00003642 QualType DestType = E->getType();
Daniel Dunbarcf04aa12009-02-19 22:16:29 +00003643 QualType SrcType = SubExpr->getType();
Anders Carlsson27b8c5c2008-11-30 18:14:57 +00003644
Eli Friedmanc757de22011-03-25 00:43:55 +00003645 switch (E->getCastKind()) {
Eli Friedmanc757de22011-03-25 00:43:55 +00003646 case CK_BaseToDerived:
3647 case CK_DerivedToBase:
3648 case CK_UncheckedDerivedToBase:
3649 case CK_Dynamic:
3650 case CK_ToUnion:
3651 case CK_ArrayToPointerDecay:
3652 case CK_FunctionToPointerDecay:
3653 case CK_NullToPointer:
3654 case CK_NullToMemberPointer:
3655 case CK_BaseToDerivedMemberPointer:
3656 case CK_DerivedToBaseMemberPointer:
3657 case CK_ConstructorConversion:
3658 case CK_IntegralToPointer:
3659 case CK_ToVoid:
3660 case CK_VectorSplat:
3661 case CK_IntegralToFloating:
3662 case CK_FloatingCast:
John McCall9320b872011-09-09 05:25:32 +00003663 case CK_CPointerToObjCPointerCast:
3664 case CK_BlockPointerToObjCPointerCast:
Eli Friedmanc757de22011-03-25 00:43:55 +00003665 case CK_AnyPointerToBlockPointerCast:
3666 case CK_ObjCObjectLValueCast:
3667 case CK_FloatingRealToComplex:
3668 case CK_FloatingComplexToReal:
3669 case CK_FloatingComplexCast:
3670 case CK_FloatingComplexToIntegralComplex:
3671 case CK_IntegralRealToComplex:
3672 case CK_IntegralComplexCast:
3673 case CK_IntegralComplexToFloatingComplex:
3674 llvm_unreachable("invalid cast kind for integral value");
3675
Eli Friedman9faf2f92011-03-25 19:07:11 +00003676 case CK_BitCast:
Eli Friedmanc757de22011-03-25 00:43:55 +00003677 case CK_Dependent:
Eli Friedmanc757de22011-03-25 00:43:55 +00003678 case CK_LValueBitCast:
3679 case CK_UserDefinedConversion:
John McCall2d637d22011-09-10 06:18:15 +00003680 case CK_ARCProduceObject:
3681 case CK_ARCConsumeObject:
3682 case CK_ARCReclaimReturnedObject:
3683 case CK_ARCExtendBlockObject:
Eli Friedmanc757de22011-03-25 00:43:55 +00003684 return false;
3685
3686 case CK_LValueToRValue:
3687 case CK_NoOp:
Richard Smith11562c52011-10-28 17:51:58 +00003688 return ExprEvaluatorBaseTy::VisitCastExpr(E);
Eli Friedmanc757de22011-03-25 00:43:55 +00003689
3690 case CK_MemberPointerToBoolean:
3691 case CK_PointerToBoolean:
3692 case CK_IntegralToBoolean:
3693 case CK_FloatingToBoolean:
3694 case CK_FloatingComplexToBoolean:
3695 case CK_IntegralComplexToBoolean: {
Eli Friedman9a156e52008-11-12 09:44:48 +00003696 bool BoolResult;
Richard Smith11562c52011-10-28 17:51:58 +00003697 if (!EvaluateAsBooleanCondition(SubExpr, BoolResult, Info))
Eli Friedman9a156e52008-11-12 09:44:48 +00003698 return false;
Daniel Dunbar8aafc892009-02-19 09:06:44 +00003699 return Success(BoolResult, E);
Eli Friedman9a156e52008-11-12 09:44:48 +00003700 }
3701
Eli Friedmanc757de22011-03-25 00:43:55 +00003702 case CK_IntegralCast: {
Chris Lattner477c4be2008-07-12 01:15:53 +00003703 if (!Visit(SubExpr))
Chris Lattnere13042c2008-07-11 19:10:17 +00003704 return false;
Daniel Dunbarb6f953e2009-01-29 06:16:07 +00003705
Eli Friedman742421e2009-02-20 01:15:07 +00003706 if (!Result.isInt()) {
3707 // Only allow casts of lvalues if they are lossless.
3708 return Info.Ctx.getTypeSize(DestType) == Info.Ctx.getTypeSize(SrcType);
3709 }
Daniel Dunbarca097ad2009-02-19 20:17:33 +00003710
Daniel Dunbar1c8560d2009-02-19 22:24:01 +00003711 return Success(HandleIntToIntCast(DestType, SrcType,
Daniel Dunbarca097ad2009-02-19 20:17:33 +00003712 Result.getInt(), Info.Ctx), E);
Chris Lattner477c4be2008-07-12 01:15:53 +00003713 }
Mike Stump11289f42009-09-09 15:08:12 +00003714
Eli Friedmanc757de22011-03-25 00:43:55 +00003715 case CK_PointerToIntegral: {
John McCall45d55e42010-05-07 21:00:08 +00003716 LValue LV;
Chris Lattnercdf34e72008-07-11 22:52:41 +00003717 if (!EvaluatePointer(SubExpr, LV, Info))
Chris Lattnere13042c2008-07-11 19:10:17 +00003718 return false;
Eli Friedman9a156e52008-11-12 09:44:48 +00003719
Daniel Dunbar1c8560d2009-02-19 22:24:01 +00003720 if (LV.getLValueBase()) {
3721 // Only allow based lvalue casts if they are lossless.
3722 if (Info.Ctx.getTypeSize(DestType) != Info.Ctx.getTypeSize(SrcType))
3723 return false;
Eli Friedman9a156e52008-11-12 09:44:48 +00003724
Richard Smithcf74da72011-11-16 07:18:12 +00003725 LV.Designator.setInvalid();
John McCall45d55e42010-05-07 21:00:08 +00003726 LV.moveInto(Result);
Daniel Dunbar1c8560d2009-02-19 22:24:01 +00003727 return true;
3728 }
3729
Ken Dyck02990832010-01-15 12:37:54 +00003730 APSInt AsInt = Info.Ctx.MakeIntValue(LV.getLValueOffset().getQuantity(),
3731 SrcType);
Daniel Dunbar1c8560d2009-02-19 22:24:01 +00003732 return Success(HandleIntToIntCast(DestType, SrcType, AsInt, Info.Ctx), E);
Anders Carlssonb5ad0212008-07-08 14:30:00 +00003733 }
Eli Friedman9a156e52008-11-12 09:44:48 +00003734
Eli Friedmanc757de22011-03-25 00:43:55 +00003735 case CK_IntegralComplexToReal: {
John McCall93d91dc2010-05-07 17:22:02 +00003736 ComplexValue C;
Eli Friedmand3a5a9d2009-04-22 19:23:09 +00003737 if (!EvaluateComplex(SubExpr, C, Info))
3738 return false;
Eli Friedmanc757de22011-03-25 00:43:55 +00003739 return Success(C.getComplexIntReal(), E);
Eli Friedmand3a5a9d2009-04-22 19:23:09 +00003740 }
Eli Friedmanc2b50172009-02-22 11:46:18 +00003741
Eli Friedmanc757de22011-03-25 00:43:55 +00003742 case CK_FloatingToIntegral: {
3743 APFloat F(0.0);
3744 if (!EvaluateFloat(SubExpr, F, Info))
3745 return false;
Chris Lattner477c4be2008-07-12 01:15:53 +00003746
Eli Friedmanc757de22011-03-25 00:43:55 +00003747 return Success(HandleFloatToIntCast(DestType, SrcType, F, Info.Ctx), E);
3748 }
3749 }
Mike Stump11289f42009-09-09 15:08:12 +00003750
Eli Friedmanc757de22011-03-25 00:43:55 +00003751 llvm_unreachable("unknown cast resulting in integral value");
3752 return false;
Anders Carlsson9c181652008-07-08 14:35:21 +00003753}
Anders Carlssonb5ad0212008-07-08 14:30:00 +00003754
Eli Friedmana1c7b6c2009-02-28 03:59:05 +00003755bool IntExprEvaluator::VisitUnaryReal(const UnaryOperator *E) {
3756 if (E->getSubExpr()->getType()->isAnyComplexType()) {
John McCall93d91dc2010-05-07 17:22:02 +00003757 ComplexValue LV;
Eli Friedmana1c7b6c2009-02-28 03:59:05 +00003758 if (!EvaluateComplex(E->getSubExpr(), LV, Info) || !LV.isComplexInt())
3759 return Error(E->getExprLoc(), diag::note_invalid_subexpr_in_ice, E);
3760 return Success(LV.getComplexIntReal(), E);
3761 }
3762
3763 return Visit(E->getSubExpr());
3764}
3765
Eli Friedman4e7a2412009-02-27 04:45:43 +00003766bool IntExprEvaluator::VisitUnaryImag(const UnaryOperator *E) {
Eli Friedmana1c7b6c2009-02-28 03:59:05 +00003767 if (E->getSubExpr()->getType()->isComplexIntegerType()) {
John McCall93d91dc2010-05-07 17:22:02 +00003768 ComplexValue LV;
Eli Friedmana1c7b6c2009-02-28 03:59:05 +00003769 if (!EvaluateComplex(E->getSubExpr(), LV, Info) || !LV.isComplexInt())
3770 return Error(E->getExprLoc(), diag::note_invalid_subexpr_in_ice, E);
3771 return Success(LV.getComplexIntImag(), E);
3772 }
3773
Richard Smith4a678122011-10-24 18:44:57 +00003774 VisitIgnoredValue(E->getSubExpr());
Eli Friedman4e7a2412009-02-27 04:45:43 +00003775 return Success(0, E);
3776}
3777
Douglas Gregor820ba7b2011-01-04 17:33:58 +00003778bool IntExprEvaluator::VisitSizeOfPackExpr(const SizeOfPackExpr *E) {
3779 return Success(E->getPackLength(), E);
3780}
3781
Sebastian Redl5f0180d2010-09-10 20:55:47 +00003782bool IntExprEvaluator::VisitCXXNoexceptExpr(const CXXNoexceptExpr *E) {
3783 return Success(E->getValue(), E);
3784}
3785
Chris Lattner05706e882008-07-11 18:11:29 +00003786//===----------------------------------------------------------------------===//
Eli Friedman24c01542008-08-22 00:06:13 +00003787// Float Evaluation
3788//===----------------------------------------------------------------------===//
3789
3790namespace {
Benjamin Kramer26222b62009-11-28 19:03:38 +00003791class FloatExprEvaluator
Peter Collingbournee9200682011-05-13 03:29:01 +00003792 : public ExprEvaluatorBase<FloatExprEvaluator, bool> {
Eli Friedman24c01542008-08-22 00:06:13 +00003793 APFloat &Result;
3794public:
3795 FloatExprEvaluator(EvalInfo &info, APFloat &result)
Peter Collingbournee9200682011-05-13 03:29:01 +00003796 : ExprEvaluatorBaseTy(info), Result(result) {}
Eli Friedman24c01542008-08-22 00:06:13 +00003797
Richard Smith0b0a0b62011-10-29 20:57:55 +00003798 bool Success(const CCValue &V, const Expr *e) {
Peter Collingbournee9200682011-05-13 03:29:01 +00003799 Result = V.getFloat();
3800 return true;
3801 }
3802 bool Error(const Stmt *S) {
Eli Friedman24c01542008-08-22 00:06:13 +00003803 return false;
3804 }
3805
Richard Smith4ce706a2011-10-11 21:43:33 +00003806 bool ValueInitialization(const Expr *E) {
3807 Result = APFloat::getZero(Info.Ctx.getFloatTypeSemantics(E->getType()));
3808 return true;
3809 }
3810
Chris Lattner4deaa4e2008-10-06 05:28:25 +00003811 bool VisitCallExpr(const CallExpr *E);
Eli Friedman24c01542008-08-22 00:06:13 +00003812
Daniel Dunbarc3d79cf2008-10-16 03:51:50 +00003813 bool VisitUnaryOperator(const UnaryOperator *E);
Eli Friedman24c01542008-08-22 00:06:13 +00003814 bool VisitBinaryOperator(const BinaryOperator *E);
3815 bool VisitFloatingLiteral(const FloatingLiteral *E);
Peter Collingbournee9200682011-05-13 03:29:01 +00003816 bool VisitCastExpr(const CastExpr *E);
Eli Friedmanc2b50172009-02-22 11:46:18 +00003817
John McCallb1fb0d32010-05-07 22:08:54 +00003818 bool VisitUnaryReal(const UnaryOperator *E);
3819 bool VisitUnaryImag(const UnaryOperator *E);
Eli Friedman449fe542009-03-23 04:56:01 +00003820
John McCallb1fb0d32010-05-07 22:08:54 +00003821 // FIXME: Missing: array subscript of vector, member of vector,
3822 // ImplicitValueInitExpr
Eli Friedman24c01542008-08-22 00:06:13 +00003823};
3824} // end anonymous namespace
3825
3826static bool EvaluateFloat(const Expr* E, APFloat& Result, EvalInfo &Info) {
Richard Smith11562c52011-10-28 17:51:58 +00003827 assert(E->isRValue() && E->getType()->isRealFloatingType());
Peter Collingbournee9200682011-05-13 03:29:01 +00003828 return FloatExprEvaluator(Info, Result).Visit(E);
Eli Friedman24c01542008-08-22 00:06:13 +00003829}
3830
Jay Foad39c79802011-01-12 09:06:06 +00003831static bool TryEvaluateBuiltinNaN(const ASTContext &Context,
John McCall16291492010-02-28 13:00:19 +00003832 QualType ResultTy,
3833 const Expr *Arg,
3834 bool SNaN,
3835 llvm::APFloat &Result) {
3836 const StringLiteral *S = dyn_cast<StringLiteral>(Arg->IgnoreParenCasts());
3837 if (!S) return false;
3838
3839 const llvm::fltSemantics &Sem = Context.getFloatTypeSemantics(ResultTy);
3840
3841 llvm::APInt fill;
3842
3843 // Treat empty strings as if they were zero.
3844 if (S->getString().empty())
3845 fill = llvm::APInt(32, 0);
3846 else if (S->getString().getAsInteger(0, fill))
3847 return false;
3848
3849 if (SNaN)
3850 Result = llvm::APFloat::getSNaN(Sem, false, &fill);
3851 else
3852 Result = llvm::APFloat::getQNaN(Sem, false, &fill);
3853 return true;
3854}
3855
Chris Lattner4deaa4e2008-10-06 05:28:25 +00003856bool FloatExprEvaluator::VisitCallExpr(const CallExpr *E) {
Richard Smithd62306a2011-11-10 06:34:14 +00003857 switch (E->isBuiltinCall()) {
Peter Collingbournee9200682011-05-13 03:29:01 +00003858 default:
3859 return ExprEvaluatorBaseTy::VisitCallExpr(E);
3860
Chris Lattner4deaa4e2008-10-06 05:28:25 +00003861 case Builtin::BI__builtin_huge_val:
3862 case Builtin::BI__builtin_huge_valf:
3863 case Builtin::BI__builtin_huge_vall:
3864 case Builtin::BI__builtin_inf:
3865 case Builtin::BI__builtin_inff:
Daniel Dunbar1be9f882008-10-14 05:41:12 +00003866 case Builtin::BI__builtin_infl: {
3867 const llvm::fltSemantics &Sem =
3868 Info.Ctx.getFloatTypeSemantics(E->getType());
Chris Lattner37346e02008-10-06 05:53:16 +00003869 Result = llvm::APFloat::getInf(Sem);
3870 return true;
Daniel Dunbar1be9f882008-10-14 05:41:12 +00003871 }
Mike Stump11289f42009-09-09 15:08:12 +00003872
John McCall16291492010-02-28 13:00:19 +00003873 case Builtin::BI__builtin_nans:
3874 case Builtin::BI__builtin_nansf:
3875 case Builtin::BI__builtin_nansl:
3876 return TryEvaluateBuiltinNaN(Info.Ctx, E->getType(), E->getArg(0),
3877 true, Result);
3878
Chris Lattner0b7282e2008-10-06 06:31:58 +00003879 case Builtin::BI__builtin_nan:
3880 case Builtin::BI__builtin_nanf:
3881 case Builtin::BI__builtin_nanl:
Mike Stump2346cd22009-05-30 03:56:50 +00003882 // If this is __builtin_nan() turn this into a nan, otherwise we
Chris Lattner0b7282e2008-10-06 06:31:58 +00003883 // can't constant fold it.
John McCall16291492010-02-28 13:00:19 +00003884 return TryEvaluateBuiltinNaN(Info.Ctx, E->getType(), E->getArg(0),
3885 false, Result);
Daniel Dunbarc3d79cf2008-10-16 03:51:50 +00003886
3887 case Builtin::BI__builtin_fabs:
3888 case Builtin::BI__builtin_fabsf:
3889 case Builtin::BI__builtin_fabsl:
3890 if (!EvaluateFloat(E->getArg(0), Result, Info))
3891 return false;
Mike Stump11289f42009-09-09 15:08:12 +00003892
Daniel Dunbarc3d79cf2008-10-16 03:51:50 +00003893 if (Result.isNegative())
3894 Result.changeSign();
3895 return true;
3896
Mike Stump11289f42009-09-09 15:08:12 +00003897 case Builtin::BI__builtin_copysign:
3898 case Builtin::BI__builtin_copysignf:
Daniel Dunbarc3d79cf2008-10-16 03:51:50 +00003899 case Builtin::BI__builtin_copysignl: {
3900 APFloat RHS(0.);
3901 if (!EvaluateFloat(E->getArg(0), Result, Info) ||
3902 !EvaluateFloat(E->getArg(1), RHS, Info))
3903 return false;
3904 Result.copySign(RHS);
3905 return true;
3906 }
Chris Lattner4deaa4e2008-10-06 05:28:25 +00003907 }
3908}
3909
John McCallb1fb0d32010-05-07 22:08:54 +00003910bool FloatExprEvaluator::VisitUnaryReal(const UnaryOperator *E) {
Eli Friedman95719532010-08-14 20:52:13 +00003911 if (E->getSubExpr()->getType()->isAnyComplexType()) {
3912 ComplexValue CV;
3913 if (!EvaluateComplex(E->getSubExpr(), CV, Info))
3914 return false;
3915 Result = CV.FloatReal;
3916 return true;
3917 }
3918
3919 return Visit(E->getSubExpr());
John McCallb1fb0d32010-05-07 22:08:54 +00003920}
3921
3922bool FloatExprEvaluator::VisitUnaryImag(const UnaryOperator *E) {
Eli Friedman95719532010-08-14 20:52:13 +00003923 if (E->getSubExpr()->getType()->isAnyComplexType()) {
3924 ComplexValue CV;
3925 if (!EvaluateComplex(E->getSubExpr(), CV, Info))
3926 return false;
3927 Result = CV.FloatImag;
3928 return true;
3929 }
3930
Richard Smith4a678122011-10-24 18:44:57 +00003931 VisitIgnoredValue(E->getSubExpr());
Eli Friedman95719532010-08-14 20:52:13 +00003932 const llvm::fltSemantics &Sem = Info.Ctx.getFloatTypeSemantics(E->getType());
3933 Result = llvm::APFloat::getZero(Sem);
John McCallb1fb0d32010-05-07 22:08:54 +00003934 return true;
3935}
3936
Daniel Dunbarc3d79cf2008-10-16 03:51:50 +00003937bool FloatExprEvaluator::VisitUnaryOperator(const UnaryOperator *E) {
Daniel Dunbarc3d79cf2008-10-16 03:51:50 +00003938 switch (E->getOpcode()) {
3939 default: return false;
John McCalle3027922010-08-25 11:45:40 +00003940 case UO_Plus:
Richard Smith390cd492011-10-30 23:17:09 +00003941 return EvaluateFloat(E->getSubExpr(), Result, Info);
John McCalle3027922010-08-25 11:45:40 +00003942 case UO_Minus:
Richard Smith390cd492011-10-30 23:17:09 +00003943 if (!EvaluateFloat(E->getSubExpr(), Result, Info))
3944 return false;
Daniel Dunbarc3d79cf2008-10-16 03:51:50 +00003945 Result.changeSign();
3946 return true;
3947 }
3948}
Chris Lattner4deaa4e2008-10-06 05:28:25 +00003949
Eli Friedman24c01542008-08-22 00:06:13 +00003950bool FloatExprEvaluator::VisitBinaryOperator(const BinaryOperator *E) {
Richard Smith027bf112011-11-17 22:56:20 +00003951 if (E->isPtrMemOp() || E->isAssignmentOp() || E->getOpcode() == BO_Comma)
3952 return ExprEvaluatorBaseTy::VisitBinaryOperator(E);
Eli Friedman141fbf32009-11-16 04:25:37 +00003953
Daniel Dunbarc3d79cf2008-10-16 03:51:50 +00003954 APFloat RHS(0.0);
Eli Friedman24c01542008-08-22 00:06:13 +00003955 if (!EvaluateFloat(E->getLHS(), Result, Info))
3956 return false;
3957 if (!EvaluateFloat(E->getRHS(), RHS, Info))
3958 return false;
3959
3960 switch (E->getOpcode()) {
3961 default: return false;
John McCalle3027922010-08-25 11:45:40 +00003962 case BO_Mul:
Eli Friedman24c01542008-08-22 00:06:13 +00003963 Result.multiply(RHS, APFloat::rmNearestTiesToEven);
3964 return true;
John McCalle3027922010-08-25 11:45:40 +00003965 case BO_Add:
Eli Friedman24c01542008-08-22 00:06:13 +00003966 Result.add(RHS, APFloat::rmNearestTiesToEven);
3967 return true;
John McCalle3027922010-08-25 11:45:40 +00003968 case BO_Sub:
Eli Friedman24c01542008-08-22 00:06:13 +00003969 Result.subtract(RHS, APFloat::rmNearestTiesToEven);
3970 return true;
John McCalle3027922010-08-25 11:45:40 +00003971 case BO_Div:
Eli Friedman24c01542008-08-22 00:06:13 +00003972 Result.divide(RHS, APFloat::rmNearestTiesToEven);
3973 return true;
Eli Friedman24c01542008-08-22 00:06:13 +00003974 }
3975}
3976
3977bool FloatExprEvaluator::VisitFloatingLiteral(const FloatingLiteral *E) {
3978 Result = E->getValue();
3979 return true;
3980}
3981
Peter Collingbournee9200682011-05-13 03:29:01 +00003982bool FloatExprEvaluator::VisitCastExpr(const CastExpr *E) {
3983 const Expr* SubExpr = E->getSubExpr();
Mike Stump11289f42009-09-09 15:08:12 +00003984
Eli Friedman8bfbe3a2011-03-25 00:54:52 +00003985 switch (E->getCastKind()) {
3986 default:
Richard Smith11562c52011-10-28 17:51:58 +00003987 return ExprEvaluatorBaseTy::VisitCastExpr(E);
Eli Friedman8bfbe3a2011-03-25 00:54:52 +00003988
3989 case CK_IntegralToFloating: {
Eli Friedman9a156e52008-11-12 09:44:48 +00003990 APSInt IntResult;
Daniel Dunbare3c92bc2009-02-19 18:37:50 +00003991 if (!EvaluateInteger(SubExpr, IntResult, Info))
Eli Friedman9a156e52008-11-12 09:44:48 +00003992 return false;
Mike Stump11289f42009-09-09 15:08:12 +00003993 Result = HandleIntToFloatCast(E->getType(), SubExpr->getType(),
Daniel Dunbarb6f953e2009-01-29 06:16:07 +00003994 IntResult, Info.Ctx);
Eli Friedman9a156e52008-11-12 09:44:48 +00003995 return true;
3996 }
Eli Friedman8bfbe3a2011-03-25 00:54:52 +00003997
3998 case CK_FloatingCast: {
Eli Friedman9a156e52008-11-12 09:44:48 +00003999 if (!Visit(SubExpr))
4000 return false;
Daniel Dunbarb6f953e2009-01-29 06:16:07 +00004001 Result = HandleFloatToFloatCast(E->getType(), SubExpr->getType(),
4002 Result, Info.Ctx);
Eli Friedman9a156e52008-11-12 09:44:48 +00004003 return true;
4004 }
John McCalld7646252010-11-14 08:17:51 +00004005
Eli Friedman8bfbe3a2011-03-25 00:54:52 +00004006 case CK_FloatingComplexToReal: {
John McCalld7646252010-11-14 08:17:51 +00004007 ComplexValue V;
4008 if (!EvaluateComplex(SubExpr, V, Info))
4009 return false;
4010 Result = V.getComplexFloatReal();
4011 return true;
4012 }
Eli Friedman8bfbe3a2011-03-25 00:54:52 +00004013 }
Eli Friedman9a156e52008-11-12 09:44:48 +00004014
4015 return false;
4016}
4017
Eli Friedman24c01542008-08-22 00:06:13 +00004018//===----------------------------------------------------------------------===//
Daniel Dunbarf50e60b2009-01-28 22:24:07 +00004019// Complex Evaluation (for float and integer)
Anders Carlsson537969c2008-11-16 20:27:53 +00004020//===----------------------------------------------------------------------===//
4021
4022namespace {
Benjamin Kramer26222b62009-11-28 19:03:38 +00004023class ComplexExprEvaluator
Peter Collingbournee9200682011-05-13 03:29:01 +00004024 : public ExprEvaluatorBase<ComplexExprEvaluator, bool> {
John McCall93d91dc2010-05-07 17:22:02 +00004025 ComplexValue &Result;
Mike Stump11289f42009-09-09 15:08:12 +00004026
Anders Carlsson537969c2008-11-16 20:27:53 +00004027public:
John McCall93d91dc2010-05-07 17:22:02 +00004028 ComplexExprEvaluator(EvalInfo &info, ComplexValue &Result)
Peter Collingbournee9200682011-05-13 03:29:01 +00004029 : ExprEvaluatorBaseTy(info), Result(Result) {}
4030
Richard Smith0b0a0b62011-10-29 20:57:55 +00004031 bool Success(const CCValue &V, const Expr *e) {
Peter Collingbournee9200682011-05-13 03:29:01 +00004032 Result.setFrom(V);
4033 return true;
4034 }
4035 bool Error(const Expr *E) {
4036 return false;
4037 }
Mike Stump11289f42009-09-09 15:08:12 +00004038
Anders Carlsson537969c2008-11-16 20:27:53 +00004039 //===--------------------------------------------------------------------===//
4040 // Visitor Methods
4041 //===--------------------------------------------------------------------===//
4042
Peter Collingbournee9200682011-05-13 03:29:01 +00004043 bool VisitImaginaryLiteral(const ImaginaryLiteral *E);
Mike Stump11289f42009-09-09 15:08:12 +00004044
Peter Collingbournee9200682011-05-13 03:29:01 +00004045 bool VisitCastExpr(const CastExpr *E);
Mike Stump11289f42009-09-09 15:08:12 +00004046
John McCall93d91dc2010-05-07 17:22:02 +00004047 bool VisitBinaryOperator(const BinaryOperator *E);
Abramo Bagnara9e0e7092010-12-11 16:05:48 +00004048 bool VisitUnaryOperator(const UnaryOperator *E);
Sebastian Redl12757ab2011-09-24 17:48:14 +00004049 // FIXME Missing: ImplicitValueInitExpr, InitListExpr
Anders Carlsson537969c2008-11-16 20:27:53 +00004050};
4051} // end anonymous namespace
4052
John McCall93d91dc2010-05-07 17:22:02 +00004053static bool EvaluateComplex(const Expr *E, ComplexValue &Result,
4054 EvalInfo &Info) {
Richard Smith11562c52011-10-28 17:51:58 +00004055 assert(E->isRValue() && E->getType()->isAnyComplexType());
Peter Collingbournee9200682011-05-13 03:29:01 +00004056 return ComplexExprEvaluator(Info, Result).Visit(E);
Anders Carlsson537969c2008-11-16 20:27:53 +00004057}
4058
Peter Collingbournee9200682011-05-13 03:29:01 +00004059bool ComplexExprEvaluator::VisitImaginaryLiteral(const ImaginaryLiteral *E) {
4060 const Expr* SubExpr = E->getSubExpr();
Eli Friedmanc3e9df32010-08-16 23:27:44 +00004061
4062 if (SubExpr->getType()->isRealFloatingType()) {
4063 Result.makeComplexFloat();
4064 APFloat &Imag = Result.FloatImag;
4065 if (!EvaluateFloat(SubExpr, Imag, Info))
4066 return false;
4067
4068 Result.FloatReal = APFloat(Imag.getSemantics());
4069 return true;
4070 } else {
4071 assert(SubExpr->getType()->isIntegerType() &&
4072 "Unexpected imaginary literal.");
4073
4074 Result.makeComplexInt();
4075 APSInt &Imag = Result.IntImag;
4076 if (!EvaluateInteger(SubExpr, Imag, Info))
4077 return false;
4078
4079 Result.IntReal = APSInt(Imag.getBitWidth(), !Imag.isSigned());
4080 return true;
4081 }
4082}
4083
Peter Collingbournee9200682011-05-13 03:29:01 +00004084bool ComplexExprEvaluator::VisitCastExpr(const CastExpr *E) {
Eli Friedmanc3e9df32010-08-16 23:27:44 +00004085
John McCallfcef3cf2010-12-14 17:51:41 +00004086 switch (E->getCastKind()) {
4087 case CK_BitCast:
John McCallfcef3cf2010-12-14 17:51:41 +00004088 case CK_BaseToDerived:
4089 case CK_DerivedToBase:
4090 case CK_UncheckedDerivedToBase:
4091 case CK_Dynamic:
4092 case CK_ToUnion:
4093 case CK_ArrayToPointerDecay:
4094 case CK_FunctionToPointerDecay:
4095 case CK_NullToPointer:
4096 case CK_NullToMemberPointer:
4097 case CK_BaseToDerivedMemberPointer:
4098 case CK_DerivedToBaseMemberPointer:
4099 case CK_MemberPointerToBoolean:
4100 case CK_ConstructorConversion:
4101 case CK_IntegralToPointer:
4102 case CK_PointerToIntegral:
4103 case CK_PointerToBoolean:
4104 case CK_ToVoid:
4105 case CK_VectorSplat:
4106 case CK_IntegralCast:
4107 case CK_IntegralToBoolean:
4108 case CK_IntegralToFloating:
4109 case CK_FloatingToIntegral:
4110 case CK_FloatingToBoolean:
4111 case CK_FloatingCast:
John McCall9320b872011-09-09 05:25:32 +00004112 case CK_CPointerToObjCPointerCast:
4113 case CK_BlockPointerToObjCPointerCast:
John McCallfcef3cf2010-12-14 17:51:41 +00004114 case CK_AnyPointerToBlockPointerCast:
4115 case CK_ObjCObjectLValueCast:
4116 case CK_FloatingComplexToReal:
4117 case CK_FloatingComplexToBoolean:
4118 case CK_IntegralComplexToReal:
4119 case CK_IntegralComplexToBoolean:
John McCall2d637d22011-09-10 06:18:15 +00004120 case CK_ARCProduceObject:
4121 case CK_ARCConsumeObject:
4122 case CK_ARCReclaimReturnedObject:
4123 case CK_ARCExtendBlockObject:
John McCallfcef3cf2010-12-14 17:51:41 +00004124 llvm_unreachable("invalid cast kind for complex value");
John McCallc5e62b42010-11-13 09:02:35 +00004125
John McCallfcef3cf2010-12-14 17:51:41 +00004126 case CK_LValueToRValue:
4127 case CK_NoOp:
Richard Smith11562c52011-10-28 17:51:58 +00004128 return ExprEvaluatorBaseTy::VisitCastExpr(E);
John McCallfcef3cf2010-12-14 17:51:41 +00004129
4130 case CK_Dependent:
Eli Friedmanc757de22011-03-25 00:43:55 +00004131 case CK_LValueBitCast:
John McCallfcef3cf2010-12-14 17:51:41 +00004132 case CK_UserDefinedConversion:
4133 return false;
4134
4135 case CK_FloatingRealToComplex: {
Eli Friedmanc3e9df32010-08-16 23:27:44 +00004136 APFloat &Real = Result.FloatReal;
John McCallfcef3cf2010-12-14 17:51:41 +00004137 if (!EvaluateFloat(E->getSubExpr(), Real, Info))
Eli Friedmanc3e9df32010-08-16 23:27:44 +00004138 return false;
4139
John McCallfcef3cf2010-12-14 17:51:41 +00004140 Result.makeComplexFloat();
4141 Result.FloatImag = APFloat(Real.getSemantics());
4142 return true;
Eli Friedmanc3e9df32010-08-16 23:27:44 +00004143 }
4144
John McCallfcef3cf2010-12-14 17:51:41 +00004145 case CK_FloatingComplexCast: {
4146 if (!Visit(E->getSubExpr()))
4147 return false;
4148
4149 QualType To = E->getType()->getAs<ComplexType>()->getElementType();
4150 QualType From
4151 = E->getSubExpr()->getType()->getAs<ComplexType>()->getElementType();
4152
4153 Result.FloatReal
4154 = HandleFloatToFloatCast(To, From, Result.FloatReal, Info.Ctx);
4155 Result.FloatImag
4156 = HandleFloatToFloatCast(To, From, Result.FloatImag, Info.Ctx);
4157 return true;
4158 }
4159
4160 case CK_FloatingComplexToIntegralComplex: {
4161 if (!Visit(E->getSubExpr()))
4162 return false;
4163
4164 QualType To = E->getType()->getAs<ComplexType>()->getElementType();
4165 QualType From
4166 = E->getSubExpr()->getType()->getAs<ComplexType>()->getElementType();
4167 Result.makeComplexInt();
4168 Result.IntReal = HandleFloatToIntCast(To, From, Result.FloatReal, Info.Ctx);
4169 Result.IntImag = HandleFloatToIntCast(To, From, Result.FloatImag, Info.Ctx);
4170 return true;
4171 }
4172
4173 case CK_IntegralRealToComplex: {
4174 APSInt &Real = Result.IntReal;
4175 if (!EvaluateInteger(E->getSubExpr(), Real, Info))
4176 return false;
4177
4178 Result.makeComplexInt();
4179 Result.IntImag = APSInt(Real.getBitWidth(), !Real.isSigned());
4180 return true;
4181 }
4182
4183 case CK_IntegralComplexCast: {
4184 if (!Visit(E->getSubExpr()))
4185 return false;
4186
4187 QualType To = E->getType()->getAs<ComplexType>()->getElementType();
4188 QualType From
4189 = E->getSubExpr()->getType()->getAs<ComplexType>()->getElementType();
4190
4191 Result.IntReal = HandleIntToIntCast(To, From, Result.IntReal, Info.Ctx);
4192 Result.IntImag = HandleIntToIntCast(To, From, Result.IntImag, Info.Ctx);
4193 return true;
4194 }
4195
4196 case CK_IntegralComplexToFloatingComplex: {
4197 if (!Visit(E->getSubExpr()))
4198 return false;
4199
4200 QualType To = E->getType()->getAs<ComplexType>()->getElementType();
4201 QualType From
4202 = E->getSubExpr()->getType()->getAs<ComplexType>()->getElementType();
4203 Result.makeComplexFloat();
4204 Result.FloatReal = HandleIntToFloatCast(To, From, Result.IntReal, Info.Ctx);
4205 Result.FloatImag = HandleIntToFloatCast(To, From, Result.IntImag, Info.Ctx);
4206 return true;
4207 }
4208 }
4209
4210 llvm_unreachable("unknown cast resulting in complex value");
Eli Friedmanc3e9df32010-08-16 23:27:44 +00004211 return false;
4212}
4213
John McCall93d91dc2010-05-07 17:22:02 +00004214bool ComplexExprEvaluator::VisitBinaryOperator(const BinaryOperator *E) {
Richard Smith027bf112011-11-17 22:56:20 +00004215 if (E->isPtrMemOp() || E->isAssignmentOp() || E->getOpcode() == BO_Comma)
Richard Smith10f4d062011-11-16 17:22:48 +00004216 return ExprEvaluatorBaseTy::VisitBinaryOperator(E);
4217
John McCall93d91dc2010-05-07 17:22:02 +00004218 if (!Visit(E->getLHS()))
4219 return false;
Mike Stump11289f42009-09-09 15:08:12 +00004220
John McCall93d91dc2010-05-07 17:22:02 +00004221 ComplexValue RHS;
Daniel Dunbarf50e60b2009-01-28 22:24:07 +00004222 if (!EvaluateComplex(E->getRHS(), RHS, Info))
John McCall93d91dc2010-05-07 17:22:02 +00004223 return false;
Daniel Dunbarf50e60b2009-01-28 22:24:07 +00004224
Daniel Dunbar0aa26062009-01-29 01:32:56 +00004225 assert(Result.isComplexFloat() == RHS.isComplexFloat() &&
4226 "Invalid operands to binary operator.");
Anders Carlsson9ddf7be2008-11-16 21:51:21 +00004227 switch (E->getOpcode()) {
John McCall93d91dc2010-05-07 17:22:02 +00004228 default: return false;
John McCalle3027922010-08-25 11:45:40 +00004229 case BO_Add:
Daniel Dunbarf50e60b2009-01-28 22:24:07 +00004230 if (Result.isComplexFloat()) {
4231 Result.getComplexFloatReal().add(RHS.getComplexFloatReal(),
4232 APFloat::rmNearestTiesToEven);
4233 Result.getComplexFloatImag().add(RHS.getComplexFloatImag(),
4234 APFloat::rmNearestTiesToEven);
4235 } else {
4236 Result.getComplexIntReal() += RHS.getComplexIntReal();
4237 Result.getComplexIntImag() += RHS.getComplexIntImag();
4238 }
Daniel Dunbar0aa26062009-01-29 01:32:56 +00004239 break;
John McCalle3027922010-08-25 11:45:40 +00004240 case BO_Sub:
Daniel Dunbarf50e60b2009-01-28 22:24:07 +00004241 if (Result.isComplexFloat()) {
4242 Result.getComplexFloatReal().subtract(RHS.getComplexFloatReal(),
4243 APFloat::rmNearestTiesToEven);
4244 Result.getComplexFloatImag().subtract(RHS.getComplexFloatImag(),
4245 APFloat::rmNearestTiesToEven);
4246 } else {
4247 Result.getComplexIntReal() -= RHS.getComplexIntReal();
4248 Result.getComplexIntImag() -= RHS.getComplexIntImag();
4249 }
Daniel Dunbar0aa26062009-01-29 01:32:56 +00004250 break;
John McCalle3027922010-08-25 11:45:40 +00004251 case BO_Mul:
Daniel Dunbar0aa26062009-01-29 01:32:56 +00004252 if (Result.isComplexFloat()) {
John McCall93d91dc2010-05-07 17:22:02 +00004253 ComplexValue LHS = Result;
Daniel Dunbar0aa26062009-01-29 01:32:56 +00004254 APFloat &LHS_r = LHS.getComplexFloatReal();
4255 APFloat &LHS_i = LHS.getComplexFloatImag();
4256 APFloat &RHS_r = RHS.getComplexFloatReal();
4257 APFloat &RHS_i = RHS.getComplexFloatImag();
Mike Stump11289f42009-09-09 15:08:12 +00004258
Daniel Dunbar0aa26062009-01-29 01:32:56 +00004259 APFloat Tmp = LHS_r;
4260 Tmp.multiply(RHS_r, APFloat::rmNearestTiesToEven);
4261 Result.getComplexFloatReal() = Tmp;
4262 Tmp = LHS_i;
4263 Tmp.multiply(RHS_i, APFloat::rmNearestTiesToEven);
4264 Result.getComplexFloatReal().subtract(Tmp, APFloat::rmNearestTiesToEven);
4265
4266 Tmp = LHS_r;
4267 Tmp.multiply(RHS_i, APFloat::rmNearestTiesToEven);
4268 Result.getComplexFloatImag() = Tmp;
4269 Tmp = LHS_i;
4270 Tmp.multiply(RHS_r, APFloat::rmNearestTiesToEven);
4271 Result.getComplexFloatImag().add(Tmp, APFloat::rmNearestTiesToEven);
4272 } else {
John McCall93d91dc2010-05-07 17:22:02 +00004273 ComplexValue LHS = Result;
Mike Stump11289f42009-09-09 15:08:12 +00004274 Result.getComplexIntReal() =
Daniel Dunbar0aa26062009-01-29 01:32:56 +00004275 (LHS.getComplexIntReal() * RHS.getComplexIntReal() -
4276 LHS.getComplexIntImag() * RHS.getComplexIntImag());
Mike Stump11289f42009-09-09 15:08:12 +00004277 Result.getComplexIntImag() =
Daniel Dunbar0aa26062009-01-29 01:32:56 +00004278 (LHS.getComplexIntReal() * RHS.getComplexIntImag() +
4279 LHS.getComplexIntImag() * RHS.getComplexIntReal());
4280 }
4281 break;
Abramo Bagnara9e0e7092010-12-11 16:05:48 +00004282 case BO_Div:
4283 if (Result.isComplexFloat()) {
4284 ComplexValue LHS = Result;
4285 APFloat &LHS_r = LHS.getComplexFloatReal();
4286 APFloat &LHS_i = LHS.getComplexFloatImag();
4287 APFloat &RHS_r = RHS.getComplexFloatReal();
4288 APFloat &RHS_i = RHS.getComplexFloatImag();
4289 APFloat &Res_r = Result.getComplexFloatReal();
4290 APFloat &Res_i = Result.getComplexFloatImag();
4291
4292 APFloat Den = RHS_r;
4293 Den.multiply(RHS_r, APFloat::rmNearestTiesToEven);
4294 APFloat Tmp = RHS_i;
4295 Tmp.multiply(RHS_i, APFloat::rmNearestTiesToEven);
4296 Den.add(Tmp, APFloat::rmNearestTiesToEven);
4297
4298 Res_r = LHS_r;
4299 Res_r.multiply(RHS_r, APFloat::rmNearestTiesToEven);
4300 Tmp = LHS_i;
4301 Tmp.multiply(RHS_i, APFloat::rmNearestTiesToEven);
4302 Res_r.add(Tmp, APFloat::rmNearestTiesToEven);
4303 Res_r.divide(Den, APFloat::rmNearestTiesToEven);
4304
4305 Res_i = LHS_i;
4306 Res_i.multiply(RHS_r, APFloat::rmNearestTiesToEven);
4307 Tmp = LHS_r;
4308 Tmp.multiply(RHS_i, APFloat::rmNearestTiesToEven);
4309 Res_i.subtract(Tmp, APFloat::rmNearestTiesToEven);
4310 Res_i.divide(Den, APFloat::rmNearestTiesToEven);
4311 } else {
4312 if (RHS.getComplexIntReal() == 0 && RHS.getComplexIntImag() == 0) {
4313 // FIXME: what about diagnostics?
4314 return false;
4315 }
4316 ComplexValue LHS = Result;
4317 APSInt Den = RHS.getComplexIntReal() * RHS.getComplexIntReal() +
4318 RHS.getComplexIntImag() * RHS.getComplexIntImag();
4319 Result.getComplexIntReal() =
4320 (LHS.getComplexIntReal() * RHS.getComplexIntReal() +
4321 LHS.getComplexIntImag() * RHS.getComplexIntImag()) / Den;
4322 Result.getComplexIntImag() =
4323 (LHS.getComplexIntImag() * RHS.getComplexIntReal() -
4324 LHS.getComplexIntReal() * RHS.getComplexIntImag()) / Den;
4325 }
4326 break;
Anders Carlsson9ddf7be2008-11-16 21:51:21 +00004327 }
4328
John McCall93d91dc2010-05-07 17:22:02 +00004329 return true;
Anders Carlsson9ddf7be2008-11-16 21:51:21 +00004330}
4331
Abramo Bagnara9e0e7092010-12-11 16:05:48 +00004332bool ComplexExprEvaluator::VisitUnaryOperator(const UnaryOperator *E) {
4333 // Get the operand value into 'Result'.
4334 if (!Visit(E->getSubExpr()))
4335 return false;
4336
4337 switch (E->getOpcode()) {
4338 default:
4339 // FIXME: what about diagnostics?
4340 return false;
4341 case UO_Extension:
4342 return true;
4343 case UO_Plus:
4344 // The result is always just the subexpr.
4345 return true;
4346 case UO_Minus:
4347 if (Result.isComplexFloat()) {
4348 Result.getComplexFloatReal().changeSign();
4349 Result.getComplexFloatImag().changeSign();
4350 }
4351 else {
4352 Result.getComplexIntReal() = -Result.getComplexIntReal();
4353 Result.getComplexIntImag() = -Result.getComplexIntImag();
4354 }
4355 return true;
4356 case UO_Not:
4357 if (Result.isComplexFloat())
4358 Result.getComplexFloatImag().changeSign();
4359 else
4360 Result.getComplexIntImag() = -Result.getComplexIntImag();
4361 return true;
4362 }
4363}
4364
Anders Carlsson537969c2008-11-16 20:27:53 +00004365//===----------------------------------------------------------------------===//
Richard Smith7b553f12011-10-29 00:50:52 +00004366// Top level Expr::EvaluateAsRValue method.
Chris Lattner05706e882008-07-11 18:11:29 +00004367//===----------------------------------------------------------------------===//
4368
Richard Smith0b0a0b62011-10-29 20:57:55 +00004369static bool Evaluate(CCValue &Result, EvalInfo &Info, const Expr *E) {
Richard Smith11562c52011-10-28 17:51:58 +00004370 // In C, function designators are not lvalues, but we evaluate them as if they
4371 // are.
4372 if (E->isGLValue() || E->getType()->isFunctionType()) {
4373 LValue LV;
4374 if (!EvaluateLValue(E, LV, Info))
4375 return false;
4376 LV.moveInto(Result);
4377 } else if (E->getType()->isVectorType()) {
Richard Smith725810a2011-10-16 21:26:27 +00004378 if (!EvaluateVector(E, Result, Info))
Nate Begeman2f2bdeb2009-01-18 03:20:47 +00004379 return false;
Douglas Gregor6ab2fa82011-05-20 16:38:50 +00004380 } else if (E->getType()->isIntegralOrEnumerationType()) {
Richard Smith725810a2011-10-16 21:26:27 +00004381 if (!IntExprEvaluator(Info, Result).Visit(E))
Anders Carlsson475f4bc2008-11-22 21:50:49 +00004382 return false;
John McCall45d55e42010-05-07 21:00:08 +00004383 } else if (E->getType()->hasPointerRepresentation()) {
4384 LValue LV;
4385 if (!EvaluatePointer(E, LV, Info))
Anders Carlsson475f4bc2008-11-22 21:50:49 +00004386 return false;
Richard Smith725810a2011-10-16 21:26:27 +00004387 LV.moveInto(Result);
John McCall45d55e42010-05-07 21:00:08 +00004388 } else if (E->getType()->isRealFloatingType()) {
4389 llvm::APFloat F(0.0);
4390 if (!EvaluateFloat(E, F, Info))
Anders Carlsson475f4bc2008-11-22 21:50:49 +00004391 return false;
Richard Smith0b0a0b62011-10-29 20:57:55 +00004392 Result = CCValue(F);
John McCall45d55e42010-05-07 21:00:08 +00004393 } else if (E->getType()->isAnyComplexType()) {
4394 ComplexValue C;
4395 if (!EvaluateComplex(E, C, Info))
Anders Carlsson475f4bc2008-11-22 21:50:49 +00004396 return false;
Richard Smith725810a2011-10-16 21:26:27 +00004397 C.moveInto(Result);
Richard Smithed5165f2011-11-04 05:33:44 +00004398 } else if (E->getType()->isMemberPointerType()) {
Richard Smith027bf112011-11-17 22:56:20 +00004399 MemberPtr P;
4400 if (!EvaluateMemberPointer(E, P, Info))
4401 return false;
4402 P.moveInto(Result);
4403 return true;
Richard Smithed5165f2011-11-04 05:33:44 +00004404 } else if (E->getType()->isArrayType() && E->getType()->isLiteralType()) {
Richard Smithd62306a2011-11-10 06:34:14 +00004405 LValue LV;
Richard Smithce40ad62011-11-12 22:28:03 +00004406 LV.set(E, Info.CurrentCall);
Richard Smithd62306a2011-11-10 06:34:14 +00004407 if (!EvaluateArray(E, LV, Info.CurrentCall->Temporaries[E], Info))
Richard Smithf3e9e432011-11-07 09:22:26 +00004408 return false;
Richard Smithd62306a2011-11-10 06:34:14 +00004409 Result = Info.CurrentCall->Temporaries[E];
Richard Smithed5165f2011-11-04 05:33:44 +00004410 } else if (E->getType()->isRecordType() && E->getType()->isLiteralType()) {
Richard Smithd62306a2011-11-10 06:34:14 +00004411 LValue LV;
Richard Smithce40ad62011-11-12 22:28:03 +00004412 LV.set(E, Info.CurrentCall);
Richard Smithd62306a2011-11-10 06:34:14 +00004413 if (!EvaluateRecord(E, LV, Info.CurrentCall->Temporaries[E], Info))
4414 return false;
4415 Result = Info.CurrentCall->Temporaries[E];
Daniel Dunbarf50e60b2009-01-28 22:24:07 +00004416 } else
Anders Carlsson7c282e42008-11-22 22:56:32 +00004417 return false;
Anders Carlsson475f4bc2008-11-22 21:50:49 +00004418
Anders Carlsson7b6f0af2008-11-30 16:58:53 +00004419 return true;
4420}
4421
Richard Smithed5165f2011-11-04 05:33:44 +00004422/// EvaluateConstantExpression - Evaluate an expression as a constant expression
4423/// in-place in an APValue. In some cases, the in-place evaluation is essential,
4424/// since later initializers for an object can indirectly refer to subobjects
4425/// which were initialized earlier.
4426static bool EvaluateConstantExpression(APValue &Result, EvalInfo &Info,
Richard Smithd62306a2011-11-10 06:34:14 +00004427 const LValue &This, const Expr *E) {
Richard Smithed5165f2011-11-04 05:33:44 +00004428 if (E->isRValue() && E->getType()->isLiteralType()) {
4429 // Evaluate arrays and record types in-place, so that later initializers can
4430 // refer to earlier-initialized members of the object.
Richard Smithd62306a2011-11-10 06:34:14 +00004431 if (E->getType()->isArrayType())
4432 return EvaluateArray(E, This, Result, Info);
4433 else if (E->getType()->isRecordType())
4434 return EvaluateRecord(E, This, Result, Info);
Richard Smithed5165f2011-11-04 05:33:44 +00004435 }
4436
4437 // For any other type, in-place evaluation is unimportant.
4438 CCValue CoreConstResult;
4439 return Evaluate(CoreConstResult, Info, E) &&
4440 CheckConstantExpression(CoreConstResult, Result);
4441}
4442
Richard Smith11562c52011-10-28 17:51:58 +00004443
Richard Smith7b553f12011-10-29 00:50:52 +00004444/// EvaluateAsRValue - Return true if this is a constant which we can fold using
John McCallc07a0c72011-02-17 10:25:35 +00004445/// any crazy technique (that has nothing to do with language standards) that
4446/// we want to. If this function returns true, it returns the folded constant
Richard Smith11562c52011-10-28 17:51:58 +00004447/// in Result. If this expression is a glvalue, an lvalue-to-rvalue conversion
4448/// will be applied to the result.
Richard Smith7b553f12011-10-29 00:50:52 +00004449bool Expr::EvaluateAsRValue(EvalResult &Result, const ASTContext &Ctx) const {
Richard Smith5686e752011-11-10 03:30:42 +00004450 // FIXME: Evaluating initializers for large arrays can cause performance
4451 // problems, and we don't use such values yet. Once we have a more efficient
4452 // array representation, this should be reinstated, and used by CodeGen.
Richard Smith027bf112011-11-17 22:56:20 +00004453 // The same problem affects large records.
4454 if (isRValue() && (getType()->isArrayType() || getType()->isRecordType()) &&
4455 !Ctx.getLangOptions().CPlusPlus0x)
Richard Smith5686e752011-11-10 03:30:42 +00004456 return false;
4457
John McCallc07a0c72011-02-17 10:25:35 +00004458 EvalInfo Info(Ctx, Result);
Richard Smith11562c52011-10-28 17:51:58 +00004459
Richard Smithd62306a2011-11-10 06:34:14 +00004460 // FIXME: If this is the initializer for an lvalue, pass that in.
Richard Smith0b0a0b62011-10-29 20:57:55 +00004461 CCValue Value;
4462 if (!::Evaluate(Value, Info, this))
Richard Smith11562c52011-10-28 17:51:58 +00004463 return false;
4464
4465 if (isGLValue()) {
4466 LValue LV;
Richard Smith0b0a0b62011-10-29 20:57:55 +00004467 LV.setFrom(Value);
4468 if (!HandleLValueToRValueConversion(Info, getType(), LV, Value))
4469 return false;
Richard Smith11562c52011-10-28 17:51:58 +00004470 }
4471
Richard Smith0b0a0b62011-10-29 20:57:55 +00004472 // Check this core constant expression is a constant expression, and if so,
Richard Smithed5165f2011-11-04 05:33:44 +00004473 // convert it to one.
4474 return CheckConstantExpression(Value, Result.Val);
John McCallc07a0c72011-02-17 10:25:35 +00004475}
4476
Jay Foad39c79802011-01-12 09:06:06 +00004477bool Expr::EvaluateAsBooleanCondition(bool &Result,
4478 const ASTContext &Ctx) const {
Richard Smith11562c52011-10-28 17:51:58 +00004479 EvalResult Scratch;
Richard Smith7b553f12011-10-29 00:50:52 +00004480 return EvaluateAsRValue(Scratch, Ctx) &&
Richard Smithfec09922011-11-01 16:57:24 +00004481 HandleConversionToBool(CCValue(Scratch.Val, CCValue::GlobalValue()),
Richard Smith0b0a0b62011-10-29 20:57:55 +00004482 Result);
John McCall1be1c632010-01-05 23:42:56 +00004483}
4484
Richard Smithcaf33902011-10-10 18:28:20 +00004485bool Expr::EvaluateAsInt(APSInt &Result, const ASTContext &Ctx) const {
Richard Smith11562c52011-10-28 17:51:58 +00004486 EvalResult ExprResult;
Richard Smith7b553f12011-10-29 00:50:52 +00004487 if (!EvaluateAsRValue(ExprResult, Ctx) || ExprResult.HasSideEffects ||
Richard Smith11562c52011-10-28 17:51:58 +00004488 !ExprResult.Val.isInt()) {
4489 return false;
4490 }
4491 Result = ExprResult.Val.getInt();
4492 return true;
Richard Smithcaf33902011-10-10 18:28:20 +00004493}
4494
Jay Foad39c79802011-01-12 09:06:06 +00004495bool Expr::EvaluateAsLValue(EvalResult &Result, const ASTContext &Ctx) const {
Anders Carlsson43168122009-04-10 04:54:13 +00004496 EvalInfo Info(Ctx, Result);
4497
John McCall45d55e42010-05-07 21:00:08 +00004498 LValue LV;
Richard Smith80815602011-11-07 05:07:52 +00004499 return EvaluateLValue(this, LV, Info) && !Result.HasSideEffects &&
4500 CheckLValueConstantExpression(LV, Result.Val);
Eli Friedman7d45c482009-09-13 10:17:44 +00004501}
4502
Richard Smith7b553f12011-10-29 00:50:52 +00004503/// isEvaluatable - Call EvaluateAsRValue to see if this expression can be
4504/// constant folded, but discard the result.
Jay Foad39c79802011-01-12 09:06:06 +00004505bool Expr::isEvaluatable(const ASTContext &Ctx) const {
Anders Carlsson5b3638b2008-12-01 06:44:05 +00004506 EvalResult Result;
Richard Smith7b553f12011-10-29 00:50:52 +00004507 return EvaluateAsRValue(Result, Ctx) && !Result.HasSideEffects;
Chris Lattnercb136912008-10-06 06:49:02 +00004508}
Anders Carlsson59689ed2008-11-22 21:04:56 +00004509
Jay Foad39c79802011-01-12 09:06:06 +00004510bool Expr::HasSideEffects(const ASTContext &Ctx) const {
Richard Smith725810a2011-10-16 21:26:27 +00004511 return HasSideEffect(Ctx).Visit(this);
Fariborz Jahanian4127b8e2009-11-05 18:03:03 +00004512}
4513
Richard Smithcaf33902011-10-10 18:28:20 +00004514APSInt Expr::EvaluateKnownConstInt(const ASTContext &Ctx) const {
Anders Carlsson6736d1a22008-12-19 20:58:05 +00004515 EvalResult EvalResult;
Richard Smith7b553f12011-10-29 00:50:52 +00004516 bool Result = EvaluateAsRValue(EvalResult, Ctx);
Jeffrey Yasskinb3321532010-12-23 01:01:28 +00004517 (void)Result;
Anders Carlsson59689ed2008-11-22 21:04:56 +00004518 assert(Result && "Could not evaluate expression");
Anders Carlsson6736d1a22008-12-19 20:58:05 +00004519 assert(EvalResult.Val.isInt() && "Expression did not evaluate to integer");
Anders Carlsson59689ed2008-11-22 21:04:56 +00004520
Anders Carlsson6736d1a22008-12-19 20:58:05 +00004521 return EvalResult.Val.getInt();
Anders Carlsson59689ed2008-11-22 21:04:56 +00004522}
John McCall864e3962010-05-07 05:32:02 +00004523
Abramo Bagnaraf8199452010-05-14 17:07:14 +00004524 bool Expr::EvalResult::isGlobalLValue() const {
4525 assert(Val.isLValue());
4526 return IsGlobalLValue(Val.getLValueBase());
4527 }
4528
4529
John McCall864e3962010-05-07 05:32:02 +00004530/// isIntegerConstantExpr - this recursive routine will test if an expression is
4531/// an integer constant expression.
4532
4533/// FIXME: Pass up a reason why! Invalid operation in i-c-e, division by zero,
4534/// comma, etc
4535///
4536/// FIXME: Handle offsetof. Two things to do: Handle GCC's __builtin_offsetof
4537/// to support gcc 4.0+ and handle the idiom GCC recognizes with a null pointer
4538/// cast+dereference.
4539
4540// CheckICE - This function does the fundamental ICE checking: the returned
4541// ICEDiag contains a Val of 0, 1, or 2, and a possibly null SourceLocation.
4542// Note that to reduce code duplication, this helper does no evaluation
4543// itself; the caller checks whether the expression is evaluatable, and
4544// in the rare cases where CheckICE actually cares about the evaluated
4545// value, it calls into Evalute.
4546//
4547// Meanings of Val:
Richard Smith7b553f12011-10-29 00:50:52 +00004548// 0: This expression is an ICE.
John McCall864e3962010-05-07 05:32:02 +00004549// 1: This expression is not an ICE, but if it isn't evaluated, it's
4550// a legal subexpression for an ICE. This return value is used to handle
4551// the comma operator in C99 mode.
4552// 2: This expression is not an ICE, and is not a legal subexpression for one.
4553
Dan Gohman28ade552010-07-26 21:25:24 +00004554namespace {
4555
John McCall864e3962010-05-07 05:32:02 +00004556struct ICEDiag {
4557 unsigned Val;
4558 SourceLocation Loc;
4559
4560 public:
4561 ICEDiag(unsigned v, SourceLocation l) : Val(v), Loc(l) {}
4562 ICEDiag() : Val(0) {}
4563};
4564
Dan Gohman28ade552010-07-26 21:25:24 +00004565}
4566
4567static ICEDiag NoDiag() { return ICEDiag(); }
John McCall864e3962010-05-07 05:32:02 +00004568
4569static ICEDiag CheckEvalInICE(const Expr* E, ASTContext &Ctx) {
4570 Expr::EvalResult EVResult;
Richard Smith7b553f12011-10-29 00:50:52 +00004571 if (!E->EvaluateAsRValue(EVResult, Ctx) || EVResult.HasSideEffects ||
John McCall864e3962010-05-07 05:32:02 +00004572 !EVResult.Val.isInt()) {
4573 return ICEDiag(2, E->getLocStart());
4574 }
4575 return NoDiag();
4576}
4577
4578static ICEDiag CheckICE(const Expr* E, ASTContext &Ctx) {
4579 assert(!E->isValueDependent() && "Should not see value dependent exprs!");
Douglas Gregorb90df602010-06-16 00:17:44 +00004580 if (!E->getType()->isIntegralOrEnumerationType()) {
John McCall864e3962010-05-07 05:32:02 +00004581 return ICEDiag(2, E->getLocStart());
4582 }
4583
4584 switch (E->getStmtClass()) {
John McCallbd066782011-02-09 08:16:59 +00004585#define ABSTRACT_STMT(Node)
John McCall864e3962010-05-07 05:32:02 +00004586#define STMT(Node, Base) case Expr::Node##Class:
4587#define EXPR(Node, Base)
4588#include "clang/AST/StmtNodes.inc"
4589 case Expr::PredefinedExprClass:
4590 case Expr::FloatingLiteralClass:
4591 case Expr::ImaginaryLiteralClass:
4592 case Expr::StringLiteralClass:
4593 case Expr::ArraySubscriptExprClass:
4594 case Expr::MemberExprClass:
4595 case Expr::CompoundAssignOperatorClass:
4596 case Expr::CompoundLiteralExprClass:
4597 case Expr::ExtVectorElementExprClass:
John McCall864e3962010-05-07 05:32:02 +00004598 case Expr::DesignatedInitExprClass:
4599 case Expr::ImplicitValueInitExprClass:
4600 case Expr::ParenListExprClass:
4601 case Expr::VAArgExprClass:
4602 case Expr::AddrLabelExprClass:
4603 case Expr::StmtExprClass:
4604 case Expr::CXXMemberCallExprClass:
Peter Collingbourne41f85462011-02-09 21:07:24 +00004605 case Expr::CUDAKernelCallExprClass:
John McCall864e3962010-05-07 05:32:02 +00004606 case Expr::CXXDynamicCastExprClass:
4607 case Expr::CXXTypeidExprClass:
Francois Pichet5cc0a672010-09-08 23:47:05 +00004608 case Expr::CXXUuidofExprClass:
John McCall864e3962010-05-07 05:32:02 +00004609 case Expr::CXXNullPtrLiteralExprClass:
4610 case Expr::CXXThisExprClass:
4611 case Expr::CXXThrowExprClass:
4612 case Expr::CXXNewExprClass:
4613 case Expr::CXXDeleteExprClass:
4614 case Expr::CXXPseudoDestructorExprClass:
4615 case Expr::UnresolvedLookupExprClass:
4616 case Expr::DependentScopeDeclRefExprClass:
4617 case Expr::CXXConstructExprClass:
4618 case Expr::CXXBindTemporaryExprClass:
John McCall5d413782010-12-06 08:20:24 +00004619 case Expr::ExprWithCleanupsClass:
John McCall864e3962010-05-07 05:32:02 +00004620 case Expr::CXXTemporaryObjectExprClass:
4621 case Expr::CXXUnresolvedConstructExprClass:
4622 case Expr::CXXDependentScopeMemberExprClass:
4623 case Expr::UnresolvedMemberExprClass:
4624 case Expr::ObjCStringLiteralClass:
4625 case Expr::ObjCEncodeExprClass:
4626 case Expr::ObjCMessageExprClass:
4627 case Expr::ObjCSelectorExprClass:
4628 case Expr::ObjCProtocolExprClass:
4629 case Expr::ObjCIvarRefExprClass:
4630 case Expr::ObjCPropertyRefExprClass:
John McCall864e3962010-05-07 05:32:02 +00004631 case Expr::ObjCIsaExprClass:
4632 case Expr::ShuffleVectorExprClass:
4633 case Expr::BlockExprClass:
4634 case Expr::BlockDeclRefExprClass:
4635 case Expr::NoStmtClass:
John McCall8d69a212010-11-15 23:31:06 +00004636 case Expr::OpaqueValueExprClass:
Douglas Gregore8e9dd62011-01-03 17:17:50 +00004637 case Expr::PackExpansionExprClass:
Douglas Gregorcdbc5392011-01-15 01:15:58 +00004638 case Expr::SubstNonTypeTemplateParmPackExprClass:
Tanya Lattner55808c12011-06-04 00:47:47 +00004639 case Expr::AsTypeExprClass:
John McCall31168b02011-06-15 23:02:42 +00004640 case Expr::ObjCIndirectCopyRestoreExprClass:
Douglas Gregorfe314812011-06-21 17:03:29 +00004641 case Expr::MaterializeTemporaryExprClass:
John McCallfe96e0b2011-11-06 09:01:30 +00004642 case Expr::PseudoObjectExprClass:
Eli Friedmandf14b3a2011-10-11 02:20:01 +00004643 case Expr::AtomicExprClass:
John McCall864e3962010-05-07 05:32:02 +00004644 return ICEDiag(2, E->getLocStart());
4645
Sebastian Redl12757ab2011-09-24 17:48:14 +00004646 case Expr::InitListExprClass:
4647 if (Ctx.getLangOptions().CPlusPlus0x) {
4648 const InitListExpr *ILE = cast<InitListExpr>(E);
4649 if (ILE->getNumInits() == 0)
4650 return NoDiag();
4651 if (ILE->getNumInits() == 1)
4652 return CheckICE(ILE->getInit(0), Ctx);
4653 // Fall through for more than 1 expression.
4654 }
4655 return ICEDiag(2, E->getLocStart());
4656
Douglas Gregor820ba7b2011-01-04 17:33:58 +00004657 case Expr::SizeOfPackExprClass:
John McCall864e3962010-05-07 05:32:02 +00004658 case Expr::GNUNullExprClass:
4659 // GCC considers the GNU __null value to be an integral constant expression.
4660 return NoDiag();
4661
John McCall7c454bb2011-07-15 05:09:51 +00004662 case Expr::SubstNonTypeTemplateParmExprClass:
4663 return
4664 CheckICE(cast<SubstNonTypeTemplateParmExpr>(E)->getReplacement(), Ctx);
4665
John McCall864e3962010-05-07 05:32:02 +00004666 case Expr::ParenExprClass:
4667 return CheckICE(cast<ParenExpr>(E)->getSubExpr(), Ctx);
Peter Collingbourne91147592011-04-15 00:35:48 +00004668 case Expr::GenericSelectionExprClass:
4669 return CheckICE(cast<GenericSelectionExpr>(E)->getResultExpr(), Ctx);
John McCall864e3962010-05-07 05:32:02 +00004670 case Expr::IntegerLiteralClass:
4671 case Expr::CharacterLiteralClass:
4672 case Expr::CXXBoolLiteralExprClass:
Douglas Gregor747eb782010-07-08 06:14:04 +00004673 case Expr::CXXScalarValueInitExprClass:
John McCall864e3962010-05-07 05:32:02 +00004674 case Expr::UnaryTypeTraitExprClass:
Francois Pichet9dfa3ce2010-12-07 00:08:36 +00004675 case Expr::BinaryTypeTraitExprClass:
John Wiegley6242b6a2011-04-28 00:16:57 +00004676 case Expr::ArrayTypeTraitExprClass:
John Wiegleyf9f65842011-04-25 06:54:41 +00004677 case Expr::ExpressionTraitExprClass:
Sebastian Redl4202c0f2010-09-10 20:55:43 +00004678 case Expr::CXXNoexceptExprClass:
John McCall864e3962010-05-07 05:32:02 +00004679 return NoDiag();
4680 case Expr::CallExprClass:
Alexis Hunt3b791862010-08-30 17:47:05 +00004681 case Expr::CXXOperatorCallExprClass: {
Richard Smith62f65952011-10-24 22:35:48 +00004682 // C99 6.6/3 allows function calls within unevaluated subexpressions of
4683 // constant expressions, but they can never be ICEs because an ICE cannot
4684 // contain an operand of (pointer to) function type.
John McCall864e3962010-05-07 05:32:02 +00004685 const CallExpr *CE = cast<CallExpr>(E);
Richard Smithd62306a2011-11-10 06:34:14 +00004686 if (CE->isBuiltinCall())
John McCall864e3962010-05-07 05:32:02 +00004687 return CheckEvalInICE(E, Ctx);
4688 return ICEDiag(2, E->getLocStart());
4689 }
4690 case Expr::DeclRefExprClass:
4691 if (isa<EnumConstantDecl>(cast<DeclRefExpr>(E)->getDecl()))
4692 return NoDiag();
Richard Smith27908702011-10-24 17:54:18 +00004693 if (Ctx.getLangOptions().CPlusPlus && IsConstNonVolatile(E->getType())) {
John McCall864e3962010-05-07 05:32:02 +00004694 const NamedDecl *D = cast<DeclRefExpr>(E)->getDecl();
4695
4696 // Parameter variables are never constants. Without this check,
4697 // getAnyInitializer() can find a default argument, which leads
4698 // to chaos.
4699 if (isa<ParmVarDecl>(D))
4700 return ICEDiag(2, cast<DeclRefExpr>(E)->getLocation());
4701
4702 // C++ 7.1.5.1p2
4703 // A variable of non-volatile const-qualified integral or enumeration
4704 // type initialized by an ICE can be used in ICEs.
4705 if (const VarDecl *Dcl = dyn_cast<VarDecl>(D)) {
Richard Smithec8dcd22011-11-08 01:31:09 +00004706 if (!Dcl->getType()->isIntegralOrEnumerationType())
4707 return ICEDiag(2, cast<DeclRefExpr>(E)->getLocation());
4708
John McCall864e3962010-05-07 05:32:02 +00004709 // Look for a declaration of this variable that has an initializer.
4710 const VarDecl *ID = 0;
4711 const Expr *Init = Dcl->getAnyInitializer(ID);
4712 if (Init) {
4713 if (ID->isInitKnownICE()) {
4714 // We have already checked whether this subexpression is an
4715 // integral constant expression.
4716 if (ID->isInitICE())
4717 return NoDiag();
4718 else
4719 return ICEDiag(2, cast<DeclRefExpr>(E)->getLocation());
4720 }
4721
4722 // It's an ICE whether or not the definition we found is
4723 // out-of-line. See DR 721 and the discussion in Clang PR
4724 // 6206 for details.
4725
4726 if (Dcl->isCheckingICE()) {
4727 return ICEDiag(2, cast<DeclRefExpr>(E)->getLocation());
4728 }
4729
4730 Dcl->setCheckingICE();
4731 ICEDiag Result = CheckICE(Init, Ctx);
4732 // Cache the result of the ICE test.
4733 Dcl->setInitKnownICE(Result.Val == 0);
4734 return Result;
4735 }
4736 }
4737 }
4738 return ICEDiag(2, E->getLocStart());
4739 case Expr::UnaryOperatorClass: {
4740 const UnaryOperator *Exp = cast<UnaryOperator>(E);
4741 switch (Exp->getOpcode()) {
John McCalle3027922010-08-25 11:45:40 +00004742 case UO_PostInc:
4743 case UO_PostDec:
4744 case UO_PreInc:
4745 case UO_PreDec:
4746 case UO_AddrOf:
4747 case UO_Deref:
Richard Smith62f65952011-10-24 22:35:48 +00004748 // C99 6.6/3 allows increment and decrement within unevaluated
4749 // subexpressions of constant expressions, but they can never be ICEs
4750 // because an ICE cannot contain an lvalue operand.
John McCall864e3962010-05-07 05:32:02 +00004751 return ICEDiag(2, E->getLocStart());
John McCalle3027922010-08-25 11:45:40 +00004752 case UO_Extension:
4753 case UO_LNot:
4754 case UO_Plus:
4755 case UO_Minus:
4756 case UO_Not:
4757 case UO_Real:
4758 case UO_Imag:
John McCall864e3962010-05-07 05:32:02 +00004759 return CheckICE(Exp->getSubExpr(), Ctx);
John McCall864e3962010-05-07 05:32:02 +00004760 }
4761
4762 // OffsetOf falls through here.
4763 }
4764 case Expr::OffsetOfExprClass: {
4765 // Note that per C99, offsetof must be an ICE. And AFAIK, using
Richard Smith7b553f12011-10-29 00:50:52 +00004766 // EvaluateAsRValue matches the proposed gcc behavior for cases like
Richard Smith62f65952011-10-24 22:35:48 +00004767 // "offsetof(struct s{int x[4];}, x[1.0])". This doesn't affect
John McCall864e3962010-05-07 05:32:02 +00004768 // compliance: we should warn earlier for offsetof expressions with
4769 // array subscripts that aren't ICEs, and if the array subscripts
4770 // are ICEs, the value of the offsetof must be an integer constant.
4771 return CheckEvalInICE(E, Ctx);
4772 }
Peter Collingbournee190dee2011-03-11 19:24:49 +00004773 case Expr::UnaryExprOrTypeTraitExprClass: {
4774 const UnaryExprOrTypeTraitExpr *Exp = cast<UnaryExprOrTypeTraitExpr>(E);
4775 if ((Exp->getKind() == UETT_SizeOf) &&
4776 Exp->getTypeOfArgument()->isVariableArrayType())
John McCall864e3962010-05-07 05:32:02 +00004777 return ICEDiag(2, E->getLocStart());
4778 return NoDiag();
4779 }
4780 case Expr::BinaryOperatorClass: {
4781 const BinaryOperator *Exp = cast<BinaryOperator>(E);
4782 switch (Exp->getOpcode()) {
John McCalle3027922010-08-25 11:45:40 +00004783 case BO_PtrMemD:
4784 case BO_PtrMemI:
4785 case BO_Assign:
4786 case BO_MulAssign:
4787 case BO_DivAssign:
4788 case BO_RemAssign:
4789 case BO_AddAssign:
4790 case BO_SubAssign:
4791 case BO_ShlAssign:
4792 case BO_ShrAssign:
4793 case BO_AndAssign:
4794 case BO_XorAssign:
4795 case BO_OrAssign:
Richard Smith62f65952011-10-24 22:35:48 +00004796 // C99 6.6/3 allows assignments within unevaluated subexpressions of
4797 // constant expressions, but they can never be ICEs because an ICE cannot
4798 // contain an lvalue operand.
John McCall864e3962010-05-07 05:32:02 +00004799 return ICEDiag(2, E->getLocStart());
4800
John McCalle3027922010-08-25 11:45:40 +00004801 case BO_Mul:
4802 case BO_Div:
4803 case BO_Rem:
4804 case BO_Add:
4805 case BO_Sub:
4806 case BO_Shl:
4807 case BO_Shr:
4808 case BO_LT:
4809 case BO_GT:
4810 case BO_LE:
4811 case BO_GE:
4812 case BO_EQ:
4813 case BO_NE:
4814 case BO_And:
4815 case BO_Xor:
4816 case BO_Or:
4817 case BO_Comma: {
John McCall864e3962010-05-07 05:32:02 +00004818 ICEDiag LHSResult = CheckICE(Exp->getLHS(), Ctx);
4819 ICEDiag RHSResult = CheckICE(Exp->getRHS(), Ctx);
John McCalle3027922010-08-25 11:45:40 +00004820 if (Exp->getOpcode() == BO_Div ||
4821 Exp->getOpcode() == BO_Rem) {
Richard Smith7b553f12011-10-29 00:50:52 +00004822 // EvaluateAsRValue gives an error for undefined Div/Rem, so make sure
John McCall864e3962010-05-07 05:32:02 +00004823 // we don't evaluate one.
John McCall4b136332011-02-26 08:27:17 +00004824 if (LHSResult.Val == 0 && RHSResult.Val == 0) {
Richard Smithcaf33902011-10-10 18:28:20 +00004825 llvm::APSInt REval = Exp->getRHS()->EvaluateKnownConstInt(Ctx);
John McCall864e3962010-05-07 05:32:02 +00004826 if (REval == 0)
4827 return ICEDiag(1, E->getLocStart());
4828 if (REval.isSigned() && REval.isAllOnesValue()) {
Richard Smithcaf33902011-10-10 18:28:20 +00004829 llvm::APSInt LEval = Exp->getLHS()->EvaluateKnownConstInt(Ctx);
John McCall864e3962010-05-07 05:32:02 +00004830 if (LEval.isMinSignedValue())
4831 return ICEDiag(1, E->getLocStart());
4832 }
4833 }
4834 }
John McCalle3027922010-08-25 11:45:40 +00004835 if (Exp->getOpcode() == BO_Comma) {
John McCall864e3962010-05-07 05:32:02 +00004836 if (Ctx.getLangOptions().C99) {
4837 // C99 6.6p3 introduces a strange edge case: comma can be in an ICE
4838 // if it isn't evaluated.
4839 if (LHSResult.Val == 0 && RHSResult.Val == 0)
4840 return ICEDiag(1, E->getLocStart());
4841 } else {
4842 // In both C89 and C++, commas in ICEs are illegal.
4843 return ICEDiag(2, E->getLocStart());
4844 }
4845 }
4846 if (LHSResult.Val >= RHSResult.Val)
4847 return LHSResult;
4848 return RHSResult;
4849 }
John McCalle3027922010-08-25 11:45:40 +00004850 case BO_LAnd:
4851 case BO_LOr: {
John McCall864e3962010-05-07 05:32:02 +00004852 ICEDiag LHSResult = CheckICE(Exp->getLHS(), Ctx);
Douglas Gregorfcafc6e2011-05-24 16:02:01 +00004853
4854 // C++0x [expr.const]p2:
4855 // [...] subexpressions of logical AND (5.14), logical OR
4856 // (5.15), and condi- tional (5.16) operations that are not
4857 // evaluated are not considered.
4858 if (Ctx.getLangOptions().CPlusPlus0x && LHSResult.Val == 0) {
4859 if (Exp->getOpcode() == BO_LAnd &&
Richard Smithcaf33902011-10-10 18:28:20 +00004860 Exp->getLHS()->EvaluateKnownConstInt(Ctx) == 0)
Douglas Gregorfcafc6e2011-05-24 16:02:01 +00004861 return LHSResult;
4862
4863 if (Exp->getOpcode() == BO_LOr &&
Richard Smithcaf33902011-10-10 18:28:20 +00004864 Exp->getLHS()->EvaluateKnownConstInt(Ctx) != 0)
Douglas Gregorfcafc6e2011-05-24 16:02:01 +00004865 return LHSResult;
4866 }
4867
John McCall864e3962010-05-07 05:32:02 +00004868 ICEDiag RHSResult = CheckICE(Exp->getRHS(), Ctx);
4869 if (LHSResult.Val == 0 && RHSResult.Val == 1) {
4870 // Rare case where the RHS has a comma "side-effect"; we need
4871 // to actually check the condition to see whether the side
4872 // with the comma is evaluated.
John McCalle3027922010-08-25 11:45:40 +00004873 if ((Exp->getOpcode() == BO_LAnd) !=
Richard Smithcaf33902011-10-10 18:28:20 +00004874 (Exp->getLHS()->EvaluateKnownConstInt(Ctx) == 0))
John McCall864e3962010-05-07 05:32:02 +00004875 return RHSResult;
4876 return NoDiag();
4877 }
4878
4879 if (LHSResult.Val >= RHSResult.Val)
4880 return LHSResult;
4881 return RHSResult;
4882 }
4883 }
4884 }
4885 case Expr::ImplicitCastExprClass:
4886 case Expr::CStyleCastExprClass:
4887 case Expr::CXXFunctionalCastExprClass:
4888 case Expr::CXXStaticCastExprClass:
4889 case Expr::CXXReinterpretCastExprClass:
Richard Smithc3e31e72011-10-24 18:26:35 +00004890 case Expr::CXXConstCastExprClass:
John McCall31168b02011-06-15 23:02:42 +00004891 case Expr::ObjCBridgedCastExprClass: {
John McCall864e3962010-05-07 05:32:02 +00004892 const Expr *SubExpr = cast<CastExpr>(E)->getSubExpr();
Richard Smith2d7bb042011-10-25 00:21:54 +00004893 if (isa<ExplicitCastExpr>(E) &&
Richard Smithc3e31e72011-10-24 18:26:35 +00004894 isa<FloatingLiteral>(SubExpr->IgnoreParenImpCasts()))
4895 return NoDiag();
Eli Friedman76d4e432011-09-29 21:49:34 +00004896 switch (cast<CastExpr>(E)->getCastKind()) {
4897 case CK_LValueToRValue:
4898 case CK_NoOp:
4899 case CK_IntegralToBoolean:
4900 case CK_IntegralCast:
John McCall864e3962010-05-07 05:32:02 +00004901 return CheckICE(SubExpr, Ctx);
Eli Friedman76d4e432011-09-29 21:49:34 +00004902 default:
Eli Friedman76d4e432011-09-29 21:49:34 +00004903 return ICEDiag(2, E->getLocStart());
4904 }
John McCall864e3962010-05-07 05:32:02 +00004905 }
John McCallc07a0c72011-02-17 10:25:35 +00004906 case Expr::BinaryConditionalOperatorClass: {
4907 const BinaryConditionalOperator *Exp = cast<BinaryConditionalOperator>(E);
4908 ICEDiag CommonResult = CheckICE(Exp->getCommon(), Ctx);
4909 if (CommonResult.Val == 2) return CommonResult;
4910 ICEDiag FalseResult = CheckICE(Exp->getFalseExpr(), Ctx);
4911 if (FalseResult.Val == 2) return FalseResult;
4912 if (CommonResult.Val == 1) return CommonResult;
4913 if (FalseResult.Val == 1 &&
Richard Smithcaf33902011-10-10 18:28:20 +00004914 Exp->getCommon()->EvaluateKnownConstInt(Ctx) == 0) return NoDiag();
John McCallc07a0c72011-02-17 10:25:35 +00004915 return FalseResult;
4916 }
John McCall864e3962010-05-07 05:32:02 +00004917 case Expr::ConditionalOperatorClass: {
4918 const ConditionalOperator *Exp = cast<ConditionalOperator>(E);
4919 // If the condition (ignoring parens) is a __builtin_constant_p call,
4920 // then only the true side is actually considered in an integer constant
4921 // expression, and it is fully evaluated. This is an important GNU
4922 // extension. See GCC PR38377 for discussion.
4923 if (const CallExpr *CallCE
4924 = dyn_cast<CallExpr>(Exp->getCond()->IgnoreParenCasts()))
Richard Smithd62306a2011-11-10 06:34:14 +00004925 if (CallCE->isBuiltinCall() == Builtin::BI__builtin_constant_p) {
John McCall864e3962010-05-07 05:32:02 +00004926 Expr::EvalResult EVResult;
Richard Smith7b553f12011-10-29 00:50:52 +00004927 if (!E->EvaluateAsRValue(EVResult, Ctx) || EVResult.HasSideEffects ||
John McCall864e3962010-05-07 05:32:02 +00004928 !EVResult.Val.isInt()) {
4929 return ICEDiag(2, E->getLocStart());
4930 }
4931 return NoDiag();
4932 }
4933 ICEDiag CondResult = CheckICE(Exp->getCond(), Ctx);
John McCall864e3962010-05-07 05:32:02 +00004934 if (CondResult.Val == 2)
4935 return CondResult;
Douglas Gregorfcafc6e2011-05-24 16:02:01 +00004936
4937 // C++0x [expr.const]p2:
4938 // subexpressions of [...] conditional (5.16) operations that
4939 // are not evaluated are not considered
4940 bool TrueBranch = Ctx.getLangOptions().CPlusPlus0x
Richard Smithcaf33902011-10-10 18:28:20 +00004941 ? Exp->getCond()->EvaluateKnownConstInt(Ctx) != 0
Douglas Gregorfcafc6e2011-05-24 16:02:01 +00004942 : false;
4943 ICEDiag TrueResult = NoDiag();
4944 if (!Ctx.getLangOptions().CPlusPlus0x || TrueBranch)
4945 TrueResult = CheckICE(Exp->getTrueExpr(), Ctx);
4946 ICEDiag FalseResult = NoDiag();
4947 if (!Ctx.getLangOptions().CPlusPlus0x || !TrueBranch)
4948 FalseResult = CheckICE(Exp->getFalseExpr(), Ctx);
4949
John McCall864e3962010-05-07 05:32:02 +00004950 if (TrueResult.Val == 2)
4951 return TrueResult;
4952 if (FalseResult.Val == 2)
4953 return FalseResult;
4954 if (CondResult.Val == 1)
4955 return CondResult;
4956 if (TrueResult.Val == 0 && FalseResult.Val == 0)
4957 return NoDiag();
4958 // Rare case where the diagnostics depend on which side is evaluated
4959 // Note that if we get here, CondResult is 0, and at least one of
4960 // TrueResult and FalseResult is non-zero.
Richard Smithcaf33902011-10-10 18:28:20 +00004961 if (Exp->getCond()->EvaluateKnownConstInt(Ctx) == 0) {
John McCall864e3962010-05-07 05:32:02 +00004962 return FalseResult;
4963 }
4964 return TrueResult;
4965 }
4966 case Expr::CXXDefaultArgExprClass:
4967 return CheckICE(cast<CXXDefaultArgExpr>(E)->getExpr(), Ctx);
4968 case Expr::ChooseExprClass: {
4969 return CheckICE(cast<ChooseExpr>(E)->getChosenSubExpr(Ctx), Ctx);
4970 }
4971 }
4972
4973 // Silence a GCC warning
4974 return ICEDiag(2, E->getLocStart());
4975}
4976
4977bool Expr::isIntegerConstantExpr(llvm::APSInt &Result, ASTContext &Ctx,
4978 SourceLocation *Loc, bool isEvaluated) const {
4979 ICEDiag d = CheckICE(this, Ctx);
4980 if (d.Val != 0) {
4981 if (Loc) *Loc = d.Loc;
4982 return false;
4983 }
Richard Smith11562c52011-10-28 17:51:58 +00004984 if (!EvaluateAsInt(Result, Ctx))
John McCall864e3962010-05-07 05:32:02 +00004985 llvm_unreachable("ICE cannot be evaluated!");
John McCall864e3962010-05-07 05:32:02 +00004986 return true;
4987}