]> git.mxchange.org Git - flightgear.git/blob - src/Scripting/NasalSys.cxx
133d8f7407c973f36b916da949589f9284a37ee1
[flightgear.git] / src / Scripting / NasalSys.cxx
1
2 #ifdef HAVE_CONFIG_H
3 #  include "config.h"
4 #endif
5
6 #ifdef HAVE_SYS_TIME_H
7 #  include <sys/time.h>  // gettimeofday
8 #endif
9
10 #include <string.h>
11 #include <stdio.h>
12 #include <sys/types.h>
13 #include <sys/stat.h>
14
15 #include <plib/ul.h>
16
17 #include <simgear/nasal/nasal.h>
18 #include <simgear/props/props.hxx>
19 #include <simgear/math/sg_random.h>
20 #include <simgear/misc/sg_path.hxx>
21 #include <simgear/misc/interpolator.hxx>
22 #include <simgear/structure/commands.hxx>
23
24 #include <Main/globals.hxx>
25 #include <Main/fg_props.hxx>
26
27 #include "NasalSys.hxx"
28
29 static FGNasalSys* nasalSys = 0;
30
31
32 // Read and return file contents in a single buffer.  Note use of
33 // stat() to get the file size.  This is a win32 function, believe it
34 // or not. :) Note the REALLY IMPORTANT use of the "b" flag to fopen.
35 // Text mode brain damage will kill us if we're trying to do bytewise
36 // I/O.
37 static char* readfile(const char* file, int* lenOut)
38 {
39     struct stat data;
40     if(stat(file, &data) != 0) return 0;
41     FILE* f = fopen(file, "rb");
42     if(!f) return 0;
43     char* buf = new char[data.st_size];
44     *lenOut = fread(buf, 1, data.st_size, f);
45     fclose(f);
46     if(*lenOut != data.st_size) {
47         // Shouldn't happen, but warn anyway since it represents a
48         // platform bug and not a typical runtime error (missing file,
49         // etc...)
50         SG_LOG(SG_NASAL, SG_ALERT,
51                "ERROR in Nasal initialization: " <<
52                "short count returned from fread() of " << file <<
53                ".  Check your C library!");
54         delete[] buf;
55         return 0;
56     }
57     return buf;
58 }
59
60 FGNasalSys::FGNasalSys()
61 {
62     nasalSys = this;
63     _context = 0;
64     _globals = naNil();
65     _gcHash = naNil();
66     _nextGCKey = 0; // Any value will do
67     _callCount = 0;
68     _purgeListeners = false;
69 }
70
71 // Does a naCall() in a new context.  Wrapped here to make lock
72 // tracking easier.  Extension functions are called with the lock, but
73 // we have to release it before making a new naCall().  So rather than
74 // drop the lock in every extension function that might call back into
75 // Nasal, we keep a stack depth counter here and only unlock/lock
76 // around the naCall if it isn't the first one.
77 naRef FGNasalSys::call(naRef code, naRef locals)
78 {
79     naContext ctx = naNewContext();
80     if(_callCount) naModUnlock();
81     _callCount++;
82     naRef result = naCall(ctx, code, 0, 0, naNil(), locals);
83     if(naGetError(ctx))
84         logError(ctx);
85     _callCount--;
86     if(_callCount) naModLock();
87     naFreeContext(ctx);
88     return result;
89 }
90
91 FGNasalSys::~FGNasalSys()
92 {
93     nasalSys = 0;
94     map<int, FGNasalListener *>::iterator it, end = _listener.end();
95     for(it = _listener.begin(); it != end; ++it)
96         delete it->second;
97
98     naFreeContext(_context);
99     _globals = naNil();
100 }
101
102 bool FGNasalSys::parseAndRun(const char* sourceCode)
103 {
104     naRef code = parse("FGNasalSys::parseAndRun()", sourceCode,
105                        strlen(sourceCode));
106     if(naIsNil(code))
107         return false;
108     call(code, naNil());
109     return true;
110 }
111
112 FGNasalScript* FGNasalSys::parseScript(const char* src, const char* name)
113 {
114     FGNasalScript* script = new FGNasalScript();
115     script->_gcKey = -1; // important, if we delete it on a parse
116     script->_nas = this; // error, don't clobber a real handle!
117
118     char buf[256];
119     if(!name) {
120         sprintf(buf, "FGNasalScript@%p", (void *)script);
121         name = buf;
122     }
123
124     script->_code = parse(name, src, strlen(src));
125     if(naIsNil(script->_code)) {
126         delete script;
127         return 0;
128     }
129
130     script->_gcKey = gcSave(script->_code);
131     return script;
132 }
133
134 // Utility.  Sets a named key in a hash by C string, rather than nasal
135 // string object.
136 void FGNasalSys::hashset(naRef hash, const char* key, naRef val)
137 {
138     naRef s = naNewString(_context);
139     naStr_fromdata(s, (char*)key, strlen(key));
140     naHash_set(hash, s, val);
141 }
142
143 // The get/setprop functions accept a *list* of strings and walk
144 // through the property tree with them to find the appropriate node.
145 // This allows a Nasal object to hold onto a property path and use it
146 // like a node object, e.g. setprop(ObjRoot, "size-parsecs", 2.02).  This
147 // is the utility function that walks the property tree.
148 // Future enhancement: support integer arguments to specify array
149 // elements.
150 static SGPropertyNode* findnode(naContext c, naRef* vec, int len)
151 {
152     SGPropertyNode* p = globals->get_props();
153     try {
154         for(int i=0; i<len; i++) {
155             naRef a = vec[i];
156             if(!naIsString(a)) return 0;
157             p = p->getNode(naStr_data(a));
158             if(p == 0) return 0;
159         }
160     } catch (const string& err) {
161         naRuntimeError(c, (char *)err.c_str());
162         return 0;
163     }
164     return p;
165 }
166
167 // getprop() extension function.  Concatenates its string arguments as
168 // property names and returns the value of the specified property.  Or
169 // nil if it doesn't exist.
170 static naRef f_getprop(naContext c, naRef me, int argc, naRef* args)
171 {
172     const SGPropertyNode* p = findnode(c, args, argc);
173     if(!p) return naNil();
174
175     switch(p->getType()) {
176     case SGPropertyNode::BOOL:   case SGPropertyNode::INT:
177     case SGPropertyNode::LONG:   case SGPropertyNode::FLOAT:
178     case SGPropertyNode::DOUBLE:
179         return naNum(p->getDoubleValue());
180
181     case SGPropertyNode::STRING:
182     case SGPropertyNode::UNSPECIFIED:
183         {
184             naRef nastr = naNewString(c);
185             const char* val = p->getStringValue();
186             naStr_fromdata(nastr, (char*)val, strlen(val));
187             return nastr;
188         }
189     case SGPropertyNode::ALIAS: // <--- FIXME, recurse?
190     default:
191         return naNil();
192     }
193 }
194
195 // setprop() extension function.  Concatenates its string arguments as
196 // property names and sets the value of the specified property to the
197 // final argument.
198 static naRef f_setprop(naContext c, naRef me, int argc, naRef* args)
199 {
200 #define BUFLEN 1024
201     char buf[BUFLEN + 1];
202     buf[BUFLEN] = 0;
203     char* p = buf;
204     int buflen = BUFLEN;
205     for(int i=0; i<argc-1; i++) {
206         naRef s = naStringValue(c, args[i]);
207         if(naIsNil(s)) return naNil();
208         strncpy(p, naStr_data(s), buflen);
209         p += naStr_len(s);
210         buflen = BUFLEN - (p - buf);
211         if(i < (argc-2) && buflen > 0) {
212             *p++ = '/';
213             buflen--;
214         }
215     }
216
217     SGPropertyNode* props = globals->get_props();
218     naRef val = args[argc-1];
219     try {
220         if(naIsString(val)) props->setStringValue(buf, naStr_data(val));
221         else {
222             naRef n = naNumValue(val);
223             if(naIsNil(n))
224                 naRuntimeError(c, "setprop() value is not string or number");
225             props->setDoubleValue(buf, n.num);
226         }
227     } catch (const string& err) {
228         naRuntimeError(c, (char *)err.c_str());
229     }
230     return naNil();
231 #undef BUFLEN
232 }
233
234 // print() extension function.  Concatenates and prints its arguments
235 // to the FlightGear log.  Uses the highest log level (SG_ALERT), to
236 // make sure it appears.  Is there better way to do this?
237 static naRef f_print(naContext c, naRef me, int argc, naRef* args)
238 {
239     string buf;
240     int n = argc;
241     for(int i=0; i<n; i++) {
242         naRef s = naStringValue(c, args[i]);
243         if(naIsNil(s)) continue;
244         buf += naStr_data(s);
245     }
246     SG_LOG(SG_GENERAL, SG_ALERT, buf);
247     return naNum(buf.length());
248 }
249
250 // fgcommand() extension function.  Executes a named command via the
251 // FlightGear command manager.  Takes a single property node name as
252 // an argument.
253 static naRef f_fgcommand(naContext c, naRef me, int argc, naRef* args)
254 {
255     if(argc < 2 || !naIsString(args[0]) || !naIsGhost(args[1]))
256         naRuntimeError(c, "bad arguments to fgcommand()");
257     naRef cmd = args[0], props = args[1];
258     SGPropertyNode_ptr* node = (SGPropertyNode_ptr*)naGhost_ptr(props);
259     return naNum(globals->get_commands()->execute(naStr_data(cmd), *node));
260 }
261
262 // settimer(func, dt, simtime) extension function.  Falls through to
263 // FGNasalSys::setTimer().  See there for docs.
264 static naRef f_settimer(naContext c, naRef me, int argc, naRef* args)
265 {
266     nasalSys->setTimer(c, argc, args);
267     return naNil();
268 }
269
270 // setlistener(func, property, bool) extension function.  Falls through to
271 // FGNasalSys::setListener().  See there for docs.
272 static naRef f_setlistener(naContext c, naRef me, int argc, naRef* args)
273 {
274     return nasalSys->setListener(c, argc, args);
275 }
276
277 // removelistener(int) extension function. Falls through to
278 // FGNasalSys::removeListener(). See there for docs.
279 static naRef f_removelistener(naContext c, naRef me, int argc, naRef* args)
280 {
281     return nasalSys->removeListener(c, argc, args);
282 }
283
284 // Returns a ghost handle to the argument to the currently executing
285 // command
286 static naRef f_cmdarg(naContext c, naRef me, int argc, naRef* args)
287 {
288     return nasalSys->cmdArgGhost();
289 }
290
291 // Sets up a property interpolation.  The first argument is either a
292 // ghost (SGPropertyNode_ptr*) or a string (global property path) to
293 // interpolate.  The second argument is a vector of pairs of
294 // value/delta numbers.
295 static naRef f_interpolate(naContext c, naRef me, int argc, naRef* args)
296 {
297     SGPropertyNode* node;
298     naRef prop = argc > 0 ? args[0] : naNil();
299     if(naIsString(prop)) node = fgGetNode(naStr_data(prop), true);
300     else if(naIsGhost(prop)) node = *(SGPropertyNode_ptr*)naGhost_ptr(prop);
301     else return naNil();
302
303     naRef curve = argc > 1 ? args[1] : naNil();
304     if(!naIsVector(curve)) return naNil();
305     int nPoints = naVec_size(curve) / 2;
306     double* values = new double[nPoints];
307     double* deltas = new double[nPoints];
308     for(int i=0; i<nPoints; i++) {
309         values[i] = naNumValue(naVec_get(curve, 2*i)).num;
310         deltas[i] = naNumValue(naVec_get(curve, 2*i+1)).num;
311     }
312
313     ((SGInterpolator*)globals->get_subsystem_mgr()
314         ->get_group(SGSubsystemMgr::INIT)->get_subsystem("interpolator"))
315         ->interpolate(node, nPoints, values, deltas);
316
317     return naNil();
318 }
319
320 // This is a better RNG than the one in the default Nasal distribution
321 // (which is based on the C library rand() implementation). It will
322 // override.
323 static naRef f_rand(naContext c, naRef me, int argc, naRef* args)
324 {
325     return naNum(sg_random());
326 }
327
328 static naRef f_srand(naContext c, naRef me, int argc, naRef* args)
329 {
330     sg_srandom_time();
331     return naNum(0);
332 }
333
334 // Return an array listing of all files in a directory
335 static naRef f_directory(naContext c, naRef me, int argc, naRef* args)
336 {
337     if(argc != 1 || !naIsString(args[0]))
338         naRuntimeError(c, "bad arguments to directory()");
339     naRef ldir = args[0];
340     ulDir* dir = ulOpenDir(naStr_data(args[0]));
341     if(!dir) return naNil();
342     naRef result = naNewVector(c);
343     ulDirEnt* dent;
344     while((dent = ulReadDir(dir)))
345         naVec_append(result, naStr_fromdata(naNewString(c), dent->d_name,
346                                             strlen(dent->d_name)));
347     ulCloseDir(dir);
348     return result;
349 }
350
351 // Return UNIX epoch time in seconds.
352 static naRef f_systime(naContext c, naRef me, int argc, naRef* args)
353 {
354 #ifdef WIN32
355     FILETIME ft;
356     GetSystemTimeAsFileTime(&ft);
357     double t = (4294967296.0 * ft.dwHighDateTime + ft.dwLowDateTime);
358     // Converts from 100ns units in 1601 epoch to unix epoch in sec
359     return naNum((t * 1e-7) - 11644473600.0);
360 #else
361     time_t t;
362     struct timeval td;
363     do { t = time(0); gettimeofday(&td, 0); } while(t != time(0));
364     return naNum(t + 1e-6 * td.tv_usec);
365 #endif
366
367 }
368
369 // Table of extension functions.  Terminate with zeros.
370 static struct { char* name; naCFunction func; } funcs[] = {
371     { "getprop",   f_getprop },
372     { "setprop",   f_setprop },
373     { "print",     f_print },
374     { "_fgcommand", f_fgcommand },
375     { "settimer",  f_settimer },
376     { "_setlistener", f_setlistener },
377     { "removelistener", f_removelistener },
378     { "_cmdarg",  f_cmdarg },
379     { "_interpolate",  f_interpolate },
380     { "rand",  f_rand },
381     { "srand",  f_srand },
382     { "directory", f_directory },
383     { "systime", f_systime },
384     { 0, 0 }
385 };
386
387 naRef FGNasalSys::cmdArgGhost()
388 {
389     return propNodeGhost(_cmdArg);
390 }
391
392 void FGNasalSys::init()
393 {
394     int i;
395
396     _context = naNewContext();
397
398     // Start with globals.  Add it to itself as a recursive
399     // sub-reference under the name "globals".  This gives client-code
400     // write access to the namespace if someone wants to do something
401     // fancy.
402     _globals = naInit_std(_context);
403     naSave(_context, _globals);
404     hashset(_globals, "globals", _globals);
405
406     hashset(_globals, "math", naInit_math(_context));
407     hashset(_globals, "bits", naInit_bits(_context));
408     hashset(_globals, "io", naInit_io(_context));
409     hashset(_globals, "thread", naInit_thread(_context));
410     hashset(_globals, "utf8", naInit_utf8(_context));
411
412     // Add our custom extension functions:
413     for(i=0; funcs[i].name; i++)
414         hashset(_globals, funcs[i].name,
415                 naNewFunc(_context, naNewCCode(_context, funcs[i].func)));
416
417     // And our SGPropertyNode wrapper
418     hashset(_globals, "props", genPropsModule());
419
420     // Make a "__gcsave" hash to hold the naRef objects which get
421     // passed to handles outside the interpreter (to protect them from
422     // begin garbage-collected).
423     _gcHash = naNewHash(_context);
424     hashset(_globals, "__gcsave", _gcHash);
425
426     // Now load the various source files in the Nasal directory
427     SGPath p(globals->get_fg_root());
428     p.append("Nasal");
429     ulDirEnt* dent;
430     ulDir* dir = ulOpenDir(p.c_str());
431     while(dir && (dent = ulReadDir(dir)) != 0) {
432         SGPath fullpath(p);
433         fullpath.append(dent->d_name);
434         SGPath file(dent->d_name);
435         if(file.extension() != "nas") continue;
436         loadModule(fullpath, file.base().c_str());
437     }
438     ulCloseDir(dir);
439
440     // set signal and remove node to avoid restoring at reinit
441     const char *s = "nasal-dir-initialized";
442     SGPropertyNode *signal = fgGetNode("/sim/signals", true);
443     signal->setBoolValue(s, true);
444     signal->removeChildren(s);
445
446     // Pull scripts out of the property tree, too
447     loadPropertyScripts();
448 }
449
450 void FGNasalSys::update(double)
451 {
452     if(_purgeListeners) {
453         _purgeListeners = false;
454         map<int, FGNasalListener *>::iterator it;
455         for(it = _listener.begin(); it != _listener.end();) {
456             FGNasalListener *nl = it->second;
457             if(nl->_dead) {
458                 _listener.erase(it++);
459                 delete nl;
460             } else {
461                 ++it;
462             }
463         }
464     }
465 }
466
467 // Loads the scripts found under /nasal in the global tree
468 void FGNasalSys::loadPropertyScripts()
469 {
470     SGPropertyNode* nasal = globals->get_props()->getNode("nasal");
471     if(!nasal) return;
472
473     for(int i=0; i<nasal->nChildren(); i++) {
474         SGPropertyNode* n = nasal->getChild(i);
475
476         const char* module = n->getName();
477         if(n->hasChild("module"))
478             module = n->getStringValue("module");
479
480         // allow multiple files to be specified within in a single
481         // Nasal module tag
482         int j = 0;
483         SGPropertyNode *fn;
484         bool file_specified = false;
485         while ( (fn = n->getChild("file", j)) != NULL ) {
486             file_specified = true;
487             const char* file = fn->getStringValue();
488             SGPath p(globals->get_fg_root());
489             p.append(file);
490             loadModule(p, module);
491             j++;
492         }
493
494         // Old code which only allowed a single file to be specified per module
495         /*
496         const char* file = n->getStringValue("file");
497         if(!n->hasChild("file")) file = 0; // Hrm...
498         if(file) {
499             SGPath p(globals->get_fg_root());
500             p.append(file);
501             loadModule(p, module);
502         }
503         */
504         
505         const char* src = n->getStringValue("script");
506         if(!n->hasChild("script")) src = 0; // Hrm...
507         if(src)
508             createModule(module, n->getPath(), src, strlen(src));
509
510         if(!file_specified && !src)
511             SG_LOG(SG_NASAL, SG_ALERT, "Nasal error: " <<
512                    "no <file> or <script> defined in " <<
513                    "/nasal/" << module);
514     }
515 }
516
517 // Logs a runtime error, with stack trace, to the FlightGear log stream
518 void FGNasalSys::logError(naContext context)
519 {
520     SG_LOG(SG_NASAL, SG_ALERT,
521            "Nasal runtime error: " << naGetError(context));
522     SG_LOG(SG_NASAL, SG_ALERT,
523            "  at " << naStr_data(naGetSourceFile(context, 0)) <<
524            ", line " << naGetLine(context, 0));
525     for(int i=1; i<naStackDepth(context); i++)
526         SG_LOG(SG_NASAL, SG_ALERT,
527                "  called from: " << naStr_data(naGetSourceFile(context, i)) <<
528                ", line " << naGetLine(context, i));
529 }
530
531 // Reads a script file, executes it, and places the resulting
532 // namespace into the global namespace under the specified module
533 // name.
534 void FGNasalSys::loadModule(SGPath file, const char* module)
535 {
536     int len = 0;
537     char* buf = readfile(file.c_str(), &len);
538     if(!buf) {
539         SG_LOG(SG_NASAL, SG_ALERT,
540                "Nasal error: could not read script file " << file.c_str()
541                << " into module " << module);
542         return;
543     }
544
545     createModule(module, file.c_str(), buf, len);
546     delete[] buf;
547 }
548
549 // Parse and run.  Save the local variables namespace, as it will
550 // become a sub-object of globals.  The optional "arg" argument can be
551 // used to pass an associated property node to the module, which can then
552 // be accessed via cmdarg().  (This is, for example, used by XML dialogs.)
553 void FGNasalSys::createModule(const char* moduleName, const char* fileName,
554                               const char* src, int len, const SGPropertyNode* arg)
555 {
556     naRef code = parse(fileName, src, len);
557     if(naIsNil(code))
558         return;
559
560     // See if we already have a module hash to use.  This allows the
561     // user to, for example, add functions to the built-in math
562     // module.  Make a new one if necessary.
563     naRef locals;
564     naRef modname = naNewString(_context);
565     naStr_fromdata(modname, (char*)moduleName, strlen(moduleName));
566     if(!naHash_get(_globals, modname, &locals))
567         locals = naNewHash(_context);
568
569     _cmdArg = (SGPropertyNode*)arg;
570
571     call(code, locals);
572     hashset(_globals, moduleName, locals);
573 }
574
575 void FGNasalSys::deleteModule(const char* moduleName)
576 {
577     naRef modname = naNewString(_context);
578     naStr_fromdata(modname, (char*)moduleName, strlen(moduleName));
579     naHash_delete(_globals, modname);
580 }
581
582 naRef FGNasalSys::parse(const char* filename, const char* buf, int len)
583 {
584     int errLine = -1;
585     naRef srcfile = naNewString(_context);
586     naStr_fromdata(srcfile, (char*)filename, strlen(filename));
587     naRef code = naParseCode(_context, srcfile, 1, (char*)buf, len, &errLine);
588     if(naIsNil(code)) {
589         SG_LOG(SG_NASAL, SG_ALERT,
590                "Nasal parse error: " << naGetError(_context) <<
591                " in "<< filename <<", line " << errLine);
592         return naNil();
593     }
594
595     // Bind to the global namespace before returning
596     return naBindFunction(_context, code, _globals);
597 }
598
599 bool FGNasalSys::handleCommand(const SGPropertyNode* arg)
600 {
601     const char* nasal = arg->getStringValue("script");
602     const char* moduleName = arg->getStringValue("module");
603     naRef code = parse(arg->getPath(true), nasal, strlen(nasal));
604     if(naIsNil(code)) return false;
605
606     // Commands can be run "in" a module.  Make sure that module
607     // exists, and set it up as the local variables hash for the
608     // command.
609     naRef locals = naNil();
610     if(moduleName[0]) {
611         naRef modname = naNewString(_context);
612         naStr_fromdata(modname, (char*)moduleName, strlen(moduleName));
613         if(!naHash_get(_globals, modname, &locals)) {
614             locals = naNewHash(_context);
615             naHash_set(_globals, modname, locals);
616         }
617     }
618
619     // Cache this command's argument for inspection via cmdarg().  For
620     // performance reasons, we won't bother with it if the invoked
621     // code doesn't need it.
622     _cmdArg = (SGPropertyNode*)arg;
623
624     call(code, locals);
625     return true;
626 }
627
628 // settimer(func, dt, simtime) extension function.  The first argument
629 // is a Nasal function to call, the second is a delta time (from now),
630 // in seconds.  The third, if present, is a boolean value indicating
631 // that "real world" time (rather than simulator time) is to be used.
632 //
633 // Implementation note: the FGTimer objects don't live inside the
634 // garbage collector, so the Nasal handler functions have to be
635 // "saved" somehow lest they be inadvertently cleaned.  In this case,
636 // they are inserted into a globals.__gcsave hash and removed on
637 // expiration.
638 void FGNasalSys::setTimer(naContext c, int argc, naRef* args)
639 {
640     // Extract the handler, delta, and simtime arguments:
641     naRef handler = argc > 0 ? args[0] : naNil();
642     if(!(naIsCode(handler) || naIsCCode(handler) || naIsFunc(handler))) {
643         naRuntimeError(c, "settimer() with invalid function argument");
644         return;
645     }
646
647     naRef delta = argc > 1 ? args[1] : naNil();
648     if(naIsNil(delta)) {
649         naRuntimeError(c, "settimer() with invalid time argument");
650         return;
651     }
652
653     bool simtime = (argc > 2 && naTrue(args[2])) ? false : true;
654
655     // Generate and register a C++ timer handler
656     NasalTimer* t = new NasalTimer;
657     t->handler = handler;
658     t->gcKey = gcSave(handler);
659     t->nasal = this;
660
661     globals->get_event_mgr()->addEvent("NasalTimer",
662                                        t, &NasalTimer::timerExpired,
663                                        delta.num, simtime);
664 }
665
666 void FGNasalSys::handleTimer(NasalTimer* t)
667 {
668     call(t->handler, naNil());
669     gcRelease(t->gcKey);
670 }
671
672 int FGNasalSys::gcSave(naRef r)
673 {
674     int key = _nextGCKey++;
675     naHash_set(_gcHash, naNum(key), r);
676     return key;
677 }
678
679 void FGNasalSys::gcRelease(int key)
680 {
681     naHash_delete(_gcHash, naNum(key));
682 }
683
684 void FGNasalSys::NasalTimer::timerExpired()
685 {
686     nasal->handleTimer(this);
687     delete this;
688 }
689
690 int FGNasalSys::_listenerId = 0;
691
692 // setlistener(property, func, bool) extension function.  The first argument
693 // is either a ghost (SGPropertyNode_ptr*) or a string (global property
694 // path), the second is a Nasal function, the optional third one a bool.
695 // If the bool is true, then the listener is executed initially. The
696 // setlistener() function returns a unique id number, that can be used
697 // as argument to the removelistener() function.
698 naRef FGNasalSys::setListener(naContext c, int argc, naRef* args)
699 {
700     SGPropertyNode_ptr node;
701     naRef prop = argc > 0 ? args[0] : naNil();
702     if(naIsString(prop)) node = fgGetNode(naStr_data(prop), true);
703     else if(naIsGhost(prop)) node = *(SGPropertyNode_ptr*)naGhost_ptr(prop);
704     else {
705         naRuntimeError(c, "setlistener() with invalid property argument");
706         return naNil();
707     }
708
709     if(node->isTied())
710         SG_LOG(SG_NASAL, SG_DEBUG, "Attaching listener to tied property " <<
711                 node->getPath());
712
713     naRef handler = argc > 1 ? args[1] : naNil();
714     if(!(naIsCode(handler) || naIsCCode(handler) || naIsFunc(handler))) {
715         naRuntimeError(c, "setlistener() with invalid function argument");
716         return naNil();
717     }
718
719     bool initial = argc > 2 && naTrue(args[2]);
720
721     FGNasalListener *nl = new FGNasalListener(node, handler, this,
722             gcSave(handler), _listenerId);
723     node->addChangeListener(nl, initial);
724
725     _listener[_listenerId] = nl;
726     return naNum(_listenerId++);
727 }
728
729 // removelistener(int) extension function. The argument is the id of
730 // a listener as returned by the setlistener() function.
731 naRef FGNasalSys::removeListener(naContext c, int argc, naRef* args)
732 {
733     naRef id = argc > 0 ? args[0] : naNil();
734     map<int, FGNasalListener *>::iterator it = _listener.find(int(id.num));
735
736     if(!naIsNum(id) || it == _listener.end() || it->second->_dead) {
737         naRuntimeError(c, "removelistener() with invalid listener id");
738         return naNil();
739     }
740
741     FGNasalListener *nl = it->second;
742     if(nl->_active) {
743         nl->_dead = true;
744         _purgeListeners = true;
745         return naNum(-1);
746     }
747
748     _listener.erase(it);
749     delete nl;
750     return naNum(_listener.size());
751 }
752
753
754
755 // FGNasalListener class.
756
757 FGNasalListener::FGNasalListener(SGPropertyNode_ptr node, naRef handler,
758                                  FGNasalSys* nasal, int key, int id) :
759     _node(node),
760     _handler(handler),
761     _gcKey(key),
762     _id(id),
763     _nas(nasal),
764     _active(0),
765     _dead(false)
766 {
767 }
768
769 FGNasalListener::~FGNasalListener()
770 {
771     _node->removeChangeListener(this);
772     _nas->gcRelease(_gcKey);
773 }
774
775 void FGNasalListener::valueChanged(SGPropertyNode* node)
776 {
777     // drop recursive listener calls
778     if(_active || _dead)
779         return;
780
781     SG_LOG(SG_NASAL, SG_DEBUG, "trigger listener #" << _id);
782     _active++;
783     _nas->_cmdArg = node;
784     _nas->call(_handler, naNil());
785     _active--;
786 }
787
788
789
790
791 // FGNasalModelData class.  If sgLoad3DModel() is called with a pointer to
792 // such a class, then it lets modelLoaded() run the <load> script, and the
793 // destructor the <unload> script. The latter happens when the model branch
794 // is removed from the scene graph.
795
796 void FGNasalModelData::modelLoaded(const string& path, SGPropertyNode *prop,
797                                    osg::Node *)
798 {
799     SGPropertyNode *n = prop->getNode("nasal"), *load;
800     if(!n)
801         return;
802
803     load = n->getNode("load");
804     _unload = n->getNode("unload");
805     if(!load && !_unload)
806         return;
807
808     _module = path;
809     const char *s = load ? load->getStringValue() : "";
810     nasalSys->createModule(_module.c_str(), _module.c_str(), s, strlen(s), _props);
811 }
812
813 FGNasalModelData::~FGNasalModelData()
814 {
815     if(_module.empty())
816         return;
817
818     if(!nasalSys) {
819         SG_LOG(SG_NASAL, SG_ALERT, "Trying to run an <unload> script "
820                 "without Nasal subsystem present.");
821         return;
822     }
823
824     if(_unload) {
825         const char *s = _unload->getStringValue();
826         nasalSys->createModule(_module.c_str(), _module.c_str(), s, strlen(s), _props);
827     }
828     nasalSys->deleteModule(_module.c_str());
829 }
830
831