source: trunk/FACT++/src/InterpreterV8.cc@ 16081

Last change on this file since 16081 was 16071, checked in by tbretz, 12 years ago
Added console.warn to print a highlighted message to the ocnsole.
File size: 85.4 KB
Line 
1#include "InterpreterV8.h"
2
3#ifdef HAVE_V8
4
5#include <fstream>
6#include <sstream>
7#include <iomanip>
8
9#include <sys/stat.h>
10
11#include <boost/tokenizer.hpp>
12
13#ifdef HAVE_NOVA
14#include "externals/nova.h"
15#endif
16
17#ifdef HAVE_SQL
18#include "Database.h"
19#endif
20
21#include <v8.h>
22
23#include "dim.h"
24#include "tools.h"
25#include "Readline.h"
26#include "externals/izstream.h"
27
28#include "WindowLog.h"
29
30using namespace std;
31using namespace v8;
32
33v8::Handle<v8::FunctionTemplate> InterpreterV8::fTemplateLocal;
34v8::Handle<v8::FunctionTemplate> InterpreterV8::fTemplateSky;
35v8::Handle<v8::FunctionTemplate> InterpreterV8::fTemplateEvent;
36v8::Handle<v8::FunctionTemplate> InterpreterV8::fTemplateDescription;
37//v8::Handle<v8::FunctionTemplate> InterpreterV8::fTemplateDatabase;
38
39
40// ==========================================================================
41// Some documentation
42// ==========================================================================
43//
44// Threads:
45// --------
46// In most cases Js* and other calls to native C++ code could be wrapped
47// with an Unlocker to allow possible other JavaScipt 'threads' to run
48// during that time. However, all of these calls should take much less than
49// the preemption time of 10ms, so it would just be a waste of tim.
50//
51// Termination:
52// ------------
53// Each thread running V8 code needs to be signalled individually for
54// termination. Therefor a list of V8 thread ids is created.
55//
56// If termination has already be signalled, no thread should start running
57// anymore (thy could, e.g., wait for their locking). So after locking
58// it has to be checked if the thread was terminated already. Note
59// that all calls to Terminate() must be locked to ensure that fThreadId
60// is correct when it is checked.
61//
62// The current thread id must be added to fThreadIds _before_ any
63// function is called after Locking and before execution is given
64// back to JavaScript, e.g. in script->Run(). So until the thread
65// is added to the list Terminate will not be executed. If Terminate
66// is then executed, it is ensured that the current thread is
67// already in the list. If terminate has been called before
68// the Locking, the check for the validiy of fThreadId ensures that
69// nothing is executed.
70//
71// Empty handles:
72// --------------
73// If exceution is terminated, V8 calls might return with empty handles,
74// e.g. Date::New(). Therefore, the returned handles of these calls have to
75// be checked in all placed to avoid that V8 will core dump.
76//
77// HandleScope:
78// ------------
79// A handle scope is a garbage collector and collects all handles created
80// until it goes out of scope. Handles which are not needed anymore are
81// then deleted. To return a handle from a HandleScope you need to use
82// Close(). E.g., String::AsciiValue does not create a new handle and
83// hence does not need a HandleScope. Any ::New will need a handle scope.
84// Forgetting the HandleScope could in principle fill your memory,
85// but everything is properly deleted by the global HandleScope at
86// script termination.
87//
88
89// ==========================================================================
90// Simple interface
91// ==========================================================================
92
93Handle<Value> InterpreterV8::FuncExit(const Arguments &)
94{
95 V8::TerminateExecution(fThreadId);
96
97 // we have to throw an excption to make sure that the
98 // calling thread does not go on executing until it
99 // has realized that it should terminate
100 return ThrowException(Null());
101}
102
103Handle<Value> InterpreterV8::FuncSleep(const Arguments& args)
104{
105 if (args.Length()==0)
106 {
107 // Theoretically, the CPU usage can be reduced by maybe a factor
108 // of four using a larger value, but this also means that the
109 // JavaScript is locked for a longer time.
110 const Unlocker unlock;
111 usleep(1000);
112 return Undefined();
113 }
114
115 if (args.Length()!=1)
116 return ThrowException(String::New("Number of arguments must be exactly 1."));
117
118 if (!args[0]->IsUint32())
119 return ThrowException(String::New("Argument 1 must be an uint32."));
120
121 // Using a Javascript function has the advantage that it is fully
122 // interruptable without the need of C++ code
123 const string code =
124 "(function(){"
125 "var t=new Date();"
126 "while ((new Date()-t)<"+to_string(args[0]->Int32Value())+") v8.sleep();"
127 "})();";
128
129 return ExecuteInternal(code);
130}
131
132Handle<Value> InterpreterV8::FuncTimeout(const Arguments &args)
133{
134 if (args.Length()<2)
135 return ThrowException(String::New("Number of arguments must be at least two."));
136
137 if (!args[0]->IsNull() && !args[0]->IsInt32())
138 return ThrowException(String::New("Argument 0 not null and not an int32."));
139
140 if (!args[1]->IsFunction())
141 return ThrowException(String::New("Argument 1 not a function."));
142
143 const int32_t timeout = args[0]->IsNull() ? 0 : args[0]->Int32Value();
144 const bool null = args[0]->IsNull();
145
146 HandleScope handle_scope;
147
148 Handle<Function> func = Handle<Function>::Cast(args[1]);
149
150 Handle<Value> argv[args.Length()-2];
151 for (int i=0; i<args.Length()-2; i++)
152 argv[i] = args[i+2];
153
154 Time t;
155 while (1)
156 {
157 const Handle<Value> rc = func->Call(func, args.Length()-2, argv);
158 if (rc.IsEmpty())
159 return Undefined();
160
161 if (!rc->IsUndefined())
162 return handle_scope.Close(rc);
163
164 if (!null && Time()-t>=boost::posix_time::milliseconds(abs(timeout)))
165 break;
166
167 // Theoretically, the CPU usage can be reduced by maybe a factor
168 // of four using a larger value, but this also means that the
169 // JavaScript is locked for a longer time.
170 const Unlocker unlock;
171 usleep(1000);
172 }
173
174 if (timeout<0)
175 return Undefined();
176
177 const string str = "Waiting for func to return a defined value timed out.";
178 return ThrowException(String::New(str.c_str()));
179}
180
181void InterpreterV8::Thread(int &id, Persistent<Function> func, uint32_t ms)
182{
183 const Locker lock;
184
185 if (fThreadId<0)
186 {
187 id = -1;
188 return;
189 }
190
191 // Warning: As soon as id is set, the parent of this thread might terminate
192 // and hance the reference to id does not exist anymore. So, id
193 // is just a kind of return value and must not be used at all
194 // otherwise.
195
196 const int id_local = V8::GetCurrentThreadId();
197 id = id_local;
198 fThreadIds.insert(id_local);
199
200 const HandleScope handle_scope;
201
202 func->CreationContext()->Enter();
203
204 TryCatch exception;
205
206 const bool rc = ms==0 || !ExecuteInternal("v8.sleep("+to_string(ms)+");").IsEmpty();
207 if (rc)
208 func->Call(func, 0, NULL);
209
210 func.Dispose();
211 fThreadIds.erase(id_local);
212
213 if (!HandleException(exception, "thread"))
214 V8::TerminateExecution(fThreadId);
215}
216
217Handle<Value> InterpreterV8::FuncThread(const Arguments& args)
218{
219 if (!args.IsConstructCall())
220 return ThrowException(String::New("Thread must be called as constructor."));
221
222 if (args.Length()!=2)
223 return ThrowException(String::New("Number of arguments must be two."));
224
225 if (!args[0]->IsUint32())
226 return ThrowException(String::New("Argument 0 not an uint32."));
227
228 if (!args[1]->IsFunction())
229 return ThrowException(String::New("Argument 1 not a function."));
230
231 //if (!args.IsConstructCall())
232 // return Constructor(args);
233
234 const HandleScope handle_scope;
235
236 Handle<Function> handle = Handle<Function>::Cast(args[1]);
237
238 Persistent<Function> func = Persistent<Function>::New(handle);
239
240 const uint32_t ms = args[0]->Uint32Value();
241
242 int id=-2;
243 fThreads.push_back(thread(bind(&InterpreterV8::Thread, this, ref(id), func, ms)));
244 {
245 // Allow the thread to lock, so we can get the thread id.
246 const Unlocker unlock;
247 while (id==-2)
248 usleep(1);
249 }
250
251 Handle<Object> self = args.This();
252
253 self->Set(String::New("id"), Integer::NewFromUnsigned(id), ReadOnly);
254 self->Set(String::New("kill"), FunctionTemplate::New(WrapKill)->GetFunction(), ReadOnly);
255
256 return Undefined();
257}
258
259Handle<Value> InterpreterV8::FuncKill(const Arguments& args)
260{
261 const uint32_t id = args.This()->Get(String::New("id"))->Uint32Value();
262
263 V8::TerminateExecution(id);
264
265 return Boolean::New(fThreadIds.erase(id));
266}
267
268Handle<Value> InterpreterV8::FuncSend(const Arguments& args)
269{
270 if (args.Length()==0)
271 return ThrowException(String::New("Number of arguments must be at least 1."));
272
273 if (!args[0]->IsString())
274 return ThrowException(String::New("Argument 1 must be a string."));
275
276 const String::AsciiValue str(args[0]);
277
278 string command = *str;
279
280 if (command.length()==0)
281 return ThrowException(String::New("Server name empty."));
282
283 if (args.Length()==0)
284 {
285 if (command.find_first_of('/')==string::npos)
286 command += "/";
287 }
288
289 // Escape all string arguments. All others can be kept as they are.
290 for (int i=1; i<args.Length(); i++)
291 {
292 string arg = *String::AsciiValue(args[i]);
293
294 // Escape string
295 if (args[i]->IsString())
296 {
297 boost::replace_all(arg, "\\", "\\\\");
298 boost::replace_all(arg, "'", "\\'");
299 boost::replace_all(arg, "\"", "\\\"");
300 }
301
302 command += " "+arg;
303 }
304
305 try
306 {
307 return Boolean::New(JsSend(command));
308 }
309 catch (const runtime_error &e)
310 {
311 return ThrowException(String::New(e.what()));
312 }
313}
314
315// ==========================================================================
316// State control
317// ==========================================================================
318
319Handle<Value> InterpreterV8::FuncWait(const Arguments& args)
320{
321 if (args.Length()!=2 && args.Length()!=3)
322 return ThrowException(String::New("Number of arguments must be 2 or 3."));
323
324 if (!args[0]->IsString())
325 return ThrowException(String::New("Argument 1 not a string."));
326
327 if (!args[1]->IsInt32() && !args[1]->IsString())
328 return ThrowException(String::New("Argument 2 not an int32 and not a string."));
329
330 if (args.Length()==3 && !args[2]->IsInt32() && !args[2]->IsUndefined())
331 return ThrowException(String::New("Argument 3 not an int32 and not undefined."));
332
333 // Using a Javascript function has the advantage that it is fully
334 // interruptable without the need of C++ code
335
336 const string index = args[1]->IsInt32() ? "s.index" : "s.name";
337 const bool timeout = args.Length()==3 && !args[2]->IsUndefined();
338 const string arg0 = *String::AsciiValue(args[0]);
339 const string state = args[1]->IsString() ? *String::AsciiValue(args[1]) : "";
340 const string arg1 = args[1]->IsString() ? ("\""+state+"\"") : to_string(args[1]->Int32Value());
341
342 if (arg0.find_first_of("\"'")!=string::npos)
343 return ThrowException(String::New("Server name must not contain quotation marks."));
344
345 if (args[1]->IsString())
346 if (state.find_first_of("\"'")!=string::npos)
347 return ThrowException(String::New("State name must not contain quotation marks."));
348
349 string code = "(function(name,state,ms)"
350 "{";
351 if (timeout)
352 code += "var t = new Date();";
353 code += "while (1)"
354 "{"
355 "var s = dim.state(name);"
356 "if(!s)throw new Error('Waiting for state "+arg1+" of server "+arg0+" failed.');"
357 "if(state=="+index+")return true;";
358 if (timeout)
359 code += "if((new Date()-t)>Math.abs(ms))break;";
360
361 code += "v8.sleep();"
362 "}";
363 if (timeout)
364 code += "if(ms>0)throw new Error('Waiting for state "+arg1+" of server "+arg0+" timed out.');";
365 code += "return false;"
366 "})('"+arg0+"',"+arg1;
367 if (timeout)
368 code += "," + (args[2]->IsUndefined()?"undefined":to_string(args[2]->Int32Value()));
369 code += ");";
370
371 return ExecuteInternal(code);
372}
373
374Handle<Value> InterpreterV8::FuncState(const Arguments& args)
375{
376 if (args.Length()!=1)
377 return ThrowException(String::New("Number of arguments must be exactly 1."));
378
379 if (!args[0]->IsString())
380 return ThrowException(String::New("Argument 1 must be a string."));
381
382 // Return state.name/state.index
383
384 const String::AsciiValue str(args[0]);
385
386 const State rc = JsState(*str);
387 if (rc.index<=-256)
388 return Undefined();
389
390 HandleScope handle_scope;
391
392 Handle<Object> obj = Object::New();
393
394 obj->Set(String::New("server"), String::New(*str), ReadOnly);
395 obj->Set(String::New("index"), Integer::New(rc.index), ReadOnly);
396 obj->Set(String::New("name"), String::New(rc.name.c_str()), ReadOnly);
397
398 const Local<Value> date = Date::New(rc.time.JavaDate());
399 if (rc.index>-256 && !date.IsEmpty())
400 obj->Set(String::New("time"), date);
401
402 return handle_scope.Close(obj);
403}
404
405Handle<Value> InterpreterV8::FuncNewState(const Arguments& args)
406{
407 if (args.Length()<1 || args.Length()>3)
408 return ThrowException(String::New("Number of arguments must be 1, 2 or 3."));
409
410 if (!args[0]->IsUint32())
411 return ThrowException(String::New("Argument 1 must be an uint32."));
412 if (args.Length()>1 && !args[1]->IsString())
413 return ThrowException(String::New("Argument 2 must be a string."));
414 if (args.Length()>2 && !args[2]->IsString())
415 return ThrowException(String::New("Argument 3 must be a string."));
416
417 const uint32_t index = args[0]->Int32Value();
418 const string name = *String::AsciiValue(args[1]);
419 const string comment = *String::AsciiValue(args[2]);
420
421 if (index<10 || index>255)
422 return ThrowException(String::New("State must be in the range [10, 255]."));
423
424 if (name.empty())
425 return ThrowException(String::New("State name must not be empty."));
426
427 if (name.find_first_of(':')!=string::npos || name.find_first_of('=')!=string::npos)
428 return ThrowException(String::New("State name must not contain : or =."));
429
430 struct Find : State
431 {
432 Find(int idx, const string &n) : State(idx, n) { }
433 bool operator()(const pair<int, string> &p) { return index==p.first || name==p.second; }
434 };
435
436 if (find_if(fStates.begin(), fStates.end(), Find(index, name))!=fStates.end())
437 {
438 const string what =
439 "State index ["+to_string(index)+"] or name ["+name+"] already defined.";
440
441 return ThrowException(String::New(what.c_str()));
442 }
443
444 return Boolean::New(JsNewState(index, name, comment));
445}
446
447Handle<Value> InterpreterV8::FuncSetState(const Arguments& args)
448{
449 if (args.Length()!=1)
450 return ThrowException(String::New("Number of arguments must be exactly 1."));
451
452 if (!args[0]->IsUint32() && !args[0]->IsString())
453 return ThrowException(String::New("Argument must be an unint32 or a string."));
454
455 int index = -2;
456 if (args[0]->IsUint32())
457 {
458 index = args[0]->Int32Value();
459 }
460 else
461 {
462 const string name = *String::AsciiValue(args[0]);
463 index = JsGetState(name);
464 if (index==-2)
465 return ThrowException(String::New(("State '"+name+"' not found.").c_str()));
466 }
467
468 if (index<10 || index>255)
469 return ThrowException(String::New("State must be in the range [10, 255]."));
470
471 return Boolean::New(JsSetState(index));
472}
473
474Handle<Value> InterpreterV8::FuncGetState(const Arguments& args)
475{
476 if (args.Length()>0)
477 return ThrowException(String::New("getState must not take arguments."));
478
479 const State state = JsGetCurrentState();
480
481 HandleScope handle_scope;
482
483 Handle<Object> rc = Object::New();
484 if (rc.IsEmpty())
485 return Undefined();
486
487 rc->Set(String::New("index"), Integer::New(state.index), ReadOnly);
488 rc->Set(String::New("name"), String::New(state.name.c_str()), ReadOnly);
489 rc->Set(String::New("description"), String::New(state.comment.c_str()), ReadOnly);
490
491 return handle_scope.Close(rc);
492}
493
494Handle<Value> InterpreterV8::FuncGetStates(const Arguments& args)
495{
496 if (args.Length()>1)
497 return ThrowException(String::New("getStates must not take more than one arguments."));
498
499 if (args.Length()==1 && !args[0]->IsString())
500 return ThrowException(String::New("Argument must be a string."));
501
502 const string server = args.Length()==1 ? *String::AsciiValue(args[0]) : "DIM_CONTROL";
503
504 const vector<State> states = JsGetStates(server);
505
506 HandleScope handle_scope;
507
508 Handle<Object> list = Object::New();
509 if (list.IsEmpty())
510 return Undefined();
511
512 for (auto it=states.begin(); it!=states.end(); it++)
513 {
514 Handle<Value> entry = StringObject::New(String::New(it->name.c_str()));
515 if (entry.IsEmpty())
516 return Undefined();
517
518 StringObject::Cast(*entry)->Set(String::New("description"), String::New(it->comment.c_str()), ReadOnly);
519 list->Set(Integer::New(it->index), entry, ReadOnly);
520 }
521
522 return handle_scope.Close(list);
523}
524
525Handle<Value> InterpreterV8::FuncGetDescription(const Arguments& args)
526{
527 if (args.Length()!=1)
528 return ThrowException(String::New("getDescription must take exactly one argument."));
529
530 if (args.Length()==1 && !args[0]->IsString())
531 return ThrowException(String::New("Argument must be a string."));
532
533 const string service = *String::AsciiValue(args[0]);
534
535 const vector<Description> descriptions = JsGetDescription(service);
536 const set<Service> services = JsGetServices();
537
538 auto is=services.begin();
539 for (; is!=services.end(); is++)
540 if (is->name==service)
541 break;
542
543 if (is==services.end())
544 return Undefined();
545
546 HandleScope handle_scope;
547
548 Handle<Object> arr = fTemplateDescription->GetFunction()->NewInstance();//Object::New();
549 if (arr.IsEmpty())
550 return Undefined();
551
552 auto it=descriptions.begin();
553 arr->Set(String::New("name"), String::New(it->name.c_str()), ReadOnly);
554 if (!it->comment.empty())
555 arr->Set(String::New("description"), String::New(it->comment.c_str()), ReadOnly);
556 if (is!=services.end())
557 {
558 arr->Set(String::New("server"), String::New(is->server.c_str()), ReadOnly);
559 arr->Set(String::New("service"), String::New(is->service.c_str()), ReadOnly);
560 arr->Set(String::New("isCommand"), Boolean::New(is->iscmd), ReadOnly);
561 if (!is->format.empty())
562 arr->Set(String::New("format"), String::New(is->format.c_str()), ReadOnly);
563 }
564
565 uint32_t i=0;
566 for (it++; it!=descriptions.end(); it++)
567 {
568 Handle<Object> obj = Object::New();
569 if (obj.IsEmpty())
570 return Undefined();
571
572 if (!it->name.empty())
573 obj->Set(String::New("name"), String::New(it->name.c_str()), ReadOnly);
574 if (!it->comment.empty())
575 obj->Set(String::New("description"), String::New(it->comment.c_str()), ReadOnly);
576 if (!it->unit.empty())
577 obj->Set(String::New("unit"), String::New(it->unit.c_str()), ReadOnly);
578
579 arr->Set(i++, obj);
580 }
581
582 return handle_scope.Close(arr);
583}
584
585Handle<Value> InterpreterV8::FuncGetServices(const Arguments& args)
586{
587 if (args.Length()>2)
588 return ThrowException(String::New("getServices must not take more than two argument."));
589
590 if (args.Length()>=1 && !args[0]->IsString())
591 return ThrowException(String::New("First argument must be a string."));
592
593 if (args.Length()==2 && !args[1]->IsBoolean())
594 return ThrowException(String::New("Second argument must be a boolean."));
595
596 string arg0 = args.Length() ? *String::AsciiValue(args[0]) : "";
597 if (arg0=="*")
598 arg0=="";
599
600 const set<Service> services = JsGetServices();
601
602 HandleScope handle_scope;
603
604 Handle<Array> arr = Array::New();
605 if (arr.IsEmpty())
606 return Undefined();
607
608 uint32_t i=0;
609 for (auto is=services.begin(); is!=services.end(); is++)
610 {
611 if (!arg0.empty() && is->name.find(arg0)!=0)
612 continue;
613
614 if (args.Length()==2 && args[1]->BooleanValue()!=is->iscmd)
615 continue;
616
617 Handle<Object> obj = Object::New();
618 if (obj.IsEmpty())
619 return Undefined();
620
621 obj->Set(String::New("name"), String::New(is->name.c_str()), ReadOnly);
622 obj->Set(String::New("server"), String::New(is->server.c_str()), ReadOnly);
623 obj->Set(String::New("service"), String::New(is->service.c_str()), ReadOnly);
624 obj->Set(String::New("isCommand"), Boolean::New(is->iscmd), ReadOnly);
625 if (!is->format.empty())
626 obj->Set(String::New("format"), String::New(is->format.c_str()), ReadOnly);
627
628 arr->Set(i++, obj);
629 }
630
631 return handle_scope.Close(arr);
632}
633
634// ==========================================================================
635// Internal functions
636// ==========================================================================
637
638
639// The callback that is invoked by v8 whenever the JavaScript 'print'
640// function is called. Prints its arguments on stdout separated by
641// spaces and ending with a newline.
642Handle<Value> InterpreterV8::FuncLog(const Arguments& args)
643{
644 for (int i=0; i<args.Length(); i++)
645 {
646 const String::AsciiValue str(args[i]);
647 if (*str)
648 JsPrint(*str);
649 }
650
651 if (args.Length()==0)
652 JsPrint();
653
654 return Undefined();
655}
656
657Handle<Value> InterpreterV8::FuncAlarm(const Arguments& args)
658{
659 for (int i=0; i<args.Length(); i++)
660 {
661 const String::AsciiValue str(args[i]);
662 if (*str)
663 JsAlarm(*str);
664 }
665
666 if (args.Length()==0)
667 JsAlarm();
668
669 return Undefined();
670}
671
672Handle<Value> InterpreterV8::FuncOut(const Arguments& args)
673{
674 for (int i=0; i<args.Length(); i++)
675 {
676 const String::AsciiValue str(args[i]);
677 if (*str)
678 JsOut(*str);
679 }
680 return Undefined();
681}
682
683Handle<Value> InterpreterV8::FuncWarn(const Arguments& args)
684{
685 for (int i=0; i<args.Length(); i++)
686 {
687 const String::AsciiValue str(args[i]);
688 if (*str)
689 JsWarn(*str);
690 }
691 return Undefined();
692}
693
694// The callback that is invoked by v8 whenever the JavaScript 'load'
695// function is called. Loads, compiles and executes its argument
696// JavaScript file.
697Handle<Value> InterpreterV8::FuncInclude(const Arguments& args)
698{
699 for (int i=0; i<args.Length(); i++)
700 {
701 const String::AsciiValue file(args[i]);
702 if (*file == NULL)
703 return ThrowException(String::New("File name missing."));
704
705 if (strlen(*file)==0)
706 return ThrowException(String::New("File name empty."));
707
708 izstream fin(*file);
709 if (!fin)
710 return ThrowException(String::New(errno!=0?strerror(errno):"Insufficient memory for decompression"));
711
712 string buffer;
713 getline(fin, buffer, '\0');
714
715 if ((fin.fail() && !fin.eof()) || fin.bad())
716 return ThrowException(String::New(strerror(errno)));
717
718 if (buffer.length()>1 && buffer[0]=='#' && buffer[1]=='!')
719 buffer.insert(0, "//");
720
721 const Handle<Value> rc = ExecuteCode(buffer, *file);
722 if (rc.IsEmpty())
723 return Undefined();
724 }
725
726 return Undefined();
727}
728
729Handle<Value> InterpreterV8::FuncFile(const Arguments& args)
730{
731 if (args.Length()!=1 && args.Length()!=2)
732 return ThrowException(String::New("Number of arguments must be one or two."));
733
734 const String::AsciiValue file(args[0]);
735 if (*file == NULL)
736 return ThrowException(String::New("File name missing"));
737
738 if (args.Length()==2 && !args[1]->IsString())
739 return ThrowException(String::New("Second argument must be a string."));
740
741 const string delim = args.Length()==2 ? *String::AsciiValue(args[1]) : "";
742
743 if (args.Length()==2 && delim.size()!=1)
744 return ThrowException(String::New("Second argument must be a string of length 1."));
745
746 HandleScope handle_scope;
747
748 izstream fin(*file);
749 if (!fin)
750 return ThrowException(String::New(errno!=0?strerror(errno):"Insufficient memory for decompression"));
751
752 if (args.Length()==1)
753 {
754 string buffer;
755 getline(fin, buffer, '\0');
756 if ((fin.fail() && !fin.eof()) || fin.bad())
757 return ThrowException(String::New(strerror(errno)));
758
759 Handle<Value> str = StringObject::New(String::New(buffer.c_str()));
760 StringObject::Cast(*str)->Set(String::New("name"), String::New(*file));
761 return handle_scope.Close(str);
762 }
763
764 Handle<Array> arr = Array::New();
765 if (arr.IsEmpty())
766 return Undefined();
767
768 int i=0;
769 string buffer;
770 while (getline(fin, buffer, delim[0]))
771 arr->Set(i++, String::New(buffer.c_str()));
772
773 if ((fin.fail() && !fin.eof()) || fin.bad())
774 return ThrowException(String::New(strerror(errno)));
775
776 arr->Set(String::New("name"), String::New(*file));
777 arr->Set(String::New("delim"), String::New(delim.c_str(), 1));
778
779 return handle_scope.Close(arr);
780}
781
782// ==========================================================================
783// Mail
784// ==========================================================================
785
786Handle<Value> InterpreterV8::ConstructorMail(const Arguments &args)
787{
788 if (!args.IsConstructCall())
789 return ThrowException(String::New("Mail must be called as constructor"));
790
791 if (args.Length()!=1 || !args[0]->IsString())
792 return ThrowException(String::New("Constructor must be called with a single string as argument"));
793
794 HandleScope handle_scope;
795
796 Handle<Array> rec = Array::New();
797 Handle<Array> att = Array::New();
798 Handle<Array> bcc = Array::New();
799 Handle<Array> cc = Array::New();
800 Handle<Array> txt = Array::New();
801 if (rec.IsEmpty() || att.IsEmpty() || bcc.IsEmpty() || cc.IsEmpty() || txt.IsEmpty())
802 return Undefined();
803
804 Handle<Object> self = args.This();
805
806 self->Set(String::New("subject"), args[0]->ToString(), ReadOnly);
807 self->Set(String::New("recipients"), rec, ReadOnly);
808 self->Set(String::New("attachments"), att, ReadOnly);
809 self->Set(String::New("bcc"), bcc, ReadOnly);
810 self->Set(String::New("cc"), cc, ReadOnly);
811 self->Set(String::New("text"), txt, ReadOnly);
812
813 self->Set(String::New("send"), FunctionTemplate::New(WrapSendMail)->GetFunction(), ReadOnly);
814
815 return handle_scope.Close(self);
816}
817
818vector<string> InterpreterV8::ValueToArray(const Handle<Value> &val, bool only)
819{
820 vector<string> rc;
821
822 Handle<Array> arr = Handle<Array>::Cast(val);
823 for (uint32_t i=0; i<arr->Length(); i++)
824 {
825 Handle<Value> obj = arr->Get(i);
826 if (obj.IsEmpty())
827 continue;
828
829 if (obj->IsNull() || obj->IsUndefined())
830 continue;
831
832 if (only && !obj->IsString())
833 continue;
834
835 rc.push_back(*String::AsciiValue(obj->ToString()));
836 }
837
838 return rc;
839}
840
841Handle<Value> InterpreterV8::FuncSendMail(const Arguments& args)
842{
843 HandleScope handle_scope;
844
845 if (args.Length()>1)
846 return ThrowException(String::New("Only one argument allowed."));
847
848 if (args.Length()==1 && !args[0]->IsBoolean())
849 return ThrowException(String::New("Argument must be a boolean."));
850
851 const bool block = args.Length()==0 || args[0]->BooleanValue();
852
853 const Handle<Value> sub = args.This()->Get(String::New("subject"));
854 const Handle<Value> rec = args.This()->Get(String::New("recipients"));
855 const Handle<Value> txt = args.This()->Get(String::New("text"));
856 const Handle<Value> att = args.This()->Get(String::New("attachments"));
857 const Handle<Value> bcc = args.This()->Get(String::New("bcc"));
858 const Handle<Value> cc = args.This()->Get(String::New("cc"));
859
860 const vector<string> vrec = ValueToArray(rec);
861 const vector<string> vtxt = ValueToArray(txt, false);
862 const vector<string> vatt = ValueToArray(att);
863 const vector<string> vbcc = ValueToArray(bcc);
864 const vector<string> vcc = ValueToArray(cc);
865
866 if (vrec.size()==0)
867 return ThrowException(String::New("At least one valid string is required in 'recipients'."));
868 if (vtxt.size()==0)
869 return ThrowException(String::New("At least one valid string is required in 'text'."));
870
871 const string subject = *String::AsciiValue(sub->ToString());
872
873 FILE *pipe = popen(("from=no-reply@fact-project.org mailx -~ "+vrec[0]).c_str(), "w");
874 if (!pipe)
875 return ThrowException(String::New(strerror(errno)));
876
877 fprintf(pipe, "%s", ("~s"+subject+"\n").c_str());
878 for (auto it=vrec.begin()+1; it<vrec.end(); it++)
879 fprintf(pipe, "%s", ("~t"+*it+"\n").c_str());
880 for (auto it=vbcc.begin(); it<vbcc.end(); it++)
881 fprintf(pipe, "%s", ("~b"+*it+"\n").c_str());
882 for (auto it=vcc.begin(); it<vcc.end(); it++)
883 fprintf(pipe, "%s", ("~c"+*it+"\n").c_str());
884 for (auto it=vatt.begin(); it<vatt.end(); it++)
885 fprintf(pipe, "%s", ("~@"+*it+"\n").c_str()); // Must not contain white spaces
886
887 for (auto it=vtxt.begin(); it<vtxt.end(); it++)
888 fwrite((*it+"\n").c_str(), it->length()+1, 1, pipe);
889
890 fprintf(pipe, "\n---\nsent by dimctrl");
891
892 if (!block)
893 return Undefined();
894
895 const int rc = pclose(pipe);
896
897 const Locker lock;
898 return handle_scope.Close(Integer::New(WEXITSTATUS(rc)));
899}
900
901// ==========================================================================
902// Database
903// ==========================================================================
904
905Handle<Value> InterpreterV8::FuncDbClose(const Arguments &args)
906{
907 void *ptr = External::Unwrap(args.This()->GetInternalField(0));
908 if (!ptr)
909 return Boolean::New(false);
910
911#ifdef HAVE_SQL
912 Database *db = reinterpret_cast<Database*>(ptr);
913 auto it = find(fDatabases.begin(), fDatabases.end(), db);
914 fDatabases.erase(it);
915 delete db;
916#endif
917
918 HandleScope handle_scope;
919
920 args.This()->SetInternalField(0, External::New(0));
921
922 return handle_scope.Close(Boolean::New(true));
923}
924
925Handle<Value> InterpreterV8::FuncDbQuery(const Arguments &args)
926{
927 if (args.Length()==0)
928 return ThrowException(String::New("Arguments expected."));
929
930 void *ptr = External::Unwrap(args.This()->GetInternalField(0));
931 if (!ptr)
932 return Undefined();
933
934 string query;
935 for (int i=0; i<args.Length(); i++)
936 query += string(" ") + *String::AsciiValue(args[i]);
937 query.erase(0, 1);
938
939#ifdef HAVE_SQL
940 try
941 {
942 HandleScope handle_scope;
943
944 Database *db = reinterpret_cast<Database*>(ptr);
945
946 const mysqlpp::StoreQueryResult res = db->query(query).store();
947
948 Handle<Array> ret = Array::New();
949 if (ret.IsEmpty())
950 return Undefined();
951
952 ret->Set(String::New("table"), String::New(res.table()), ReadOnly);
953 ret->Set(String::New("query"), String::New(query.c_str()), ReadOnly);
954
955 Handle<Array> cols = Array::New();
956 if (cols.IsEmpty())
957 return Undefined();
958
959 int irow=0;
960 for (vector<mysqlpp::Row>::const_iterator it=res.begin(); it<res.end(); it++)
961 {
962 Handle<Object> row = Object::New();
963 if (row.IsEmpty())
964 return Undefined();
965
966 const mysqlpp::FieldNames *list = it->field_list().list;
967
968 for (size_t i=0; i<it->size(); i++)
969 {
970 const Handle<Value> name = String::New((*list)[i].c_str());
971 if (irow==0)
972 cols->Set(i, name);
973
974 if ((*it)[i].is_null())
975 {
976 row->Set(name, Undefined(), ReadOnly);
977 continue;
978 }
979
980 const string sql_type = (*it)[i].type().sql_name();
981
982 const bool uns = sql_type.find("UNSIGNED")==string::npos;
983
984 if (sql_type.find("BIGINT")!=string::npos)
985 {
986 if (uns)
987 {
988 const uint64_t val = (uint64_t)(*it)[i];
989 if (val>UINT32_MAX)
990 row->Set(name, Number::New(val), ReadOnly);
991 else
992 row->Set(name, Integer::NewFromUnsigned(val), ReadOnly);
993 }
994 else
995 {
996 const int64_t val = (int64_t)(*it)[i];
997 if (val<INT32_MIN || val>INT32_MAX)
998 row->Set(name, Number::New(val), ReadOnly);
999 else
1000 row->Set(name, Integer::NewFromUnsigned(val), ReadOnly);
1001 }
1002 continue;
1003 }
1004
1005 // 32 bit
1006 if (sql_type.find("INT")!=string::npos)
1007 {
1008 if (uns)
1009 row->Set(name, Integer::NewFromUnsigned((uint32_t)(*it)[i]), ReadOnly);
1010 else
1011 row->Set(name, Integer::New((int32_t)(*it)[i]), ReadOnly);
1012 continue;
1013 }
1014
1015 if (sql_type.find("BOOL")!=string::npos )
1016 {
1017 row->Set(name, Boolean::New((bool)(*it)[i]), ReadOnly);
1018 continue;
1019 }
1020
1021 if (sql_type.find("FLOAT")!=string::npos)
1022 {
1023 ostringstream val;
1024 val << setprecision(7) << (float)(*it)[i];
1025 row->Set(name, Number::New(stod(val.str())), ReadOnly);
1026 continue;
1027
1028 }
1029 if (sql_type.find("DOUBLE")!=string::npos)
1030 {
1031 row->Set(name, Number::New((double)(*it)[i]), ReadOnly);
1032 continue;
1033 }
1034
1035 if (sql_type.find("CHAR")!=string::npos ||
1036 sql_type.find("TEXT")!=string::npos)
1037 {
1038 row->Set(name, String::New((const char*)(*it)[i]), ReadOnly);
1039 continue;
1040 }
1041
1042 time_t date = 0;
1043 if (sql_type.find("TIMESTAMP")!=string::npos)
1044 date = mysqlpp::Time((*it)[i]);
1045
1046 if (sql_type.find("DATETIME")!=string::npos)
1047 date = mysqlpp::DateTime((*it)[i]);
1048
1049 if (sql_type.find(" DATE ")!=string::npos)
1050 date = mysqlpp::Date((*it)[i]);
1051
1052 if (date>0)
1053 {
1054 // It is important to catch the exception thrown
1055 // by Date::New in case of thread termination!
1056 const Local<Value> val = Date::New(date*1000);
1057 if (val.IsEmpty())
1058 return Undefined();
1059
1060 row->Set(name, val, ReadOnly);
1061 }
1062 }
1063
1064 ret->Set(irow++, row);
1065 }
1066
1067 if (irow>0)
1068 ret->Set(String::New("cols"), cols, ReadOnly);
1069
1070 return handle_scope.Close(ret);
1071 }
1072 catch (const exception &e)
1073 {
1074 return ThrowException(String::New(e.what()));
1075 }
1076#endif
1077}
1078
1079Handle<Value> InterpreterV8::FuncDatabase(const Arguments &args)
1080{
1081 if (!args.IsConstructCall())
1082 return ThrowException(String::New("Database must be called as constructor."));
1083
1084 if (args.Length()!=1)
1085 return ThrowException(String::New("Number of arguments must be 1."));
1086
1087 if (!args[0]->IsString())
1088 return ThrowException(String::New("Argument 1 not a string."));
1089
1090#ifdef HAVE_SQL
1091 try
1092 {
1093 HandleScope handle_scope;
1094
1095 //if (!args.IsConstructCall())
1096 // return Constructor(fTemplateDatabase, args);
1097
1098 Database *db = new Database(*String::AsciiValue(args[0]));
1099 fDatabases.push_back(db);
1100
1101 Handle<Object> self = args.This();
1102 self->Set(String::New("user"), String::New(db->user.c_str()), ReadOnly);
1103 self->Set(String::New("server"), String::New(db->server.c_str()), ReadOnly);
1104 self->Set(String::New("database"), String::New(db->db.c_str()), ReadOnly);
1105 self->Set(String::New("port"), db->port==0?Undefined():Integer::NewFromUnsigned(db->port), ReadOnly);
1106 self->Set(String::New("query"), FunctionTemplate::New(WrapDbQuery)->GetFunction(), ReadOnly);
1107 self->Set(String::New("close"), FunctionTemplate::New(WrapDbClose)->GetFunction(), ReadOnly);
1108 self->SetInternalField(0, External::New(db));
1109
1110 return handle_scope.Close(self);
1111 }
1112 catch (const exception &e)
1113 {
1114 return ThrowException(String::New(e.what()));
1115 }
1116#endif
1117}
1118
1119// ==========================================================================
1120// Services
1121// ==========================================================================
1122
1123Handle<Value> InterpreterV8::Convert(char type, const char* &ptr)
1124{
1125 // Dim values are always unsigned per (FACT++) definition
1126 switch (type)
1127 {
1128 case 'F':
1129 {
1130 // Remove the "imprecision" effect coming from casting a float to
1131 // a double and then showing it with double precision
1132 ostringstream val;
1133 val << setprecision(7) << *reinterpret_cast<const float*>(ptr);
1134 ptr += 4;
1135 return Number::New(stod(val.str()));
1136 }
1137 case 'D': { Handle<Value> v=Number::New(*reinterpret_cast<const double*>(ptr)); ptr+=8; return v; }
1138 case 'I':
1139 case 'L': { Handle<Value> v=Integer::NewFromUnsigned(*reinterpret_cast<const uint32_t*>(ptr)); ptr += 4; return v; }
1140 case 'X':
1141 {
1142 const uint64_t val = *reinterpret_cast<const uint64_t*>(ptr);
1143 ptr += 8;
1144 if (val>UINT32_MAX)
1145 return Number::New(val);
1146 return Integer::NewFromUnsigned(val);
1147 }
1148 case 'S': { Handle<Value> v=Integer::NewFromUnsigned(*reinterpret_cast<const uint16_t*>(ptr)); ptr += 2; return v; }
1149 case 'C': { Handle<Value> v=Integer::NewFromUnsigned((uint16_t)*reinterpret_cast<const uint8_t*>(ptr)); ptr += 1; return v; }
1150 }
1151 return Undefined();
1152}
1153
1154Handle<Value> InterpreterV8::FuncClose(const Arguments &args)
1155{
1156 HandleScope handle_scope;
1157
1158 //const void *ptr = Local<External>::Cast(args.Holder()->GetInternalField(0))->Value();
1159
1160 const String::AsciiValue str(args.This()->Get(String::New("name")));
1161
1162 const auto it = fReverseMap.find(*str);
1163 if (it!=fReverseMap.end())
1164 {
1165 it->second.Dispose();
1166 fReverseMap.erase(it);
1167 }
1168
1169 args.This()->Set(String::New("isOpen"), Boolean::New(false), ReadOnly);
1170
1171 return handle_scope.Close(Boolean::New(JsUnsubscribe(*str)));
1172}
1173
1174Handle<Value> InterpreterV8::ConvertEvent(const EventImp *evt, uint64_t counter, const char *str)
1175{
1176 const vector<Description> vec = JsDescription(str);
1177
1178 Handle<Object> ret = fTemplateEvent->GetFunction()->NewInstance();//Object::New();
1179 if (ret.IsEmpty())
1180 return Undefined();
1181
1182 const Local<Value> date = Date::New(evt->GetJavaDate());
1183 if (date.IsEmpty())
1184 return Undefined();
1185
1186 ret->Set(String::New("name"), String::New(str), ReadOnly);
1187 ret->Set(String::New("format"), String::New(evt->GetFormat().c_str()), ReadOnly);
1188 ret->Set(String::New("qos"), Integer::New(evt->GetQoS()), ReadOnly);
1189 ret->Set(String::New("size"), Integer::New(evt->GetSize()), ReadOnly);
1190 ret->Set(String::New("counter"), Integer::New(counter), ReadOnly);
1191 if (evt->GetJavaDate()>0)
1192 ret->Set(String::New("time"), date, ReadOnly);
1193
1194 // If names are available data will also be provided as an
1195 // object. If an empty event was received, but names are available,
1196 // the object will be empty. Otherwise 'obj' will be undefined.
1197 // obj===undefined: no data received
1198 // obj!==undefined, length==0: names for event available
1199 // obj!==undefined, obj.length>0: names available, data received
1200 Handle<Object> named = Object::New();
1201 if (vec.size()>0)
1202 ret->Set(String::New("obj"), named, ReadOnly);
1203
1204 // If no event was received (usually a disconnection event in
1205 // the context of FACT++), no data is returned
1206 if (evt->IsEmpty())
1207 return ret;
1208
1209 // If valid data was received, but the size was zero, then
1210 // null is returned as data
1211 // data===undefined: no data received
1212 // data===null: event received, but no data
1213 // data.length>0: event received, contains data
1214 if (evt->GetSize()==0 || evt->GetFormat().empty())
1215 {
1216 ret->Set(String::New("data"), Null(), ReadOnly);
1217 return ret;
1218 }
1219
1220 typedef boost::char_separator<char> separator;
1221 const boost::tokenizer<separator> tokenizer(evt->GetFormat(), separator(";:"));
1222
1223 const vector<string> tok(tokenizer.begin(), tokenizer.end());
1224
1225 Handle<Object> arr = tok.size()>1 ? Array::New() : ret;
1226 if (arr.IsEmpty())
1227 return Undefined();
1228
1229 const char *ptr = evt->GetText();
1230 const char *end = evt->GetText()+evt->GetSize();
1231
1232 try
1233 {
1234 size_t pos = 1;
1235 for (auto it=tok.begin(); it<tok.end() && ptr<end; it++, pos++)
1236 {
1237 char type = (*it)[0];
1238 it++;
1239
1240 string name = pos<vec.size() ? vec[pos].name : "";
1241 if (tok.size()==1)
1242 name = "data";
1243
1244 // Get element size
1245 uint32_t sz = 1;
1246 switch (type)
1247 {
1248 case 'X':
1249 case 'D': sz = 8; break;
1250 case 'F':
1251 case 'I':
1252 case 'L': sz = 4; break;
1253 case 'S': sz = 2; break;
1254 case 'C': sz = 1; break;
1255 }
1256
1257 // Check if no number is attached if the size of the
1258 // received data is consistent with the format string
1259 if (it==tok.end() && (end-ptr)%sz>0)
1260 return Exception::Error(String::New(("Number of received bytes ["+to_string(evt->GetSize())+"] does not match format ["+evt->GetFormat()+"]").c_str()));
1261
1262 // Check if format has a number attached.
1263 // If no number is attached calculate number of elements
1264 const uint32_t cnt = it==tok.end() ? (end-ptr)/sz : stoi(it->c_str());
1265
1266 // is_str: Array of type C but unknown size (String)
1267 // is_one: Array of known size, but size is 1 (I:1)
1268 const bool is_str = type=='C' && it==tok.end();
1269 const bool is_one = cnt==1 && it!=tok.end();
1270
1271 Handle<Value> v;
1272
1273 if (is_str)
1274 v = String::New(ptr);
1275 if (is_one)
1276 v = Convert(type, ptr);
1277
1278 // Array of known (I:5) or unknown size (I), but no string
1279 if (!is_str && !is_one)
1280 {
1281 Handle<Object> a = Array::New(cnt);
1282 if (a.IsEmpty())
1283 return Undefined();
1284
1285 for (uint32_t i=0; i<cnt; i++)
1286 a->Set(i, Convert(type, ptr));
1287
1288 v = a;
1289 }
1290
1291 if (tok.size()>1)
1292 arr->Set(pos-1, v);
1293 else
1294 ret->Set(String::New("data"), v, ReadOnly);
1295
1296 if (!name.empty())
1297 {
1298 const Handle<String> n = String::New(name.c_str());
1299 named->Set(n, v);
1300 }
1301 }
1302
1303 if (tok.size()>1)
1304 ret->Set(String::New("data"), arr, ReadOnly);
1305
1306 return ret;
1307 }
1308 catch (...)
1309 {
1310 return Exception::Error(String::New(("Format string conversion '"+evt->GetFormat()+"' failed.").c_str()));
1311 }
1312}
1313/*
1314Handle<Value> InterpreterV8::FuncGetData(const Arguments &args)
1315{
1316 HandleScope handle_scope;
1317
1318 const String::AsciiValue str(args.Holder()->Get(String::New("name")));
1319
1320 const pair<uint64_t, EventImp *> p = JsGetEvent(*str);
1321
1322 const EventImp *evt = p.second;
1323 if (!evt)
1324 return Undefined();
1325
1326 //if (counter==cnt)
1327 // return info.Holder();//Holder()->Get(String::New("data"));
1328
1329 Handle<Value> ret = ConvertEvent(evt, p.first, *str);
1330 return ret->IsNativeError() ? ThrowException(ret) : handle_scope.Close(ret);
1331}
1332*/
1333Handle<Value> InterpreterV8::FuncGetData(const Arguments &args)
1334{
1335 if (args.Length()>2)
1336 return ThrowException(String::New("Number of arguments must not be greater than 2."));
1337
1338 if (args.Length()>=1 && !args[0]->IsInt32() && !args[0]->IsNull())
1339 return ThrowException(String::New("Argument 1 not an uint32."));
1340
1341 if (args.Length()==2 && !args[1]->IsBoolean())
1342 return ThrowException(String::New("Argument 2 not a boolean."));
1343
1344 // Using a Javascript function has the advantage that it is fully
1345 // interruptable without the need of C++ code
1346 const bool null = args.Length()>=1 && args[0]->IsNull();
1347 const int32_t timeout = args.Length()>=1 ? args[0]->Int32Value() : 0;
1348 const bool named = args.Length()<2 || args[1]->BooleanValue();
1349
1350 HandleScope handle_scope;
1351
1352 const Handle<String> data = String::New("data");
1353 const Handle<String> object = String::New("obj");
1354
1355 const String::AsciiValue name(args.Holder()->Get(String::New("name")));
1356
1357 TryCatch exception;
1358
1359 Time t;
1360 while (!exception.HasCaught())
1361 {
1362 const pair<uint64_t, EventImp *> p = JsGetEvent(*name);
1363
1364 const EventImp *evt = p.second;
1365 if (evt)
1366 {
1367 const Handle<Value> val = ConvertEvent(evt, p.first, *name);
1368 if (val->IsNativeError())
1369 return ThrowException(val);
1370
1371 // Protect against the return of an exception
1372 if (val->IsObject())
1373 {
1374 const Handle<Object> event = val->ToObject();
1375 const Handle<Value> obj = event->Get(named?object:data);
1376 if (!obj.IsEmpty())
1377 {
1378 if (!named)
1379 {
1380 // No names (no 'obj'), but 'data'
1381 if (!obj->IsUndefined())
1382 return handle_scope.Close(val);
1383 }
1384 else
1385 {
1386 // Has names and data was received?
1387 if (obj->IsObject() && obj->ToObject()->GetOwnPropertyNames()->Length()>0)
1388 return handle_scope.Close(val);
1389 }
1390 }
1391 }
1392 }
1393
1394 if (args.Length()==0)
1395 break;
1396
1397 if (!null && Time()-t>=boost::posix_time::milliseconds(abs(timeout)))
1398 break;
1399
1400 // Theoretically, the CPU usage can be reduced by maybe a factor
1401 // of four using a larger value, but this also means that the
1402 // JavaScript is locked for a longer time.
1403 const Unlocker unlock;
1404 usleep(1000);
1405 }
1406
1407 // This hides the location of the exception, which is wanted.
1408 if (exception.HasCaught())
1409 return exception.ReThrow();
1410
1411 if (timeout<0)
1412 return Undefined();
1413
1414 const string str = "Waiting for a valid event of "+string(*name)+" timed out.";
1415 return ThrowException(String::New(str.c_str()));
1416}
1417
1418
1419// This is a callback from the RemoteControl piping event handling
1420// to the java script ---> in test phase!
1421void InterpreterV8::JsHandleEvent(const EventImp &evt, uint64_t cnt, const string &service)
1422{
1423 const Locker locker;
1424
1425 if (fThreadId<0)
1426 return;
1427
1428 const auto it = fReverseMap.find(service);
1429 if (it==fReverseMap.end())
1430 return;
1431
1432 const HandleScope handle_scope;
1433
1434 Handle<Object> obj = it->second;
1435
1436 obj->CreationContext()->Enter();
1437
1438 const Handle<String> onchange = String::New("onchange");
1439 if (!obj->Has(onchange))
1440 return;
1441
1442 const Handle<Value> val = obj->Get(onchange);
1443 if (!val->IsFunction())
1444 return;
1445
1446 // -------------------------------------------------------------------
1447
1448 TryCatch exception;
1449
1450 const int id = V8::GetCurrentThreadId();
1451 fThreadIds.insert(id);
1452
1453 Handle<Value> ret = ConvertEvent(&evt, cnt, service.c_str());
1454 if (ret->IsObject())
1455 Handle<Function>::Cast(val)->Call(obj, 1, &ret);
1456
1457 fThreadIds.erase(id);
1458
1459 if (!HandleException(exception, "Service.onchange"))
1460 V8::TerminateExecution(fThreadId);
1461
1462 if (ret->IsNativeError())
1463 {
1464 JsException(service+".onchange callback - "+*String::AsciiValue(ret));
1465 V8::TerminateExecution(fThreadId);
1466 }
1467}
1468
1469Handle<Value> InterpreterV8::OnChangeSet(Local<String> prop, Local<Value> value, const AccessorInfo &)
1470{
1471 // Returns the value if the setter intercepts the request. Otherwise, returns an empty handle.
1472 const string server = *String::AsciiValue(prop);
1473 auto it = fStateCallbacks.find(server);
1474
1475 if (it!=fStateCallbacks.end())
1476 {
1477 it->second.Dispose();
1478 fStateCallbacks.erase(it);
1479 }
1480
1481 if (value->IsFunction())
1482 fStateCallbacks[server] = Persistent<Object>::New(value->ToObject());
1483
1484 return Handle<Value>();
1485}
1486
1487void InterpreterV8::JsHandleState(const std::string &server, const State &state)
1488{
1489 const Locker locker;
1490
1491 if (fThreadId<0)
1492 return;
1493
1494 auto it = fStateCallbacks.find(server);
1495 if (it==fStateCallbacks.end())
1496 {
1497 it = fStateCallbacks.find("*");
1498 if (it==fStateCallbacks.end())
1499 return;
1500 }
1501
1502 const HandleScope handle_scope;
1503
1504 it->second->CreationContext()->Enter();
1505
1506 // -------------------------------------------------------------------
1507
1508 Handle<ObjectTemplate> obj = ObjectTemplate::New();
1509 obj->Set(String::New("server"), String::New(server.c_str()), ReadOnly);
1510
1511 if (state.index>-256)
1512 {
1513 obj->Set(String::New("index"), Integer::New(state.index), ReadOnly);
1514 obj->Set(String::New("name"), String::New(state.name.c_str()), ReadOnly);
1515 obj->Set(String::New("comment"), String::New(state.comment.c_str()), ReadOnly);
1516 const Local<Value> date = Date::New(state.time.JavaDate());
1517 if (!date.IsEmpty())
1518 obj->Set(String::New("time"), date);
1519 }
1520
1521 // -------------------------------------------------------------------
1522
1523 TryCatch exception;
1524
1525 const int id = V8::GetCurrentThreadId();
1526 fThreadIds.insert(id);
1527
1528 Handle<Value> args[] = { obj->NewInstance() };
1529 Handle<Function> fun = Handle<Function>(Function::Cast(*it->second));
1530 fun->Call(fun, 1, args);
1531
1532 fThreadIds.erase(id);
1533
1534 if (!HandleException(exception, "dim.onchange"))
1535 V8::TerminateExecution(fThreadId);
1536}
1537
1538Handle<Value> InterpreterV8::FuncSetInterrupt(const Arguments &args)
1539{
1540 if (args.Length()!=1)
1541 return ThrowException(String::New("Number of arguments must be 1."));
1542
1543 if (!args[0]->IsNull() && !args[0]->IsUndefined() && !args[0]->IsFunction())
1544 return ThrowException(String::New("Argument not a function, null or undefined."));
1545
1546 if (args[0]->IsNull() || args[0]->IsUndefined())
1547 {
1548 fInterruptCallback.Dispose();
1549 return Undefined();
1550 }
1551
1552 // Returns the value if the setter intercepts the request. Otherwise, returns an empty handle.
1553 fInterruptCallback = Persistent<Object>::New(args[0]->ToObject());
1554 return Undefined();
1555}
1556
1557int InterpreterV8::JsHandleInterrupt(const EventImp &evt)
1558{
1559 const Locker locker;
1560
1561 if (fThreadId<0)
1562 return -42;
1563
1564 if (fInterruptCallback.IsEmpty())
1565 return -42;
1566
1567 const HandleScope handle_scope;
1568
1569 fInterruptCallback->CreationContext()->Enter();
1570
1571 // -------------------------------------------------------------------
1572
1573 TryCatch exception;
1574
1575 const string str = evt.GetString();
1576
1577 const size_t p = str.find_last_of('\n');
1578
1579 const string irq = p==string::npos?str:str.substr(0, p);
1580 const string usr = p==string::npos?"nobody":str.substr(p+1);
1581
1582 Local<Value> irq_str = String::New(irq.c_str());
1583 Local<Value> usr_str = String::New(usr.c_str());
1584 Local<Value> date = Date::New(evt.GetJavaDate());
1585
1586 int32_t rc = -42;
1587 if (!date.IsEmpty())
1588 {
1589 const int id = V8::GetCurrentThreadId();
1590 fThreadIds.insert(id);
1591
1592 Handle<Value> args[] = { irq_str, date, usr_str };
1593 Handle<Function> fun = Handle<Function>(Function::Cast(*fInterruptCallback));
1594
1595 const Handle<Value> val = fun->Call(fun, 3, args);
1596
1597 rc = !val.IsEmpty() && val->IsInt32() ? val->Int32Value() : 0;
1598
1599 fThreadIds.erase(id);
1600 }
1601
1602 if (!HandleException(exception, "interrupt"))
1603 V8::TerminateExecution(fThreadId);
1604
1605 return rc<10 || rc>255 ? -42 : rc;
1606}
1607
1608/*
1609void Cleanup( Persistent<Value> object, void *parameter )
1610{
1611 cout << "======================> RemoveMyObj()" << endl;
1612}*/
1613
1614Handle<Value> InterpreterV8::FuncSubscription(const Arguments &args)
1615{
1616 if (args.Length()!=1 && args.Length()!=2)
1617 return ThrowException(String::New("Number of arguments must be one or two."));
1618
1619 if (!args[0]->IsString())
1620 return ThrowException(String::New("Argument 1 must be a string."));
1621
1622 if (args.Length()==2 && !args[1]->IsFunction())
1623 return ThrowException(String::New("Argument 2 must be a function."));
1624
1625 const String::AsciiValue str(args[0]);
1626
1627 if (!args.IsConstructCall())
1628 {
1629 const auto it = fReverseMap.find(*str);
1630 if (it!=fReverseMap.end())
1631 return it->second;
1632
1633 return Undefined();
1634 }
1635
1636 const HandleScope handle_scope;
1637
1638 Handle<Object> self = args.This();
1639 self->Set(String::New("get"), FunctionTemplate::New(WrapGetData)->GetFunction(), ReadOnly);
1640 self->Set(String::New("close"), FunctionTemplate::New(WrapClose)->GetFunction(), ReadOnly);
1641 self->Set(String::New("name"), String::New(*str), ReadOnly);
1642 self->Set(String::New("isOpen"), Boolean::New(true));
1643
1644 if (args.Length()==2)
1645 self->Set(String::New("onchange"), args[1]);
1646
1647 fReverseMap[*str] = Persistent<Object>::New(self);
1648
1649 void *ptr = JsSubscribe(*str);
1650 if (ptr==0)
1651 return ThrowException(String::New(("Subscription to '"+string(*str)+"' already exists.").c_str()));
1652
1653 self->SetInternalField(0, External::New(ptr));
1654
1655 return Undefined();
1656
1657 // Persistent<Object> p = Persistent<Object>::New(obj->NewInstance());
1658 // obj.MakeWeak((void*)1, Cleanup);
1659 // return obj;
1660}
1661
1662// ==========================================================================
1663// Astrometry
1664// ==========================================================================
1665#ifdef HAVE_NOVA
1666
1667double InterpreterV8::GetDataMember(const Arguments &args, const char *name)
1668{
1669 return args.This()->Get(String::New(name))->NumberValue();
1670}
1671
1672Handle<Value> InterpreterV8::CalcDist(const Arguments &args, const bool local)
1673{
1674 if (args.Length()!=2)
1675 return ThrowException(String::New("dist must not be called with two arguments."));
1676
1677 if (!args[0]->IsObject() || !args[1]->IsObject())
1678 return ThrowException(String::New("at least one argument not an object."));
1679
1680 HandleScope handle_scope;
1681
1682 Handle<Object> obj[2] =
1683 {
1684 Handle<Object>::Cast(args[0]),
1685 Handle<Object>::Cast(args[1])
1686 };
1687
1688 const Handle<String> s_theta = String::New(local?"zd":"dec"); // was: zd
1689 const Handle<String> s_phi = String::New(local?"az":"ra"); // was: az
1690
1691 const double conv_t = M_PI/180;
1692 const double conv_p = local ? -M_PI/180 : M_PI/12;
1693 const double offset = local ? 0 : M_PI;
1694
1695 const double theta0 = offset - obj[0]->Get(s_theta)->NumberValue() * conv_t;
1696 const double phi0 = obj[0]->Get(s_phi )->NumberValue() * conv_p;
1697 const double theta1 = offset - obj[1]->Get(s_theta)->NumberValue() * conv_t;
1698 const double phi1 = obj[1]->Get(s_phi )->NumberValue() * conv_p;
1699
1700 if (!finite(theta0) || !finite(theta1) || !finite(phi0) || !finite(phi1))
1701 return ThrowException(String::New("some values not valid or not finite."));
1702
1703 /*
1704 const double x0 = sin(zd0) * cos(az0); // az0 -= az0
1705 const double y0 = sin(zd0) * sin(az0); // az0 -= az0
1706 const double z0 = cos(zd0);
1707
1708 const double x1 = sin(zd1) * cos(az1); // az1 -= az0
1709 const double y1 = sin(zd1) * sin(az1); // az1 -= az0
1710 const double z1 = cos(zd1);
1711
1712 const double res = acos(x0*x1 + y0*y1 + z0*z1) * 180/M_PI;
1713 */
1714
1715 // cos(az1-az0) = cos(az1)*cos(az0) + sin(az1)*sin(az0)
1716
1717 const double x = sin(theta0) * sin(theta1) * cos(phi1-phi0);
1718 const double y = cos(theta0) * cos(theta1);
1719
1720 const double res = acos(x + y) * 180/M_PI;
1721
1722 return handle_scope.Close(Number::New(res));
1723}
1724
1725Handle<Value> InterpreterV8::LocalDist(const Arguments &args)
1726{
1727 return CalcDist(args, true);
1728}
1729
1730Handle<Value> InterpreterV8::SkyDist(const Arguments &args)
1731{
1732 return CalcDist(args, false);
1733}
1734
1735Handle<Value> InterpreterV8::MoonDisk(const Arguments &args)
1736{
1737 if (args.Length()>1)
1738 return ThrowException(String::New("disk must not be called with more than one argument."));
1739
1740 const uint64_t v = uint64_t(args[0]->NumberValue());
1741 const Time utc = args.Length()==0 ? Time() : Time(v/1000, v%1000);
1742
1743 return Number::New(Nova::GetLunarDisk(utc.JD()));
1744}
1745
1746Handle<Value> InterpreterV8::LocalToSky(const Arguments &args)
1747{
1748 if (args.Length()>1)
1749 return ThrowException(String::New("toSky must not be called with more than one argument."));
1750
1751 if (args.Length()==1 && !args[0]->IsDate())
1752 return ThrowException(String::New("Argument must be a Date"));
1753
1754 Nova::ZdAzPosn hrz;
1755 hrz.zd = GetDataMember(args, "zd");
1756 hrz.az = GetDataMember(args, "az");
1757
1758 if (!finite(hrz.zd) || !finite(hrz.az))
1759 return ThrowException(String::New("zd and az must be finite."));
1760
1761 HandleScope handle_scope;
1762
1763 const Local<Value> date =
1764 args.Length()==0 ? Date::New(Time().JavaDate()) : args[0];
1765 if (date.IsEmpty())
1766 return Undefined();
1767
1768 const uint64_t v = uint64_t(date->NumberValue());
1769 const Time utc(v/1000, v%1000);
1770
1771 const Nova::EquPosn equ = Nova::GetEquFromHrz(hrz, utc.JD());
1772
1773 // -----------------------------
1774
1775 Handle<Value> arg[] = { Number::New(equ.ra/15), Number::New(equ.dec), date };
1776 return handle_scope.Close(fTemplateSky->GetFunction()->NewInstance(3, arg));
1777}
1778
1779Handle<Value> InterpreterV8::SkyToLocal(const Arguments &args)
1780{
1781 if (args.Length()>1)
1782 return ThrowException(String::New("toLocal must not be called with more than one argument."));
1783
1784 if (args.Length()==1 && !args[0]->IsDate())
1785 return ThrowException(String::New("Argument must be a Date"));
1786
1787 Nova::EquPosn equ;
1788 equ.ra = GetDataMember(args, "ra")*15;
1789 equ.dec = GetDataMember(args, "dec");
1790
1791 if (!finite(equ.ra) || !finite(equ.dec))
1792 return ThrowException(String::New("Ra and dec must be finite."));
1793
1794 HandleScope handle_scope;
1795
1796 const Local<Value> date =
1797 args.Length()==0 ? Date::New(Time().JavaDate()) : args[0];
1798 if (date.IsEmpty())
1799 return Undefined();
1800
1801 const uint64_t v = uint64_t(date->NumberValue());
1802 const Time utc(v/1000, v%1000);
1803
1804 const Nova::ZdAzPosn hrz = Nova::GetHrzFromEqu(equ, utc.JD());
1805
1806 Handle<Value> arg[] = { Number::New(hrz.zd), Number::New(hrz.az), date };
1807 return handle_scope.Close(fTemplateLocal->GetFunction()->NewInstance(3, arg));
1808}
1809
1810Handle<Value> InterpreterV8::MoonToLocal(const Arguments &args)
1811{
1812 if (args.Length()>0)
1813 return ThrowException(String::New("toLocal must not be called with arguments."));
1814
1815 Nova::EquPosn equ;
1816 equ.ra = GetDataMember(args, "ra")*15;
1817 equ.dec = GetDataMember(args, "dec");
1818
1819 if (!finite(equ.ra) || !finite(equ.dec))
1820 return ThrowException(String::New("ra and dec must be finite."));
1821
1822 HandleScope handle_scope;
1823
1824 const Local<Value> date = args.This()->Get(String::New("time"));
1825 if (date.IsEmpty() || date->IsUndefined() )
1826 return Undefined();
1827
1828 const uint64_t v = uint64_t(date->NumberValue());
1829 const Time utc(v/1000, v%1000);
1830
1831 const Nova::ZdAzPosn hrz = Nova::GetHrzFromEqu(equ, utc.JD());
1832
1833 Handle<Value> arg[] = { Number::New(hrz.zd), Number::New(hrz.az), date };
1834 return handle_scope.Close(fTemplateLocal->GetFunction()->NewInstance(3, arg));
1835}
1836
1837Handle<Value> InterpreterV8::ConstructorMoon(const Arguments &args)
1838{
1839 if (args.Length()>1)
1840 return ThrowException(String::New("Moon constructor must not be called with more than one argument."));
1841
1842 if (args.Length()==1 && !args[0]->IsDate())
1843 return ThrowException(String::New("Argument must be a Date"));
1844
1845 HandleScope handle_scope;
1846
1847 const Local<Value> date =
1848 args.Length()==0 ? Date::New(Time().JavaDate()) : args[0];
1849 if (date.IsEmpty())
1850 return Undefined();
1851
1852 const uint64_t v = uint64_t(date->NumberValue());
1853 const Time utc(v/1000, v%1000);
1854
1855 const Nova::EquPosn equ = Nova::GetLunarEquCoords(utc.JD(), 0.01);
1856
1857 // ----------------------------
1858
1859 if (!args.IsConstructCall())
1860 return handle_scope.Close(Constructor(args));
1861
1862 Handle<Function> function =
1863 FunctionTemplate::New(MoonToLocal)->GetFunction();
1864 if (function.IsEmpty())
1865 return Undefined();
1866
1867 Handle<Object> self = args.This();
1868 self->Set(String::New("ra"), Number::New(equ.ra/15), ReadOnly);
1869 self->Set(String::New("dec"), Number::New(equ.dec), ReadOnly);
1870 self->Set(String::New("toLocal"), function, ReadOnly);
1871 self->Set(String::New("time"), date, ReadOnly);
1872
1873 return handle_scope.Close(self);
1874}
1875
1876Handle<Value> InterpreterV8::ConstructorSky(const Arguments &args)
1877{
1878 if (args.Length()<2 || args.Length()>3)
1879 return ThrowException(String::New("Sky constructor takes two or three arguments."));
1880
1881 if (args.Length()==3 && !args[2]->IsDate())
1882 return ThrowException(String::New("Third argument must be a Date."));
1883
1884 const double ra = args[0]->NumberValue();
1885 const double dec = args[1]->NumberValue();
1886
1887 if (!finite(ra) || !finite(dec))
1888 return ThrowException(String::New("Both arguments to Sky must be valid numbers."));
1889
1890 // ----------------------------
1891
1892 HandleScope handle_scope;
1893
1894 if (!args.IsConstructCall())
1895 return handle_scope.Close(Constructor(args));
1896
1897 Handle<Function> function =
1898 FunctionTemplate::New(SkyToLocal)->GetFunction();
1899 if (function.IsEmpty())
1900 return Undefined();
1901
1902 Handle<Object> self = args.This();
1903 self->Set(String::New("ra"), Number::New(ra), ReadOnly);
1904 self->Set(String::New("dec"), Number::New(dec), ReadOnly);
1905 self->Set(String::New("toLocal"), function, ReadOnly);
1906 if (args.Length()==3)
1907 self->Set(String::New("time"), args[2], ReadOnly);
1908
1909 return handle_scope.Close(self);
1910}
1911
1912Handle<Value> InterpreterV8::ConstructorLocal(const Arguments &args)
1913{
1914 if (args.Length()<2 || args.Length()>3)
1915 return ThrowException(String::New("Local constructor takes two or three arguments."));
1916
1917 if (args.Length()==3 && !args[2]->IsDate())
1918 return ThrowException(String::New("Third argument must be a Date."));
1919
1920 const double zd = args[0]->NumberValue();
1921 const double az = args[1]->NumberValue();
1922
1923 if (!finite(zd) || !finite(az))
1924 return ThrowException(String::New("Both arguments to Local must be valid numbers."));
1925
1926 // --------------------
1927
1928 HandleScope handle_scope;
1929
1930 if (!args.IsConstructCall())
1931 return handle_scope.Close(Constructor(args));
1932
1933 Handle<Function> function =
1934 FunctionTemplate::New(LocalToSky)->GetFunction();
1935 if (function.IsEmpty())
1936 return Undefined();
1937
1938 Handle<Object> self = args.This();
1939 self->Set(String::New("zd"), Number::New(zd), ReadOnly);
1940 self->Set(String::New("az"), Number::New(az), ReadOnly);
1941 self->Set(String::New("toSky"), function, ReadOnly);
1942 if (args.Length()==3)
1943 self->Set(String::New("time"), args[2], ReadOnly);
1944
1945 return handle_scope.Close(self);
1946}
1947
1948Handle<Object> InterpreterV8::ConstructRiseSet(const Handle<Value> time, const Nova::RstTime &rst, const bool &rc)
1949{
1950 Handle<Object> obj = Object::New();
1951 obj->Set(String::New("time"), time, ReadOnly);
1952
1953 const uint64_t v = uint64_t(time->NumberValue());
1954 const double jd = Time(v/1000, v%1000).JD();
1955
1956 const bool isUp = rc>0 ||
1957 (rst.rise<rst.set && (jd>rst.rise && jd<rst.set)) ||
1958 (rst.rise>rst.set && (jd<rst.set || jd>rst.rise));
1959
1960 obj->Set(String::New("isUp"), Boolean::New(rc>=0 && isUp), ReadOnly);
1961
1962 if (rc!=0)
1963 return obj;
1964
1965 Handle<Value> rise = Date::New(Time(rst.rise).JavaDate());
1966 Handle<Value> set = Date::New(Time(rst.set).JavaDate());
1967 Handle<Value> trans = Date::New(Time(rst.transit).JavaDate());
1968 if (rise.IsEmpty() || set.IsEmpty() || trans.IsEmpty())
1969 return Handle<Object>();
1970
1971 obj->Set(String::New("rise"), rise, ReadOnly);
1972 obj->Set(String::New("set"), set, ReadOnly);
1973 obj->Set(String::New("transit"), trans, ReadOnly);
1974
1975 return obj;
1976}
1977
1978Handle<Value> InterpreterV8::SunHorizon(const Arguments &args)
1979{
1980 if (args.Length()>2)
1981 return ThrowException(String::New("Sun.horizon must not be called with one or two arguments."));
1982
1983 if (args.Length()==2 && !args[1]->IsDate())
1984 return ThrowException(String::New("Second argument must be a Date"));
1985
1986 HandleScope handle_scope;
1987
1988 double hrz = NAN;
1989 if (args.Length()==0 || args[0]->IsNull())
1990 hrz = LN_SOLAR_STANDART_HORIZON;
1991 if (args.Length()>0 && args[0]->IsNumber())
1992 hrz = args[0]->NumberValue();
1993 if (args.Length()>0 && args[0]->IsString())
1994 {
1995 string arg(Tools::Trim(*String::AsciiValue(args[0])));
1996 transform(arg.begin(), arg.end(), arg.begin(), ::tolower);
1997
1998 if (arg==string("horizon").substr(0, arg.length()))
1999 hrz = LN_SOLAR_STANDART_HORIZON;
2000 if (arg==string("civil").substr(0, arg.length()))
2001 hrz = LN_SOLAR_CIVIL_HORIZON;
2002 if (arg==string("nautical").substr(0, arg.length()))
2003 hrz = LN_SOLAR_NAUTIC_HORIZON;
2004 if (arg==string("fact").substr(0, arg.length()))
2005 hrz = -13;
2006 if (arg==string("astronomical").substr(0, arg.length()))
2007 hrz = LN_SOLAR_ASTRONOMICAL_HORIZON;
2008 }
2009
2010 if (!finite(hrz))
2011 return ThrowException(String::New("Second argument did not yield a valid number."));
2012
2013 const Local<Value> date =
2014 args.Length()<2 ? Date::New(Time().JavaDate()) : args[1];
2015 if (date.IsEmpty())
2016 return Undefined();
2017
2018 const uint64_t v = uint64_t(date->NumberValue());
2019 const Time utc(v/1000, v%1000);
2020
2021 Nova::LnLatPosn obs = Nova::ORM();
2022
2023 ln_rst_time sun;
2024 const int rc = ln_get_solar_rst_horizon(utc.JD()-0.5, &obs, hrz, &sun);
2025 Handle<Object> rst = ConstructRiseSet(date, sun, rc);
2026 rst->Set(String::New("horizon"), Number::New(hrz));
2027 return handle_scope.Close(rst);
2028};
2029
2030Handle<Value> InterpreterV8::MoonHorizon(const Arguments &args)
2031{
2032 if (args.Length()>1)
2033 return ThrowException(String::New("Moon.horizon must not be called with one argument."));
2034
2035 if (args.Length()==1 && !args[0]->IsDate())
2036 return ThrowException(String::New("Argument must be a Date"));
2037
2038 HandleScope handle_scope;
2039
2040 const Local<Value> date =
2041 args.Length()==0 ? Date::New(Time().JavaDate()) : args[0];
2042 if (date.IsEmpty())
2043 return Undefined();
2044
2045 const uint64_t v = uint64_t(date->NumberValue());
2046 const Time utc(v/1000, v%1000);
2047
2048 Nova::LnLatPosn obs = Nova::ORM();
2049
2050 ln_rst_time moon;
2051 const int rc = ln_get_lunar_rst(utc.JD()-0.5, &obs, &moon);
2052 Handle<Object> rst = ConstructRiseSet(date, moon, rc);
2053 return handle_scope.Close(rst);
2054};
2055#endif
2056
2057// ==========================================================================
2058// Process control
2059// ==========================================================================
2060
2061bool InterpreterV8::HandleException(TryCatch& try_catch, const char *where)
2062{
2063 if (!try_catch.HasCaught() || !try_catch.CanContinue())
2064 return true;
2065
2066 const HandleScope handle_scope;
2067
2068 Handle<Value> except = try_catch.Exception();
2069 if (except.IsEmpty() || except->IsNull())
2070 return true;
2071
2072 const String::AsciiValue exception(except);
2073
2074 const Handle<Message> message = try_catch.Message();
2075 if (message.IsEmpty())
2076 return false;
2077
2078 ostringstream out;
2079
2080 if (!message->GetScriptResourceName()->IsUndefined())
2081 {
2082 // Print (filename):(line number): (message).
2083 const String::AsciiValue filename(message->GetScriptResourceName());
2084 if (filename.length()>0)
2085 {
2086 out << *filename;
2087 if (message->GetLineNumber()>0)
2088 out << ": l." << message->GetLineNumber();
2089 if (*exception)
2090 out << ": ";
2091 }
2092 }
2093
2094 if (*exception)
2095 out << *exception;
2096
2097 out << " [" << where << "]";
2098
2099 JsException(out.str());
2100
2101 // Print line of source code.
2102 const String::AsciiValue sourceline(message->GetSourceLine());
2103 if (*sourceline)
2104 JsException(*sourceline);
2105
2106 // Print wavy underline (GetUnderline is deprecated).
2107 const int start = message->GetStartColumn();
2108 const int end = message->GetEndColumn();
2109
2110 out.str("");
2111 if (start>0)
2112 out << setfill(' ') << setw(start) << ' ';
2113 out << setfill('^') << setw(end-start) << '^';
2114
2115 JsException(out.str());
2116
2117 const String::AsciiValue stack_trace(try_catch.StackTrace());
2118 if (stack_trace.length()<=0)
2119 return false;
2120
2121 if (!*stack_trace)
2122 return false;
2123
2124 const string trace(*stack_trace);
2125
2126 typedef boost::char_separator<char> separator;
2127 const boost::tokenizer<separator> tokenizer(trace, separator("\n"));
2128
2129 // maybe skip: " at internal:"
2130 // maybe skip: " at unknown source:"
2131
2132 auto it = tokenizer.begin();
2133 JsException("");
2134 while (it!=tokenizer.end())
2135 JsException(*it++);
2136
2137 return false;
2138}
2139
2140Handle<Value> InterpreterV8::ExecuteInternal(const string &code)
2141{
2142 // Try/catch and re-throw hides our internal code from
2143 // the displayed exception showing the origin and shows
2144 // the user function instead.
2145 TryCatch exception;
2146
2147 const Handle<Value> result = ExecuteCode(code);
2148
2149 // This hides the location of the exception in the internal code,
2150 // which is wanted.
2151 if (exception.HasCaught())
2152 exception.ReThrow();
2153
2154 return result;
2155}
2156
2157Handle<Value> InterpreterV8::ExecuteCode(const string &code, const string &file)
2158{
2159 HandleScope handle_scope;
2160
2161 const Handle<String> source = String::New(code.c_str(), code.size());
2162 const Handle<String> origin = String::New(file.c_str());
2163 if (source.IsEmpty())
2164 return Undefined();
2165
2166 const Handle<Script> script = Script::Compile(source, origin);
2167 if (script.IsEmpty())
2168 return Undefined();
2169
2170 const Handle<String> __date__ = String::New("__DATE__");
2171 const Handle<String> __file__ = String::New("__FILE__");
2172
2173 Handle<Value> save_date;
2174 Handle<Value> save_file;
2175
2176 Handle<Object> global = Context::GetCurrent()->Global();
2177 if (!global.IsEmpty())
2178 {
2179 struct stat attrib;
2180 if (stat(file.c_str(), &attrib)==0)
2181 {
2182 save_date = global->Get(__date__);
2183 save_file = global->Get(__file__);
2184
2185 global->Set(__file__, String::New(file.c_str()));
2186
2187 const Local<Value> date = Date::New(attrib.st_mtime*1000);
2188 if (!date.IsEmpty())
2189 global->Set(__date__, date);
2190 }
2191 }
2192
2193 const Handle<Value> rc = script->Run();
2194 if (rc.IsEmpty())
2195 return Undefined();
2196
2197 // If all went well and the result wasn't undefined then print
2198 // the returned value.
2199 if (!rc->IsUndefined() && file!="internal")
2200 JsResult(*String::AsciiValue(rc));
2201
2202 if (!global.IsEmpty() && !save_date.IsEmpty())
2203 {
2204 global->ForceSet(__date__, save_date);
2205 global->ForceSet(__file__, save_file);
2206 }
2207
2208 return handle_scope.Close(rc);
2209}
2210
2211void InterpreterV8::ExecuteConsole()
2212{
2213 JsSetState(3);
2214
2215 WindowLog lout;
2216 lout << "\n " << kUnderline << " JavaScript interpreter " << kReset << " (enter '.q' to quit)\n" << endl;
2217
2218 Readline::StaticPushHistory("java.his");
2219
2220 string command;
2221 while (1)
2222 {
2223 // Create a local handle scope so that left-overs from single
2224 // console inputs will not fill up the memory
2225 const HandleScope handle_scope;
2226
2227 // Unlocking is necessary for the preemption to work
2228 const Unlocker global_unlock;
2229
2230 const string buffer = Tools::Trim(Readline::StaticPrompt(command.empty() ? "JS> " : " \\> "));
2231 if (buffer==".q")
2232 break;
2233
2234 // buffer empty, do nothing
2235 if (buffer.empty())
2236 continue;
2237
2238 // Compose command
2239 if (!command.empty())
2240 command += ' ';
2241 command += buffer;
2242
2243 // If line ends with a backslash, allow addition of next line
2244 auto back = command.rbegin();
2245 if (*back=='\\')
2246 {
2247 *back = ' ';
2248 command = Tools::Trim(command);
2249 continue;
2250 }
2251
2252 // Locking is necessary to be able to execute java script code
2253 const Locker lock;
2254
2255 // Catch exceptions during code compilation
2256 TryCatch exception;
2257
2258 // Execute code which was entered
2259 ExecuteCode(command, "console");
2260 if (!HandleException(exception, "console"))
2261 lout << endl;
2262
2263 // Stop all other threads
2264 for (auto it=fThreadIds.begin(); it!=fThreadIds.end(); it++)
2265 V8::TerminateExecution(*it);
2266
2267 // Allow the java scripts (threads) to run and hence to terminate
2268 const Unlocker unlock;
2269
2270 // Wait until all threads are terminated
2271 while (fThreadIds.size()>0)
2272 usleep(1000);
2273
2274 // command has been executed, collect new command
2275 command = "";
2276 }
2277
2278 lout << endl;
2279
2280 Readline::StaticPopHistory("java.his");
2281}
2282
2283// ==========================================================================
2284// CORE
2285// ==========================================================================
2286
2287InterpreterV8::InterpreterV8() : fThreadId(-1)
2288{
2289 const string ver(V8::GetVersion());
2290
2291 typedef boost::char_separator<char> separator;
2292 const boost::tokenizer<separator> tokenizer(ver, separator("."));
2293
2294 const vector<string> tok(tokenizer.begin(), tokenizer.end());
2295
2296 const int major = tok.size()>0 ? stol(tok[0]) : -1;
2297 const int minor = tok.size()>1 ? stol(tok[1]) : -1;
2298 const int build = tok.size()>2 ? stol(tok[2]) : -1;
2299
2300 if (major>3 || (major==3 && minor>9) || (major==3 && minor==9 && build>10))
2301 {
2302 const string argv = "--use_strict";
2303 V8::SetFlagsFromString(argv.c_str(), argv.size());
2304 }
2305
2306 This = this;
2307}
2308
2309Handle<Value> InterpreterV8::Constructor(/*Handle<FunctionTemplate> T,*/ const Arguments &args)
2310{
2311 Handle<Value> argv[args.Length()];
2312
2313 for (int i=0; i<args.Length(); i++)
2314 argv[i] = args[i];
2315
2316 return args.Callee()->NewInstance(args.Length(), argv);
2317}
2318
2319
2320void InterpreterV8::AddFormatToGlobal()// const
2321{
2322 const string code =
2323 "String.form = function(str, arr)"
2324 "{"
2325 "var i = -1;"
2326 "function callback(exp, p0, p1, p2, p3, p4/*, pos, str*/)"
2327 "{"
2328 "if (exp=='%%')"
2329 "return '%';"
2330 ""
2331 "if (arr[++i]===undefined)"
2332 "return undefined;"
2333 ""
2334 "var exp = p2 ? parseInt(p2.substr(1)) : undefined;"
2335 "var base = p3 ? parseInt(p3.substr(1)) : undefined;"
2336 ""
2337 "var val;"
2338 "switch (p4)"
2339 "{"
2340 "case 's': val = arr[i]; break;"
2341 "case 'c': val = arr[i][0]; break;"
2342 "case 'f': val = parseFloat(arr[i]).toFixed(exp); break;"
2343 "case 'p': val = parseFloat(arr[i]).toPrecision(exp); break;"
2344 "case 'e': val = parseFloat(arr[i]).toExponential(exp); break;"
2345 "case 'x': val = parseInt(arr[i]).toString(base?base:16); break;"
2346 "case 'd': val = parseFloat(parseInt(arr[i], base?base:10).toPrecision(exp)).toFixed(0); break;"
2347 //"default:\n"
2348 //" throw new SyntaxError('Conversion specifier '+p4+' unknown.');\n"
2349 "}"
2350 ""
2351 "val = typeof(val)=='object' ? JSON.stringify(val) : val.toString(base);"
2352 ""
2353 "var sz = parseInt(p1); /* padding size */"
2354 "var ch = p1 && p1[0]=='0' ? '0' : ' '; /* isnull? */"
2355 "while (val.length<sz)"
2356 "val = p0 !== undefined ? val+ch : ch+val; /* isminus? */"
2357 ""
2358 "return val;"
2359 "}"
2360 ""
2361 "var regex = /%(-)?(0?[0-9]+)?([.][0-9]+)?([#][0-9]+)?([scfpexd])/g;"
2362 "return str.replace(regex, callback);"
2363 "}"
2364 "\n"
2365 "String.prototype.$ = function()"
2366 "{"
2367 "return String.form(this, Array.prototype.slice.call(arguments));"
2368 "}"
2369 "\n"
2370 "String.prototype.count = function(c,i)"
2371 "{"
2372 "return (this.match(new RegExp(c,i?'gi':'g'))||[]).length;"
2373 "}"/*
2374 "\n"
2375 "var format = function()"
2376 "{"
2377 "return dim.format(arguments[0], Array.prototype.slice.call(arguments,1));"
2378 "}"*/;
2379
2380 // ExcuteInternal does not work properly here...
2381 // If suring compilation an exception is thrown, it will not work
2382 Handle<Script> script = Script::New(String::New(code.c_str()), String::New("internal"));
2383 if (!script.IsEmpty())
2384 script->Run();
2385}
2386
2387void InterpreterV8::JsLoad(const std::string &)
2388{
2389 Readline::SetScriptDepth(1);
2390}
2391
2392void InterpreterV8::JsEnd(const std::string &)
2393{
2394 Readline::SetScriptDepth(0);
2395}
2396
2397bool InterpreterV8::JsRun(const string &filename, const map<string, string> &map)
2398{
2399 const Locker locker;
2400 fThreadId = V8::GetCurrentThreadId();
2401
2402 JsPrint(string("JavaScript Engine V8 ")+V8::GetVersion());
2403
2404 JsLoad(filename);
2405
2406 const HandleScope handle_scope;
2407
2408 // Create a template for the global object.
2409 Handle<ObjectTemplate> dim = ObjectTemplate::New();
2410 dim->Set(String::New("log"), FunctionTemplate::New(WrapLog), ReadOnly);
2411 dim->Set(String::New("alarm"), FunctionTemplate::New(WrapAlarm), ReadOnly);
2412 dim->Set(String::New("wait"), FunctionTemplate::New(WrapWait), ReadOnly);
2413 dim->Set(String::New("send"), FunctionTemplate::New(WrapSend), ReadOnly);
2414 dim->Set(String::New("state"), FunctionTemplate::New(WrapState), ReadOnly);
2415 dim->Set(String::New("version"), Integer::New(DIM_VERSION_NUMBER), ReadOnly);
2416 dim->Set(String::New("getStates"), FunctionTemplate::New(WrapGetStates), ReadOnly);
2417 dim->Set(String::New("getDescription"), FunctionTemplate::New(WrapGetDescription), ReadOnly);
2418 dim->Set(String::New("getServices"), FunctionTemplate::New(WrapGetServices), ReadOnly);
2419
2420 Handle<ObjectTemplate> dimctrl = ObjectTemplate::New();
2421 dimctrl->Set(String::New("defineState"), FunctionTemplate::New(WrapNewState), ReadOnly);
2422 dimctrl->Set(String::New("setState"), FunctionTemplate::New(WrapSetState), ReadOnly);
2423 dimctrl->Set(String::New("getState"), FunctionTemplate::New(WrapGetState), ReadOnly);
2424 dimctrl->Set(String::New("setInterruptHandler"), FunctionTemplate::New(WrapSetInterrupt), ReadOnly);
2425
2426 Handle<ObjectTemplate> v8 = ObjectTemplate::New();
2427 v8->Set(String::New("sleep"), FunctionTemplate::New(WrapSleep), ReadOnly);
2428 v8->Set(String::New("timeout"), FunctionTemplate::New(WrapTimeout), ReadOnly);
2429 v8->Set(String::New("version"), String::New(V8::GetVersion()), ReadOnly);
2430
2431 Handle<ObjectTemplate> console = ObjectTemplate::New();
2432 console->Set(String::New("out"), FunctionTemplate::New(WrapOut), ReadOnly);
2433 console->Set(String::New("warn"), FunctionTemplate::New(WrapWarn), ReadOnly);
2434
2435 Handle<ObjectTemplate> onchange = ObjectTemplate::New();
2436 onchange->SetNamedPropertyHandler(OnChangeGet, WrapOnChangeSet);
2437 dim->Set(String::New("onchange"), onchange);
2438
2439 Handle<ObjectTemplate> global = ObjectTemplate::New();
2440 global->Set(String::New("v8"), v8, ReadOnly);
2441 global->Set(String::New("dim"), dim, ReadOnly);
2442 global->Set(String::New("dimctrl"), dimctrl, ReadOnly);
2443 global->Set(String::New("console"), console, ReadOnly);
2444 global->Set(String::New("include"), FunctionTemplate::New(WrapInclude), ReadOnly);
2445 global->Set(String::New("exit"), FunctionTemplate::New(WrapExit), ReadOnly);
2446
2447 Handle<FunctionTemplate> sub = FunctionTemplate::New(WrapSubscription);
2448 sub->SetClassName(String::New("Subscription"));
2449 sub->InstanceTemplate()->SetInternalFieldCount(1);
2450 global->Set(String::New("Subscription"), sub, ReadOnly);
2451
2452#ifdef HAVE_SQL
2453 Handle<FunctionTemplate> db = FunctionTemplate::New(WrapDatabase);
2454 db->SetClassName(String::New("Database"));
2455 db->InstanceTemplate()->SetInternalFieldCount(1);
2456 global->Set(String::New("Database"), db, ReadOnly);
2457#endif
2458
2459 Handle<FunctionTemplate> thread = FunctionTemplate::New(WrapThread);
2460 thread->SetClassName(String::New("Thread"));
2461 global->Set(String::New("Thread"), thread, ReadOnly);
2462
2463 Handle<FunctionTemplate> file = FunctionTemplate::New(WrapFile);
2464 file->SetClassName(String::New("File"));
2465 global->Set(String::New("File"), file, ReadOnly);
2466
2467 Handle<FunctionTemplate> evt = FunctionTemplate::New();
2468 evt->SetClassName(String::New("Event"));
2469 global->Set(String::New("Event"), evt, ReadOnly);
2470
2471 Handle<FunctionTemplate> desc = FunctionTemplate::New();
2472 desc->SetClassName(String::New("Description"));
2473 global->Set(String::New("Description"), desc, ReadOnly);
2474
2475 fTemplateEvent = evt;
2476 fTemplateDescription = desc;
2477
2478#ifdef HAVE_MAILX
2479 Handle<FunctionTemplate> mail = FunctionTemplate::New(ConstructorMail);
2480 mail->SetClassName(String::New("Mail"));
2481 global->Set(String::New("Mail"), mail, ReadOnly);
2482#endif
2483
2484#ifdef HAVE_NOVA
2485 Handle<FunctionTemplate> sky = FunctionTemplate::New(ConstructorSky);
2486 sky->SetClassName(String::New("Sky"));
2487 sky->Set(String::New("dist"), FunctionTemplate::New(SkyDist), ReadOnly);
2488 global->Set(String::New("Sky"), sky, ReadOnly);
2489
2490 Handle<FunctionTemplate> loc = FunctionTemplate::New(ConstructorLocal);
2491 loc->SetClassName(String::New("Local"));
2492 loc->Set(String::New("dist"), FunctionTemplate::New(LocalDist), ReadOnly);
2493 global->Set(String::New("Local"), loc, ReadOnly);
2494
2495 Handle<FunctionTemplate> moon = FunctionTemplate::New(ConstructorMoon);
2496 moon->SetClassName(String::New("Moon"));
2497 moon->Set(String::New("disk"), FunctionTemplate::New(MoonDisk), ReadOnly);
2498 moon->Set(String::New("horizon"), FunctionTemplate::New(MoonHorizon), ReadOnly);
2499 global->Set(String::New("Moon"), moon, ReadOnly);
2500
2501 Handle<FunctionTemplate> sun = FunctionTemplate::New();
2502 sun->SetClassName(String::New("Sun"));
2503 sun->Set(String::New("horizon"), FunctionTemplate::New(SunHorizon), ReadOnly);
2504 global->Set(String::New("Sun"), sun, ReadOnly);
2505
2506 fTemplateLocal = loc;
2507 fTemplateSky = sky;
2508#endif
2509
2510 // Persistent
2511 Persistent<Context> context = Context::New(NULL, global);
2512 if (context.IsEmpty())
2513 {
2514 JsException("Creation of global context failed...");
2515 JsEnd(filename);
2516 return false;
2517 }
2518
2519 // Switch off eval(). It is not possible to track it's exceptions.
2520 context->AllowCodeGenerationFromStrings(false);
2521
2522 Context::Scope scope(context);
2523
2524 Handle<Array> args = Array::New(map.size());
2525 for (auto it=map.begin(); it!=map.end(); it++)
2526 args->Set(String::New(it->first.c_str()), String::New(it->second.c_str()));
2527 context->Global()->Set(String::New("$"), args, ReadOnly);
2528 context->Global()->Set(String::New("arg"), args, ReadOnly);
2529
2530 const Local<Value> starttime = Date::New(Time().JavaDate());
2531 if (!starttime.IsEmpty())
2532 context->Global()->Set(String::New("__START__"), starttime, ReadOnly);
2533
2534 //V8::ResumeProfiler();
2535
2536 TryCatch exception;
2537
2538 AddFormatToGlobal();
2539
2540 if (!exception.HasCaught())
2541 {
2542 JsStart(filename);
2543
2544 Locker::StartPreemption(10);
2545
2546 if (filename.empty())
2547 ExecuteConsole();
2548 else
2549 {
2550 // We call script->Run because it is the only way to
2551 // catch exceptions.
2552 const Handle<String> source = String::New(("include('"+filename+"');").c_str());
2553 const Handle<String> origin = String::New("main");
2554 const Handle<Script> script = Script::Compile(source, origin);
2555 if (!script.IsEmpty())
2556 {
2557 JsSetState(3);
2558 script->Run();
2559 }
2560 }
2561
2562 Locker::StopPreemption();
2563
2564 // Stop all other threads
2565 for (auto it=fThreadIds.begin(); it!=fThreadIds.end(); it++)
2566 V8::TerminateExecution(*it);
2567 fThreadIds.clear();
2568 }
2569
2570 // Handle an exception
2571 /*const bool rc =*/ HandleException(exception, "main");
2572
2573 // IsProfilerPaused()
2574 // V8::PauseProfiler();
2575
2576 // -----
2577 // This is how an exit handler could look like, but there is no way to interrupt it
2578 // -----
2579 // Handle<Object> obj = Handle<Object>::Cast(context->Global()->Get(String::New("dim")));
2580 // if (!obj.IsEmpty())
2581 // {
2582 // Handle<Value> onexit = obj->Get(String::New("onexit"));
2583 // if (!onexit->IsUndefined())
2584 // Handle<Function>::Cast(onexit)->NewInstance(0, NULL); // argc, argv
2585 // // Handle<Object> result = Handle<Function>::Cast(onexit)->NewInstance(0, NULL); // argc, argv
2586 // }
2587
2588 //context->Exit();
2589
2590 // The threads are started already and wait to get the lock
2591 // So we have to unlock (manual preemtion) so that they get
2592 // the signal to terminate.
2593 {
2594 const Unlocker unlock;
2595
2596 for (auto it=fThreads.begin(); it!=fThreads.end(); it++)
2597 it->join();
2598 fThreads.clear();
2599 }
2600
2601 // Now we can dispose all persistent handles from state callbacks
2602 for (auto it=fStateCallbacks.begin(); it!=fStateCallbacks.end(); it++)
2603 it->second.Dispose();
2604 fStateCallbacks.clear();
2605
2606 // Now we can dispose the persistent interrupt handler
2607 fInterruptCallback.Dispose();
2608
2609 // Now we can dispose all persistent handles from reverse maps
2610 for (auto it=fReverseMap.begin(); it!=fReverseMap.end(); it++)
2611 it->second.Dispose();
2612 fReverseMap.clear();
2613
2614#ifdef HAVE_SQL
2615 // ...and close all database handles
2616 for (auto it=fDatabases.begin(); it!=fDatabases.end(); it++)
2617 delete *it;
2618 fDatabases.clear();
2619#endif
2620
2621 fStates.clear();
2622
2623 context.Dispose();
2624
2625 JsEnd(filename);
2626
2627 return true;
2628}
2629
2630void InterpreterV8::JsStop()
2631{
2632 Locker locker;
2633 V8::TerminateExecution(This->fThreadId);
2634}
2635
2636#endif
2637
2638InterpreterV8 *InterpreterV8::This = 0;
Note: See TracBrowser for help on using the repository browser.