Revert r5920. Will re-land shortly.
[platform/upstream/v8.git] / src / arm / codegen-arm.h
1 // Copyright 2010 the V8 project authors. All rights reserved.
2 // Redistribution and use in source and binary forms, with or without
3 // modification, are permitted provided that the following conditions are
4 // met:
5 //
6 //     * Redistributions of source code must retain the above copyright
7 //       notice, this list of conditions and the following disclaimer.
8 //     * Redistributions in binary form must reproduce the above
9 //       copyright notice, this list of conditions and the following
10 //       disclaimer in the documentation and/or other materials provided
11 //       with the distribution.
12 //     * Neither the name of Google Inc. nor the names of its
13 //       contributors may be used to endorse or promote products derived
14 //       from this software without specific prior written permission.
15 //
16 // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
17 // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
18 // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
19 // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
20 // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
21 // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
22 // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
23 // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
24 // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
25 // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
26 // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
27
28 #ifndef V8_ARM_CODEGEN_ARM_H_
29 #define V8_ARM_CODEGEN_ARM_H_
30
31 #include "ast.h"
32 #include "code-stubs-arm.h"
33 #include "ic-inl.h"
34
35 namespace v8 {
36 namespace internal {
37
38 // Forward declarations
39 class CompilationInfo;
40 class DeferredCode;
41 class JumpTarget;
42 class RegisterAllocator;
43 class RegisterFile;
44
45 enum InitState { CONST_INIT, NOT_CONST_INIT };
46 enum TypeofState { INSIDE_TYPEOF, NOT_INSIDE_TYPEOF };
47 enum GenerateInlineSmi { DONT_GENERATE_INLINE_SMI, GENERATE_INLINE_SMI };
48 enum WriteBarrierCharacter { UNLIKELY_SMI, LIKELY_SMI, NEVER_NEWSPACE };
49
50
51 // -------------------------------------------------------------------------
52 // Reference support
53
54 // A reference is a C++ stack-allocated object that puts a
55 // reference on the virtual frame.  The reference may be consumed
56 // by GetValue, TakeValue, SetValue, and Codegen::UnloadReference.
57 // When the lifetime (scope) of a valid reference ends, it must have
58 // been consumed, and be in state UNLOADED.
59 class Reference BASE_EMBEDDED {
60  public:
61   // The values of the types is important, see size().
62   enum Type { UNLOADED = -2, ILLEGAL = -1, SLOT = 0, NAMED = 1, KEYED = 2 };
63   Reference(CodeGenerator* cgen,
64             Expression* expression,
65             bool persist_after_get = false);
66   ~Reference();
67
68   Expression* expression() const { return expression_; }
69   Type type() const { return type_; }
70   void set_type(Type value) {
71     ASSERT_EQ(ILLEGAL, type_);
72     type_ = value;
73   }
74
75   void set_unloaded() {
76     ASSERT_NE(ILLEGAL, type_);
77     ASSERT_NE(UNLOADED, type_);
78     type_ = UNLOADED;
79   }
80   // The size the reference takes up on the stack.
81   int size() const {
82     return (type_ < SLOT) ? 0 : type_;
83   }
84
85   bool is_illegal() const { return type_ == ILLEGAL; }
86   bool is_slot() const { return type_ == SLOT; }
87   bool is_property() const { return type_ == NAMED || type_ == KEYED; }
88   bool is_unloaded() const { return type_ == UNLOADED; }
89
90   // Return the name.  Only valid for named property references.
91   Handle<String> GetName();
92
93   // Generate code to push the value of the reference on top of the
94   // expression stack.  The reference is expected to be already on top of
95   // the expression stack, and it is consumed by the call unless the
96   // reference is for a compound assignment.
97   // If the reference is not consumed, it is left in place under its value.
98   void GetValue();
99
100   // Generate code to store the value on top of the expression stack in the
101   // reference.  The reference is expected to be immediately below the value
102   // on the expression stack.  The  value is stored in the location specified
103   // by the reference, and is left on top of the stack, after the reference
104   // is popped from beneath it (unloaded).
105   void SetValue(InitState init_state, WriteBarrierCharacter wb);
106
107   // This is in preparation for something that uses the reference on the stack.
108   // If we need this reference afterwards get then dup it now.  Otherwise mark
109   // it as used.
110   inline void DupIfPersist();
111
112  private:
113   CodeGenerator* cgen_;
114   Expression* expression_;
115   Type type_;
116   // Keep the reference on the stack after get, so it can be used by set later.
117   bool persist_after_get_;
118 };
119
120
121 // -------------------------------------------------------------------------
122 // Code generation state
123
124 // The state is passed down the AST by the code generator (and back up, in
125 // the form of the state of the label pair).  It is threaded through the
126 // call stack.  Constructing a state implicitly pushes it on the owning code
127 // generator's stack of states, and destroying one implicitly pops it.
128
129 class CodeGenState BASE_EMBEDDED {
130  public:
131   // Create an initial code generator state.  Destroying the initial state
132   // leaves the code generator with a NULL state.
133   explicit CodeGenState(CodeGenerator* owner);
134
135   // Destroy a code generator state and restore the owning code generator's
136   // previous state.
137   virtual ~CodeGenState();
138
139   virtual JumpTarget* true_target() const { return NULL; }
140   virtual JumpTarget* false_target() const { return NULL; }
141
142  protected:
143   inline CodeGenerator* owner() { return owner_; }
144   inline CodeGenState* previous() const { return previous_; }
145
146  private:
147   CodeGenerator* owner_;
148   CodeGenState* previous_;
149 };
150
151
152 class ConditionCodeGenState : public CodeGenState {
153  public:
154   // Create a code generator state based on a code generator's current
155   // state.  The new state has its own pair of branch labels.
156   ConditionCodeGenState(CodeGenerator* owner,
157                         JumpTarget* true_target,
158                         JumpTarget* false_target);
159
160   virtual JumpTarget* true_target() const { return true_target_; }
161   virtual JumpTarget* false_target() const { return false_target_; }
162
163  private:
164   JumpTarget* true_target_;
165   JumpTarget* false_target_;
166 };
167
168
169 class TypeInfoCodeGenState : public CodeGenState {
170  public:
171   TypeInfoCodeGenState(CodeGenerator* owner,
172                        Slot* slot_number,
173                        TypeInfo info);
174   ~TypeInfoCodeGenState();
175
176   virtual JumpTarget* true_target() const { return previous()->true_target(); }
177   virtual JumpTarget* false_target() const {
178     return previous()->false_target();
179   }
180
181  private:
182   Slot* slot_;
183   TypeInfo old_type_info_;
184 };
185
186
187 // -------------------------------------------------------------------------
188 // Arguments allocation mode
189
190 enum ArgumentsAllocationMode {
191   NO_ARGUMENTS_ALLOCATION,
192   EAGER_ARGUMENTS_ALLOCATION,
193   LAZY_ARGUMENTS_ALLOCATION
194 };
195
196
197 // -------------------------------------------------------------------------
198 // CodeGenerator
199
200 class CodeGenerator: public AstVisitor {
201  public:
202   static bool MakeCode(CompilationInfo* info);
203
204   // Printing of AST, etc. as requested by flags.
205   static void MakeCodePrologue(CompilationInfo* info);
206
207   // Allocate and install the code.
208   static Handle<Code> MakeCodeEpilogue(MacroAssembler* masm,
209                                        Code::Flags flags,
210                                        CompilationInfo* info);
211
212 #ifdef ENABLE_LOGGING_AND_PROFILING
213   static bool ShouldGenerateLog(Expression* type);
214 #endif
215
216   static void SetFunctionInfo(Handle<JSFunction> fun,
217                               FunctionLiteral* lit,
218                               bool is_toplevel,
219                               Handle<Script> script);
220
221   static bool RecordPositions(MacroAssembler* masm,
222                               int pos,
223                               bool right_here = false);
224
225   // Accessors
226   MacroAssembler* masm() { return masm_; }
227   VirtualFrame* frame() const { return frame_; }
228   inline Handle<Script> script();
229
230   bool has_valid_frame() const { return frame_ != NULL; }
231
232   // Set the virtual frame to be new_frame, with non-frame register
233   // reference counts given by non_frame_registers.  The non-frame
234   // register reference counts of the old frame are returned in
235   // non_frame_registers.
236   void SetFrame(VirtualFrame* new_frame, RegisterFile* non_frame_registers);
237
238   void DeleteFrame();
239
240   RegisterAllocator* allocator() const { return allocator_; }
241
242   CodeGenState* state() { return state_; }
243   void set_state(CodeGenState* state) { state_ = state; }
244
245   TypeInfo type_info(Slot* slot) {
246     int index = NumberOfSlot(slot);
247     if (index == kInvalidSlotNumber) return TypeInfo::Unknown();
248     return (*type_info_)[index];
249   }
250
251   TypeInfo set_type_info(Slot* slot, TypeInfo info) {
252     int index = NumberOfSlot(slot);
253     ASSERT(index >= kInvalidSlotNumber);
254     if (index != kInvalidSlotNumber) {
255       TypeInfo previous_value = (*type_info_)[index];
256       (*type_info_)[index] = info;
257       return previous_value;
258     }
259     return TypeInfo::Unknown();
260   }
261
262   void AddDeferred(DeferredCode* code) { deferred_.Add(code); }
263
264   // Constants related to patching of inlined load/store.
265   static int GetInlinedKeyedLoadInstructionsAfterPatch() {
266     return FLAG_debug_code ? 32 : 13;
267   }
268   static const int kInlinedKeyedStoreInstructionsAfterPatch = 5;
269   static int GetInlinedNamedStoreInstructionsAfterPatch() {
270     ASSERT(inlined_write_barrier_size_ != -1);
271     return inlined_write_barrier_size_ + 4;
272   }
273
274  private:
275   // Type of a member function that generates inline code for a native function.
276   typedef void (CodeGenerator::*InlineFunctionGenerator)
277       (ZoneList<Expression*>*);
278
279   static const InlineFunctionGenerator kInlineFunctionGenerators[];
280
281   // Construction/Destruction
282   explicit CodeGenerator(MacroAssembler* masm);
283
284   // Accessors
285   inline bool is_eval();
286   inline Scope* scope();
287
288   // Generating deferred code.
289   void ProcessDeferred();
290
291   static const int kInvalidSlotNumber = -1;
292
293   int NumberOfSlot(Slot* slot);
294
295   // State
296   bool has_cc() const { return cc_reg_ != al; }
297   JumpTarget* true_target() const { return state_->true_target(); }
298   JumpTarget* false_target() const { return state_->false_target(); }
299
300   // Track loop nesting level.
301   int loop_nesting() const { return loop_nesting_; }
302   void IncrementLoopNesting() { loop_nesting_++; }
303   void DecrementLoopNesting() { loop_nesting_--; }
304
305   // Node visitors.
306   void VisitStatements(ZoneList<Statement*>* statements);
307
308 #define DEF_VISIT(type) \
309   void Visit##type(type* node);
310   AST_NODE_LIST(DEF_VISIT)
311 #undef DEF_VISIT
312
313   // Main code generation function
314   void Generate(CompilationInfo* info);
315
316   // Generate the return sequence code.  Should be called no more than
317   // once per compiled function, immediately after binding the return
318   // target (which can not be done more than once).  The return value should
319   // be in r0.
320   void GenerateReturnSequence();
321
322   // Returns the arguments allocation mode.
323   ArgumentsAllocationMode ArgumentsMode();
324
325   // Store the arguments object and allocate it if necessary.
326   void StoreArgumentsObject(bool initial);
327
328   // The following are used by class Reference.
329   void LoadReference(Reference* ref);
330   void UnloadReference(Reference* ref);
331
332   MemOperand SlotOperand(Slot* slot, Register tmp);
333
334   MemOperand ContextSlotOperandCheckExtensions(Slot* slot,
335                                                Register tmp,
336                                                Register tmp2,
337                                                JumpTarget* slow);
338
339   // Expressions
340   void LoadCondition(Expression* x,
341                      JumpTarget* true_target,
342                      JumpTarget* false_target,
343                      bool force_cc);
344   void Load(Expression* expr);
345   void LoadGlobal();
346   void LoadGlobalReceiver(Register scratch);
347
348   // Read a value from a slot and leave it on top of the expression stack.
349   void LoadFromSlot(Slot* slot, TypeofState typeof_state);
350   void LoadFromSlotCheckForArguments(Slot* slot, TypeofState state);
351
352   // Store the value on top of the stack to a slot.
353   void StoreToSlot(Slot* slot, InitState init_state);
354
355   // Support for compiling assignment expressions.
356   void EmitSlotAssignment(Assignment* node);
357   void EmitNamedPropertyAssignment(Assignment* node);
358   void EmitKeyedPropertyAssignment(Assignment* node);
359
360   // Load a named property, returning it in r0. The receiver is passed on the
361   // stack, and remains there.
362   void EmitNamedLoad(Handle<String> name, bool is_contextual);
363
364   // Store to a named property. If the store is contextual, value is passed on
365   // the frame and consumed. Otherwise, receiver and value are passed on the
366   // frame and consumed. The result is returned in r0.
367   void EmitNamedStore(Handle<String> name, bool is_contextual);
368
369   // Load a keyed property, leaving it in r0.  The receiver and key are
370   // passed on the stack, and remain there.
371   void EmitKeyedLoad();
372
373   // Store a keyed property. Key and receiver are on the stack and the value is
374   // in r0. Result is returned in r0.
375   void EmitKeyedStore(StaticType* key_type, WriteBarrierCharacter wb_info);
376
377   void LoadFromGlobalSlotCheckExtensions(Slot* slot,
378                                          TypeofState typeof_state,
379                                          JumpTarget* slow);
380
381   // Support for loading from local/global variables and arguments
382   // whose location is known unless they are shadowed by
383   // eval-introduced bindings. Generates no code for unsupported slot
384   // types and therefore expects to fall through to the slow jump target.
385   void EmitDynamicLoadFromSlotFastCase(Slot* slot,
386                                        TypeofState typeof_state,
387                                        JumpTarget* slow,
388                                        JumpTarget* done);
389
390   // Special code for typeof expressions: Unfortunately, we must
391   // be careful when loading the expression in 'typeof'
392   // expressions. We are not allowed to throw reference errors for
393   // non-existing properties of the global object, so we must make it
394   // look like an explicit property access, instead of an access
395   // through the context chain.
396   void LoadTypeofExpression(Expression* x);
397
398   void ToBoolean(JumpTarget* true_target, JumpTarget* false_target);
399
400   // Generate code that computes a shortcutting logical operation.
401   void GenerateLogicalBooleanOperation(BinaryOperation* node);
402
403   void GenericBinaryOperation(Token::Value op,
404                               OverwriteMode overwrite_mode,
405                               GenerateInlineSmi inline_smi,
406                               int known_rhs =
407                                   GenericBinaryOpStub::kUnknownIntValue);
408   void Comparison(Condition cc,
409                   Expression* left,
410                   Expression* right,
411                   bool strict = false);
412
413   void SmiOperation(Token::Value op,
414                     Handle<Object> value,
415                     bool reversed,
416                     OverwriteMode mode);
417
418   void CallWithArguments(ZoneList<Expression*>* arguments,
419                          CallFunctionFlags flags,
420                          int position);
421
422   // An optimized implementation of expressions of the form
423   // x.apply(y, arguments).  We call x the applicand and y the receiver.
424   // The optimization avoids allocating an arguments object if possible.
425   void CallApplyLazy(Expression* applicand,
426                      Expression* receiver,
427                      VariableProxy* arguments,
428                      int position);
429
430   // Control flow
431   void Branch(bool if_true, JumpTarget* target);
432   void CheckStack();
433
434   bool CheckForInlineRuntimeCall(CallRuntime* node);
435
436   static Handle<Code> ComputeLazyCompile(int argc);
437   void ProcessDeclarations(ZoneList<Declaration*>* declarations);
438
439   // Declare global variables and functions in the given array of
440   // name/value pairs.
441   void DeclareGlobals(Handle<FixedArray> pairs);
442
443   // Instantiate the function based on the shared function info.
444   void InstantiateFunction(Handle<SharedFunctionInfo> function_info,
445                            bool pretenure);
446
447   // Support for type checks.
448   void GenerateIsSmi(ZoneList<Expression*>* args);
449   void GenerateIsNonNegativeSmi(ZoneList<Expression*>* args);
450   void GenerateIsArray(ZoneList<Expression*>* args);
451   void GenerateIsRegExp(ZoneList<Expression*>* args);
452   void GenerateIsObject(ZoneList<Expression*>* args);
453   void GenerateIsSpecObject(ZoneList<Expression*>* args);
454   void GenerateIsFunction(ZoneList<Expression*>* args);
455   void GenerateIsUndetectableObject(ZoneList<Expression*>* args);
456   void GenerateIsStringWrapperSafeForDefaultValueOf(
457       ZoneList<Expression*>* args);
458
459   // Support for construct call checks.
460   void GenerateIsConstructCall(ZoneList<Expression*>* args);
461
462   // Support for arguments.length and arguments[?].
463   void GenerateArgumentsLength(ZoneList<Expression*>* args);
464   void GenerateArguments(ZoneList<Expression*>* args);
465
466   // Support for accessing the class and value fields of an object.
467   void GenerateClassOf(ZoneList<Expression*>* args);
468   void GenerateValueOf(ZoneList<Expression*>* args);
469   void GenerateSetValueOf(ZoneList<Expression*>* args);
470
471   // Fast support for charCodeAt(n).
472   void GenerateStringCharCodeAt(ZoneList<Expression*>* args);
473
474   // Fast support for string.charAt(n) and string[n].
475   void GenerateStringCharFromCode(ZoneList<Expression*>* args);
476
477   // Fast support for string.charAt(n) and string[n].
478   void GenerateStringCharAt(ZoneList<Expression*>* args);
479
480   // Fast support for object equality testing.
481   void GenerateObjectEquals(ZoneList<Expression*>* args);
482
483   void GenerateLog(ZoneList<Expression*>* args);
484
485   // Fast support for Math.random().
486   void GenerateRandomHeapNumber(ZoneList<Expression*>* args);
487
488   // Fast support for StringAdd.
489   void GenerateStringAdd(ZoneList<Expression*>* args);
490
491   // Fast support for SubString.
492   void GenerateSubString(ZoneList<Expression*>* args);
493
494   // Fast support for StringCompare.
495   void GenerateStringCompare(ZoneList<Expression*>* args);
496
497   // Support for direct calls from JavaScript to native RegExp code.
498   void GenerateRegExpExec(ZoneList<Expression*>* args);
499
500   void GenerateRegExpConstructResult(ZoneList<Expression*>* args);
501
502   // Support for fast native caches.
503   void GenerateGetFromCache(ZoneList<Expression*>* args);
504
505   // Fast support for number to string.
506   void GenerateNumberToString(ZoneList<Expression*>* args);
507
508   // Fast swapping of elements.
509   void GenerateSwapElements(ZoneList<Expression*>* args);
510
511   // Fast call for custom callbacks.
512   void GenerateCallFunction(ZoneList<Expression*>* args);
513
514   // Fast call to math functions.
515   void GenerateMathPow(ZoneList<Expression*>* args);
516   void GenerateMathSin(ZoneList<Expression*>* args);
517   void GenerateMathCos(ZoneList<Expression*>* args);
518   void GenerateMathSqrt(ZoneList<Expression*>* args);
519   void GenerateMathLog(ZoneList<Expression*>* args);
520
521   void GenerateIsRegExpEquivalent(ZoneList<Expression*>* args);
522
523   void GenerateHasCachedArrayIndex(ZoneList<Expression*>* args);
524   void GenerateGetCachedArrayIndex(ZoneList<Expression*>* args);
525   void GenerateFastAsciiArrayJoin(ZoneList<Expression*>* args);
526
527   // Simple condition analysis.
528   enum ConditionAnalysis {
529     ALWAYS_TRUE,
530     ALWAYS_FALSE,
531     DONT_KNOW
532   };
533   ConditionAnalysis AnalyzeCondition(Expression* cond);
534
535   // Methods used to indicate which source code is generated for. Source
536   // positions are collected by the assembler and emitted with the relocation
537   // information.
538   void CodeForFunctionPosition(FunctionLiteral* fun);
539   void CodeForReturnPosition(FunctionLiteral* fun);
540   void CodeForStatementPosition(Statement* node);
541   void CodeForDoWhileConditionPosition(DoWhileStatement* stmt);
542   void CodeForSourcePosition(int pos);
543
544 #ifdef DEBUG
545   // True if the registers are valid for entry to a block.
546   bool HasValidEntryRegisters();
547 #endif
548
549   List<DeferredCode*> deferred_;
550
551   // Assembler
552   MacroAssembler* masm_;  // to generate code
553
554   CompilationInfo* info_;
555
556   // Code generation state
557   VirtualFrame* frame_;
558   RegisterAllocator* allocator_;
559   Condition cc_reg_;
560   CodeGenState* state_;
561   int loop_nesting_;
562
563   Vector<TypeInfo>* type_info_;
564
565   // Jump targets
566   BreakTarget function_return_;
567
568   // True if the function return is shadowed (ie, jumping to the target
569   // function_return_ does not jump to the true function return, but rather
570   // to some unlinking code).
571   bool function_return_is_shadowed_;
572
573   // Size of inlined write barriers generated by EmitNamedStore.
574   static int inlined_write_barrier_size_;
575
576   friend class VirtualFrame;
577   friend class JumpTarget;
578   friend class Reference;
579   friend class FastCodeGenerator;
580   friend class FullCodeGenerator;
581   friend class FullCodeGenSyntaxChecker;
582
583   DISALLOW_COPY_AND_ASSIGN(CodeGenerator);
584 };
585
586
587 } }  // namespace v8::internal
588
589 #endif  // V8_ARM_CODEGEN_ARM_H_