v8  3.14.5(node0.10.28)
V8 is Google's open source JavaScript engine
 All Data Structures Namespaces Files Functions Variables Typedefs Enumerations Enumerator Friends Macros Pages
shell.cc
Go to the documentation of this file.
1 // Copyright 2012 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 #include <v8.h>
29 #include <assert.h>
30 #include <fcntl.h>
31 #include <string.h>
32 #include <stdio.h>
33 #include <stdlib.h>
34 
35 #ifdef COMPRESS_STARTUP_DATA_BZ2
36 #error Using compressed startup data is not supported for this sample
37 #endif
38 
49 void RunShell(v8::Handle<v8::Context> context);
50 int RunMain(int argc, char* argv[]);
53  bool print_result,
54  bool report_exceptions);
60 v8::Handle<v8::String> ReadFile(const char* name);
61 void ReportException(v8::TryCatch* handler);
62 
63 
64 static bool run_shell;
65 
66 
67 int main(int argc, char* argv[]) {
68  v8::V8::SetFlagsFromCommandLine(&argc, argv, true);
69  run_shell = (argc == 1);
70  int result;
71  {
72  v8::HandleScope handle_scope;
74  if (context.IsEmpty()) {
75  printf("Error creating context\n");
76  return 1;
77  }
78  context->Enter();
79  result = RunMain(argc, argv);
80  if (run_shell) RunShell(context);
81  context->Exit();
82  context.Dispose();
83  }
85  return result;
86 }
87 
88 
89 // Extracts a C string from a V8 Utf8Value.
90 const char* ToCString(const v8::String::Utf8Value& value) {
91  return *value ? *value : "<string conversion failed>";
92 }
93 
94 
95 // Creates a new execution environment containing the built-in
96 // functions.
98  // Create a template for the global object.
100  // Bind the global 'print' function to the C++ Print callback.
102  // Bind the global 'read' function to the C++ Read callback.
104  // Bind the global 'load' function to the C++ Load callback.
106  // Bind the 'quit' function
108  // Bind the 'version' function
110 
111  return v8::Context::New(NULL, global);
112 }
113 
114 
115 // The callback that is invoked by v8 whenever the JavaScript 'print'
116 // function is called. Prints its arguments on stdout separated by
117 // spaces and ending with a newline.
119  bool first = true;
120  for (int i = 0; i < args.Length(); i++) {
121  v8::HandleScope handle_scope;
122  if (first) {
123  first = false;
124  } else {
125  printf(" ");
126  }
127  v8::String::Utf8Value str(args[i]);
128  const char* cstr = ToCString(str);
129  printf("%s", cstr);
130  }
131  printf("\n");
132  fflush(stdout);
133  return v8::Undefined();
134 }
135 
136 
137 // The callback that is invoked by v8 whenever the JavaScript 'read'
138 // function is called. This function loads the content of the file named in
139 // the argument into a JavaScript string.
141  if (args.Length() != 1) {
142  return v8::ThrowException(v8::String::New("Bad parameters"));
143  }
144  v8::String::Utf8Value file(args[0]);
145  if (*file == NULL) {
146  return v8::ThrowException(v8::String::New("Error loading file"));
147  }
148  v8::Handle<v8::String> source = ReadFile(*file);
149  if (source.IsEmpty()) {
150  return v8::ThrowException(v8::String::New("Error loading file"));
151  }
152  return source;
153 }
154 
155 
156 // The callback that is invoked by v8 whenever the JavaScript 'load'
157 // function is called. Loads, compiles and executes its argument
158 // JavaScript file.
160  for (int i = 0; i < args.Length(); i++) {
161  v8::HandleScope handle_scope;
162  v8::String::Utf8Value file(args[i]);
163  if (*file == NULL) {
164  return v8::ThrowException(v8::String::New("Error loading file"));
165  }
166  v8::Handle<v8::String> source = ReadFile(*file);
167  if (source.IsEmpty()) {
168  return v8::ThrowException(v8::String::New("Error loading file"));
169  }
170  if (!ExecuteString(source, v8::String::New(*file), false, false)) {
171  return v8::ThrowException(v8::String::New("Error executing file"));
172  }
173  }
174  return v8::Undefined();
175 }
176 
177 
178 // The callback that is invoked by v8 whenever the JavaScript 'quit'
179 // function is called. Quits.
181  // If not arguments are given args[0] will yield undefined which
182  // converts to the integer value 0.
183  int exit_code = args[0]->Int32Value();
184  fflush(stdout);
185  fflush(stderr);
186  exit(exit_code);
187  return v8::Undefined();
188 }
189 
190 
193 }
194 
195 
196 // Reads a file into a v8 string.
197 v8::Handle<v8::String> ReadFile(const char* name) {
198  FILE* file = fopen(name, "rb");
199  if (file == NULL) return v8::Handle<v8::String>();
200 
201  fseek(file, 0, SEEK_END);
202  int size = ftell(file);
203  rewind(file);
204 
205  char* chars = new char[size + 1];
206  chars[size] = '\0';
207  for (int i = 0; i < size;) {
208  int read = static_cast<int>(fread(&chars[i], 1, size - i, file));
209  i += read;
210  }
211  fclose(file);
212  v8::Handle<v8::String> result = v8::String::New(chars, size);
213  delete[] chars;
214  return result;
215 }
216 
217 
218 // Process remaining command line arguments and execute files
219 int RunMain(int argc, char* argv[]) {
220  for (int i = 1; i < argc; i++) {
221  const char* str = argv[i];
222  if (strcmp(str, "--shell") == 0) {
223  run_shell = true;
224  } else if (strcmp(str, "-f") == 0) {
225  // Ignore any -f flags for compatibility with the other stand-
226  // alone JavaScript engines.
227  continue;
228  } else if (strncmp(str, "--", 2) == 0) {
229  printf("Warning: unknown flag %s.\nTry --help for options\n", str);
230  } else if (strcmp(str, "-e") == 0 && i + 1 < argc) {
231  // Execute argument given to -e option directly.
232  v8::Handle<v8::String> file_name = v8::String::New("unnamed");
233  v8::Handle<v8::String> source = v8::String::New(argv[++i]);
234  if (!ExecuteString(source, file_name, false, true)) return 1;
235  } else {
236  // Use all other arguments as names of files to load and run.
237  v8::Handle<v8::String> file_name = v8::String::New(str);
238  v8::Handle<v8::String> source = ReadFile(str);
239  if (source.IsEmpty()) {
240  printf("Error reading '%s'\n", str);
241  continue;
242  }
243  if (!ExecuteString(source, file_name, false, true)) return 1;
244  }
245  }
246  return 0;
247 }
248 
249 
250 // The read-eval-execute loop of the shell.
252  printf("V8 version %s [sample shell]\n", v8::V8::GetVersion());
253  static const int kBufferSize = 256;
254  // Enter the execution environment before evaluating any code.
255  v8::Context::Scope context_scope(context);
256  v8::Local<v8::String> name(v8::String::New("(shell)"));
257  while (true) {
258  char buffer[kBufferSize];
259  printf("> ");
260  char* str = fgets(buffer, kBufferSize, stdin);
261  if (str == NULL) break;
262  v8::HandleScope handle_scope;
263  ExecuteString(v8::String::New(str), name, true, true);
264  }
265  printf("\n");
266 }
267 
268 
269 // Executes a string within the current v8 context.
272  bool print_result,
273  bool report_exceptions) {
274  v8::HandleScope handle_scope;
275  v8::TryCatch try_catch;
276  v8::Handle<v8::Script> script = v8::Script::Compile(source, name);
277  if (script.IsEmpty()) {
278  // Print errors that happened during compilation.
279  if (report_exceptions)
280  ReportException(&try_catch);
281  return false;
282  } else {
283  v8::Handle<v8::Value> result = script->Run();
284  if (result.IsEmpty()) {
285  assert(try_catch.HasCaught());
286  // Print errors that happened during execution.
287  if (report_exceptions)
288  ReportException(&try_catch);
289  return false;
290  } else {
291  assert(!try_catch.HasCaught());
292  if (print_result && !result->IsUndefined()) {
293  // If all went well and the result wasn't undefined then print
294  // the returned value.
295  v8::String::Utf8Value str(result);
296  const char* cstr = ToCString(str);
297  printf("%s\n", cstr);
298  }
299  return true;
300  }
301  }
302 }
303 
304 
305 void ReportException(v8::TryCatch* try_catch) {
306  v8::HandleScope handle_scope;
307  v8::String::Utf8Value exception(try_catch->Exception());
308  const char* exception_string = ToCString(exception);
309  v8::Handle<v8::Message> message = try_catch->Message();
310  if (message.IsEmpty()) {
311  // V8 didn't provide any extra information about this error; just
312  // print the exception.
313  printf("%s\n", exception_string);
314  } else {
315  // Print (filename):(line number): (message).
316  v8::String::Utf8Value filename(message->GetScriptResourceName());
317  const char* filename_string = ToCString(filename);
318  int linenum = message->GetLineNumber();
319  printf("%s:%i: %s\n", filename_string, linenum, exception_string);
320  // Print line of source code.
321  v8::String::Utf8Value sourceline(message->GetSourceLine());
322  const char* sourceline_string = ToCString(sourceline);
323  printf("%s\n", sourceline_string);
324  // Print wavy underline (GetUnderline is deprecated).
325  int start = message->GetStartColumn();
326  for (int i = 0; i < start; i++) {
327  printf(" ");
328  }
329  int end = message->GetEndColumn();
330  for (int i = start; i < end; i++) {
331  printf("^");
332  }
333  printf("\n");
334  v8::String::Utf8Value stack_trace(try_catch->StackTrace());
335  if (stack_trace.length() > 0) {
336  const char* stack_trace_string = ToCString(stack_trace);
337  printf("%s\n", stack_trace_string);
338  }
339  }
340 }
int main(int argc, char *argv[])
Definition: shell.cc:67
v8::Handle< v8::Value > Print(const v8::Arguments &args)
Definition: shell.cc:118
static Local< Script > Compile(Handle< String > source, ScriptOrigin *origin=NULL, ScriptData *pre_data=NULL, Handle< String > script_data=Handle< String >())
Definition: api.cc:1568
static Local< FunctionTemplate > New(InvocationCallback callback=0, Handle< Value > data=Handle< Value >(), Handle< Signature > signature=Handle< Signature >())
Definition: api.cc:951
void Dispose()
Definition: v8.h:4235
Local< Value > Exception() const
Definition: api.cc:1720
bool HasCaught() const
Definition: api.cc:1703
static V8EXPORT Local< String > New(const char *data, int length=-1)
Definition: api.cc:4779
v8::Persistent< v8::Context > CreateShellContext()
Definition: shell.cc:97
int RunMain(int argc, char *argv[])
Definition: shell.cc:219
const char * ToCString(const v8::String::Utf8Value &value)
Definition: shell.cc:90
void Set(Handle< String > name, Handle< Data > value, PropertyAttribute attributes=None)
Definition: api.cc:902
static bool Dispose()
Definition: api.cc:4303
Handle< Value > GetScriptResourceName() const
Definition: api.cc:1793
int GetEndColumn() const
Definition: api.cc:1928
v8::Handle< v8::Value > Read(const v8::Arguments &args)
Definition: shell.cc:140
v8::Handle< v8::String > ReadFile(const char *name)
Definition: shell.cc:197
static const char * GetVersion()
Definition: api.cc:4394
static Local< ObjectTemplate > New()
Definition: api.cc:1253
activate correct semantics for inheriting readonliness enable harmony semantics for typeof enable harmony enable harmony proxies enable all harmony harmony_scoping harmony_proxies harmony_scoping tracks arrays with only smi values automatically unbox arrays of doubles use crankshaft use hydrogen range analysis use hydrogen global value numbering use function inlining maximum number of AST nodes considered for a single inlining loop invariant code motion print statistics for hydrogen trace generated IR for specified phases trace register allocator trace range analysis trace representation types environment for every instruction put a break point before deoptimizing polymorphic inlining perform array bounds checks elimination use dead code elimination trace on stack replacement optimize closures cache optimized code for closures functions with arguments object loop weight for representation inference allow uint32 values on optimize frames if they are used only in safe operations track parallel recompilation enable all profiler experiments number of stack frames inspected by the profiler call recompile stub directly when self optimizing trigger profiler ticks based on counting instead of timing weight back edges by jump distance for interrupt triggering percentage of ICs that must have type info to allow optimization watch_ic_patching retry_self_opt interrupt_at_exit extra verbose compilation tracing generate extra emit comments in code disassembly enable use of SSE3 instructions if available enable use of CMOV instruction if available enable use of SAHF instruction if enable use of VFP3 instructions if available this implies enabling ARMv7 and VFP2 enable use of VFP2 instructions if available enable use of SDIV and UDIV instructions if enable loading bit constant by means of movw movt instruction enable unaligned accesses for enable use of MIPS FPU instructions if expose natives in global object expose gc extension number of stack frames to capture disable builtin natives files print a stack trace if an assertion failure occurs use random jit cookie to mask large constants trace lazy optimization use adaptive optimizations prepare for turning on always opt minimum length for automatic enable preparsing maximum number of optimization attempts before giving up cache prototype transitions automatically set the debug break flag when debugger commands are in the queue always cause a debug break before aborting maximum length of function source code printed in a stack trace max size of the new max size of the old max size of executable always perform global GCs print one trace line following each garbage collection do not print trace line after scavenger collection print more details following each garbage collection print amount of external allocated memory after each time it is adjusted flush code that we expect not to use again before full gc do incremental marking steps track object counts and memory usage use caching Perform compaction on every full GC Never perform compaction on full GC testing only Compact code space on full incremental collections Default seed for initializing random allows verbose printing trace parsing and preparsing Check icache flushes in ARM and MIPS simulator Stack alingment in bytes in print stack trace when throwing exceptions randomize hashes to avoid predictable hash Fixed seed to use to hash property activate a timer that switches between V8 threads testing_bool_flag float flag Seed used for threading test randomness A filename with extra code to be included in the Print usage message
int Length() const
Definition: v8.h:4318
bool IsUndefined() const
Definition: v8.h:4472
int GetLineNumber() const
Definition: api.cc:1873
Local< Value > StackTrace() const
Definition: api.cc:1732
v8::Handle< v8::Value > Quit(const v8::Arguments &args)
Definition: shell.cc:180
void ReportException(v8::TryCatch *handler)
Definition: shell.cc:305
v8::Handle< v8::Value > Version(const v8::Arguments &args)
Definition: shell.cc:191
bool ExecuteString(v8::Handle< v8::String > source, v8::Handle< v8::Value > name, bool print_result, bool report_exceptions)
Definition: shell.cc:270
v8::Handle< v8::Value > Load(const v8::Arguments &args)
Definition: shell.cc:159
activate correct semantics for inheriting readonliness enable harmony semantics for typeof enable harmony enable harmony proxies enable all harmony harmony_scoping harmony_proxies harmony_scoping tracks arrays with only smi values automatically unbox arrays of doubles use crankshaft use hydrogen range analysis use hydrogen global value numbering use function inlining maximum number of AST nodes considered for a single inlining loop invariant code motion print statistics for hydrogen trace generated IR for specified phases trace register allocator trace range analysis trace representation types environment for every instruction put a break point before deoptimizing polymorphic inlining perform array bounds checks elimination use dead code elimination trace on stack replacement optimize closures cache optimized code for closures functions with arguments object loop weight for representation inference allow uint32 values on optimize frames if they are used only in safe operations track parallel recompilation enable all profiler experiments number of stack frames inspected by the profiler call recompile stub directly when self optimizing trigger profiler ticks based on counting instead of timing weight back edges by jump distance for interrupt triggering percentage of ICs that must have type info to allow optimization watch_ic_patching retry_self_opt interrupt_at_exit extra verbose compilation tracing generate extra emit comments in code disassembly enable use of SSE3 instructions if available enable use of CMOV instruction if available enable use of SAHF instruction if enable use of VFP3 instructions if available this implies enabling ARMv7 and VFP2 enable use of VFP2 instructions if available enable use of SDIV and UDIV instructions if enable loading bit constant by means of movw movt instruction enable unaligned accesses for enable use of MIPS FPU instructions if NULL
Handle< Primitive > V8EXPORT Undefined()
Definition: api.cc:549
bool IsEmpty() const
Definition: v8.h:209
Local< Value > Run()
Definition: api.cc:1598
static Persistent< Context > New(ExtensionConfiguration *extensions=NULL, Handle< ObjectTemplate > global_template=Handle< ObjectTemplate >(), Handle< Value > global_object=Handle< Value >())
Definition: api.cc:4411
static void SetFlagsFromCommandLine(int *argc, char **argv, bool remove_flags)
Definition: api.cc:481
int GetStartColumn() const
Definition: api.cc:1910
Handle< Value > V8EXPORT ThrowException(Handle< Value > exception)
Definition: api.cc:486
Definition: v8.h:106
void RunShell(v8::Handle< v8::Context > context)
Definition: shell.cc:251
Local< v8::Message > Message() const
Definition: api.cc:1750
Local< String > GetSourceLine() const
Definition: api.cc:1948