]> git.mxchange.org Git - flightgear.git/blob - src/Navaids/NavDataCache.cxx
Don't rebuild navcache for scenery changes
[flightgear.git] / src / Navaids / NavDataCache.cxx
1 // NavDataCache.cxx - defines a unified binary cache for navigation
2 // data, parsed from various text / XML sources.
3
4 // Written by James Turner, started 2012.
5 //
6 // Copyright (C) 2012  James Turner
7 //
8 // This program is free software; you can redistribute it and/or
9 // modify it under the terms of the GNU General Public License as
10 // published by the Free Software Foundation; either version 2 of the
11 // License, or (at your option) any later version.
12 //
13 // This program is distributed in the hope that it will be useful, but
14 // WITHOUT ANY WARRANTY; without even the implied warranty of
15 // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the GNU
16 // General Public License for more details.
17 //
18 // You should have received a copy of the GNU General Public License
19 // along with this program; if not, write to the Free Software
20 // Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA  02110-1301, USA.
21
22 #ifdef HAVE_CONFIG_H
23 # include "config.h"
24 #endif
25
26 #include "NavDataCache.hxx"
27
28 // std
29 #include <map>
30 #include <cassert>
31 #include <stdint.h> // for int64_t
32 // boost
33 #include <boost/foreach.hpp>
34
35
36 #ifdef SYSTEM_SQLITE
37 // the standard sqlite3.h doesn't give a way to set SQLITE_UINT64_TYPE,
38 // so we have to hope sizeof(int64_t) matches sizeof(sqlite3_int64).
39 // otherwise things will go bad quickly.
40   #include "sqlite3.h"
41 #else
42 // to ensure compatability between sqlite3_int64 and PositionedID,
43 // force the type used by sqlite to match PositionedID explicitly
44 #define SQLITE_INT64_TYPE int64_t
45 #define SQLITE_UINT64_TYPE uint64_t
46
47   #include "fg_sqlite3.h"
48 #endif
49
50 // SimGear
51 #include <simgear/sg_inlines.h>
52 #include <simgear/structure/exception.hxx>
53 #include <simgear/debug/logstream.hxx>
54 #include <simgear/bucket/newbucket.hxx>
55 #include <simgear/misc/sg_path.hxx>
56 #include <simgear/misc/strutils.hxx>
57 #include <simgear/threads/SGThread.hxx>
58 #include <simgear/threads/SGGuard.hxx>
59
60 #include <Main/globals.hxx>
61 #include <Main/fg_props.hxx>
62 #include <Main/options.hxx>
63 #include "markerbeacon.hxx"
64 #include "navrecord.hxx"
65 #include <Airports/airport.hxx>
66 #include <Airports/runways.hxx>
67 #include <ATC/CommStation.hxx>
68 #include "fix.hxx"
69 #include <Navaids/fixlist.hxx>
70 #include <Navaids/navdb.hxx>
71 #include "PositionedOctree.hxx"
72 #include <Airports/apt_loader.hxx>
73 #include <Navaids/airways.hxx>
74 #include "poidb.hxx"
75 #include <Airports/parking.hxx>
76 #include <Airports/gnnode.hxx>
77 #include "CacheSchema.h"
78
79 using std::string;
80
81 #define SG_NAVCACHE SG_NAVAID
82 //#define LAZY_OCTREE_UPDATES 1
83
84 namespace {
85
86 const int MAX_RETRIES = 10;
87     
88 const int CACHE_SIZE_KBYTES= 32 * 1024;
89     
90 // bind a std::string to a sqlite statement. The std::string must live the
91 // entire duration of the statement execution - do not pass a temporary
92 // std::string, or the compiler may delete it, freeing the C-string storage,
93 // and causing subtle memory corruption bugs!
94 void sqlite_bind_stdstring(sqlite3_stmt* stmt, int value, const std::string& s)
95 {
96   sqlite3_bind_text(stmt, value, s.c_str(), s.length(), SQLITE_STATIC);
97 }
98
99 // variant of the above, which does not care about the lifetime of the
100 // passed std::string
101 void sqlite_bind_temp_stdstring(sqlite3_stmt* stmt, int value, const std::string& s)
102 {
103   sqlite3_bind_text(stmt, value, s.c_str(), s.length(), SQLITE_TRANSIENT);
104 }
105   
106 typedef sqlite3_stmt* sqlite3_stmt_ptr;
107
108 void f_distanceCartSqrFunction(sqlite3_context* ctx, int argc, sqlite3_value* argv[])
109 {
110   if (argc != 6) {
111     return;
112   }
113   
114   SGVec3d posA(sqlite3_value_double(argv[0]),
115                sqlite3_value_double(argv[1]),
116                sqlite3_value_double(argv[2]));
117   
118   SGVec3d posB(sqlite3_value_double(argv[3]),
119                sqlite3_value_double(argv[4]),
120                sqlite3_value_double(argv[5]));
121   sqlite3_result_double(ctx, distSqr(posA, posB));
122 }
123   
124   
125 static string cleanRunwayNo(const string& aRwyNo)
126 {
127   if (aRwyNo[0] == 'x') {
128     return string(); // no ident for taxiways
129   }
130   
131   string result(aRwyNo);
132   // canonicalise runway ident
133   if ((aRwyNo.size() == 1) || !isdigit(aRwyNo[1])) {
134     result = "0" + aRwyNo;
135   }
136   
137   // trim off trailing garbage
138   if (result.size() > 2) {
139     char suffix = toupper(result[2]);
140     if (suffix == 'X') {
141       result = result.substr(0, 2);
142     }
143   }
144   
145   return result;
146 }
147   
148 } // anonymous namespace
149
150 namespace flightgear
151 {
152
153 /**
154  * Thread encapsulating a cache rebuild. This is not used to parallelise
155  * the rebuild - we must still wait until completion before doing other
156  * startup, since many things rely on a complete cache. The thread is used
157  * so we don't block the main event loop for an unacceptable duration,
158  * which causes 'not responding' / spinning beachballs on Windows & Mac
159  */
160 class RebuildThread : public SGThread
161 {
162 public:
163   RebuildThread(NavDataCache* cache) :
164   _cache(cache),
165   _isFinished(false)
166   {
167     
168   }
169   
170   bool isFinished() const
171   {
172     SGGuard<SGMutex> g(_lock);
173     return _isFinished;
174   }
175   
176   virtual void run()
177   {
178     SGTimeStamp st;
179     st.stamp();
180     _cache->doRebuild();
181     SG_LOG(SG_NAVCACHE, SG_INFO, "cache rebuild took:" << st.elapsedMSec() << "msec");
182     
183     SGGuard<SGMutex> g(_lock);
184     _isFinished = true;
185   }
186 private:
187   NavDataCache* _cache;
188   mutable SGMutex _lock;
189   bool _isFinished;
190 };
191
192 ////////////////////////////////////////////////////////////////////////////
193   
194 typedef std::map<PositionedID, FGPositionedRef> PositionedCache;
195   
196 class AirportTower : public FGPositioned
197 {
198 public:
199   AirportTower(PositionedID& guid, PositionedID airport,
200                const string& ident, const SGGeod& pos) :
201     FGPositioned(guid, FGPositioned::TOWER, ident, pos)
202   {
203   }
204 };
205
206 class NavDataCache::NavDataCachePrivate
207 {
208 public:
209   NavDataCachePrivate(const SGPath& p, NavDataCache* o) :
210     outer(o),
211     db(NULL),
212     path(p),
213     readOnly(false),
214     cacheHits(0),
215     cacheMisses(0),
216     transactionLevel(0),
217     transactionAborted(false)
218   {
219   }
220   
221   ~NavDataCachePrivate()
222   {
223     close();
224   }
225   
226   void init()
227   {
228     SG_LOG(SG_NAVCACHE, SG_INFO, "NavCache at:" << path);
229         
230       readOnly = fgGetBool("/sim/fghome-readonly", false);
231
232       int openFlags = readOnly ? SQLITE_OPEN_READONLY :
233         SQLITE_OPEN_READWRITE | SQLITE_OPEN_CREATE;
234       // see http://code.google.com/p/flightgear-bugs/issues/detail?id=1055
235       // for the UTF8 / path logic here
236         std::string pathUtf8 = simgear::strutils::convertWindowsLocal8BitToUtf8(path.str());
237     sqlite3_open_v2(pathUtf8.c_str(), &db, openFlags, NULL);
238     
239     sqlite3_stmt_ptr checkTables =
240       prepare("SELECT count(*) FROM sqlite_master WHERE name='properties'");
241     
242     sqlite3_create_function(db, "distanceCartSqr", 6, SQLITE_ANY, NULL,
243                             f_distanceCartSqrFunction, NULL, NULL);
244     
245     execSelect(checkTables);
246     bool didCreate = false;
247     if (!readOnly && (sqlite3_column_int(checkTables, 0) == 0)) {
248       SG_LOG(SG_NAVCACHE, SG_INFO, "will create tables");
249       initTables();
250       didCreate = true;
251     }
252     
253     readPropertyQuery = prepare("SELECT value FROM properties WHERE key=?");
254     writePropertyQuery = prepare("INSERT INTO properties (key, value) VALUES (?,?)");
255     clearProperty = prepare("DELETE FROM properties WHERE key=?1");
256     
257     if (didCreate) {
258       writeIntProperty("schema-version", SCHEMA_VERSION);
259     } else {
260       int schemaVersion = outer->readIntProperty("schema-version");
261       if (schemaVersion != SCHEMA_VERSION) {
262         SG_LOG(SG_NAVCACHE, SG_INFO, "Navcache schema mismatch, will rebuild");
263         throw sg_exception("Navcache schema has changed");
264       }
265     }
266     
267     // see http://www.sqlite.org/pragma.html#pragma_cache_size
268     // for the details, small cache would cause thrashing.
269     std::ostringstream q;
270     q << "PRAGMA cache_size=-" << CACHE_SIZE_KBYTES << ";";
271     runSQL(q.str());
272     prepareQueries();
273   }
274   
275   void close()
276   {
277     BOOST_FOREACH(sqlite3_stmt_ptr stmt, prepared) {
278       sqlite3_finalize(stmt);
279     }
280     prepared.clear();
281     sqlite3_close(db);
282   }
283   
284   void checkCacheFile()
285   {
286     SG_LOG(SG_NAVCACHE, SG_INFO, "running DB integrity check");
287     SGTimeStamp st;
288     st.stamp();
289     
290     sqlite3_stmt_ptr stmt = prepare("PRAGMA quick_check(1)");
291     if (!execSelect(stmt)) {
292       throw sg_exception("DB integrity check failed to run");
293     }
294     
295     string v = (char*) sqlite3_column_text(stmt, 0);
296     if (v != "ok") {
297       throw sg_exception("DB integrity check returned:" + v);
298     }
299     
300     SG_LOG(SG_NAVCACHE, SG_INFO, "NavDataCache integrity check took:" << st.elapsedMSec());
301     finalize(stmt);
302   }
303
304   bool isCachedFileModified(const SGPath& path, bool verbose);
305   
306   void callSqlite(int result, const string& sql)
307   {
308     if (result == SQLITE_OK)
309       return; // all good
310     
311     string errMsg;
312     if (result == SQLITE_MISUSE) {
313       errMsg = "Sqlite API abuse";
314       SG_LOG(SG_NAVCACHE, SG_ALERT, "Sqlite API abuse");
315     } else {
316       errMsg = sqlite3_errmsg(db);
317       SG_LOG(SG_NAVCACHE, SG_ALERT, "Sqlite error:" << errMsg << " running:\n\t" << sql);
318     }
319     
320     throw sg_exception("Sqlite error:" + errMsg, sql);
321   }
322   
323   void runSQL(const string& sql)
324   {
325     sqlite3_stmt_ptr stmt;
326     callSqlite(sqlite3_prepare_v2(db, sql.c_str(), sql.length(), &stmt, NULL), sql);
327     
328     try {
329       execSelect(stmt);
330     } catch (sg_exception&) {
331       sqlite3_finalize(stmt);
332       throw; // re-throw
333     }
334     
335     sqlite3_finalize(stmt);
336   }
337   
338   sqlite3_stmt_ptr prepare(const string& sql)
339   {
340     sqlite3_stmt_ptr stmt;
341     callSqlite(sqlite3_prepare_v2(db, sql.c_str(), sql.length(), &stmt, NULL), sql);
342     prepared.push_back(stmt);
343     return stmt;
344   }
345   
346   void finalize(sqlite3_stmt_ptr s)
347   {
348     StmtVec::iterator it = std::find(prepared.begin(), prepared.end(), s);
349     if (it == prepared.end()) {
350       throw sg_exception("Finalising statement that was not prepared");
351     }
352     
353     prepared.erase(it);
354     sqlite3_finalize(s);
355   }
356   
357   void reset(sqlite3_stmt_ptr stmt)
358   {
359     assert(stmt);
360     if (sqlite3_reset(stmt) != SQLITE_OK) {
361       string errMsg = sqlite3_errmsg(db);
362       SG_LOG(SG_NAVCACHE, SG_ALERT, "Sqlite error resetting:" << errMsg);
363       throw sg_exception("Sqlite error resetting:" + errMsg, sqlite3_sql(stmt));
364     }
365   }
366   
367   bool execSelect(sqlite3_stmt_ptr stmt)
368   {
369     return stepSelect(stmt);
370   }
371   
372   bool stepSelect(sqlite3_stmt_ptr stmt)
373   {
374     int retries = 0;
375     int result;
376     while (retries < MAX_RETRIES) {
377       result = sqlite3_step(stmt);
378       if (result == SQLITE_ROW) {
379         return true; // at least one result row
380       }
381       
382       if (result == SQLITE_DONE) {
383         return false; // no result rows
384       }
385       
386       if (result != SQLITE_BUSY) {
387         break;
388       }
389       
390       SG_LOG(SG_NAVCACHE, SG_ALERT, "NavCache contention on select, will retry:" << retries);
391       SGTimeStamp::sleepForMSec(++retries * 10);
392     } // of retry loop for DB locked
393     
394     if (retries >= MAX_RETRIES) {
395       SG_LOG(SG_NAVCACHE, SG_ALERT, "exceeded maximum number of SQLITE_BUSY retries");
396       return false;
397     }
398     
399     string errMsg;
400     if (result == SQLITE_MISUSE) {
401       errMsg = "Sqlite API abuse";
402       SG_LOG(SG_NAVCACHE, SG_ALERT, "Sqlite API abuse");
403     } else {
404       errMsg = sqlite3_errmsg(db);
405       SG_LOG(SG_NAVCACHE, SG_ALERT, "Sqlite error:" << errMsg << " (" << result
406              << ") while running:\n\t" << sqlite3_sql(stmt));
407     }
408     
409     throw sg_exception("Sqlite error:" + errMsg, sqlite3_sql(stmt));
410   }
411   
412   void execSelect1(sqlite3_stmt_ptr stmt)
413   {
414     if (!execSelect(stmt)) {
415       SG_LOG(SG_NAVCACHE, SG_WARN, "empty SELECT running:\n\t" << sqlite3_sql(stmt));
416       throw sg_exception("no results returned for select", sqlite3_sql(stmt));
417     }
418   }
419   
420   sqlite3_int64 execInsert(sqlite3_stmt_ptr stmt)
421   {
422     execSelect(stmt);
423     sqlite3_int64 rowid = sqlite3_last_insert_rowid(db);
424     reset(stmt);
425     return rowid;
426   }
427   
428   void execUpdate(sqlite3_stmt_ptr stmt)
429   {
430     execSelect(stmt);
431     reset(stmt);
432   }
433     
434   void initTables()
435   {
436       string_list commands = simgear::strutils::split(SCHEMA_SQL, ";");
437       BOOST_FOREACH(std::string sql, commands) {
438           if (sql.empty()) {
439               continue;
440           }
441           
442           runSQL(sql);
443       } // of commands in scheme loop
444   }
445   
446   void prepareQueries()
447   {
448     writePropertyMulti = prepare("INSERT INTO properties (key, value) VALUES(?1,?2)");
449     
450     beginTransactionStmt = prepare("BEGIN");
451     commitTransactionStmt = prepare("COMMIT");
452     rollbackTransactionStmt = prepare("ROLLBACK");
453
454     
455 #define POSITIONED_COLS "rowid, type, ident, name, airport, lon, lat, elev_m, octree_node"
456 #define AND_TYPED "AND type>=?2 AND type <=?3"
457     statCacheCheck = prepare("SELECT stamp FROM stat_cache WHERE path=?");
458     stampFileCache = prepare("INSERT OR REPLACE INTO stat_cache "
459                              "(path, stamp) VALUES (?,?)");
460     
461     loadPositioned = prepare("SELECT " POSITIONED_COLS " FROM positioned WHERE rowid=?");
462     loadAirportStmt = prepare("SELECT has_metar FROM airport WHERE rowid=?");
463     loadNavaid = prepare("SELECT range_nm, freq, multiuse, runway, colocated FROM navaid WHERE rowid=?");
464     loadCommStation = prepare("SELECT freq_khz, range_nm FROM comm WHERE rowid=?");
465     loadRunwayStmt = prepare("SELECT heading, length_ft, width_m, surface, displaced_threshold,"
466                              "stopway, reciprocal, ils FROM runway WHERE rowid=?1");
467     
468     getAirportItems = prepare("SELECT rowid FROM positioned WHERE airport=?1 " AND_TYPED);
469
470     
471     setAirportMetar = prepare("UPDATE airport SET has_metar=?2 WHERE rowid="
472                               "(SELECT rowid FROM positioned WHERE ident=?1 AND type>=?3 AND type <=?4)");
473     sqlite3_bind_int(setAirportMetar, 3, FGPositioned::AIRPORT);
474     sqlite3_bind_int(setAirportMetar, 4, FGPositioned::SEAPORT);
475     
476     setRunwayReciprocal = prepare("UPDATE runway SET reciprocal=?2 WHERE rowid=?1");
477     setRunwayILS = prepare("UPDATE runway SET ils=?2 WHERE rowid=?1");
478     setNavaidColocated = prepare("UPDATE navaid SET colocated=?2 WHERE rowid=?1");
479     
480     insertPositionedQuery = prepare("INSERT INTO positioned "
481                                     "(type, ident, name, airport, lon, lat, elev_m, octree_node, "
482                                     "cart_x, cart_y, cart_z)"
483                                     " VALUES (?1, ?2, ?3, ?4, ?5, ?6, ?7, ?8, ?9, ?10, ?11)");
484     
485     setAirportPos = prepare("UPDATE positioned SET lon=?2, lat=?3, elev_m=?4, octree_node=?5, "
486                             "cart_x=?6, cart_y=?7, cart_z=?8 WHERE rowid=?1");
487     insertAirport = prepare("INSERT INTO airport (rowid, has_metar) VALUES (?, ?)");
488     insertNavaid = prepare("INSERT INTO navaid (rowid, freq, range_nm, multiuse, runway, colocated)"
489                            " VALUES (?1, ?2, ?3, ?4, ?5, ?6)");
490     
491     insertCommStation = prepare("INSERT INTO comm (rowid, freq_khz, range_nm)"
492                                 " VALUES (?, ?, ?)");
493     insertRunway = prepare("INSERT INTO runway "
494                            "(rowid, heading, length_ft, width_m, surface, displaced_threshold, stopway, reciprocal)"
495                            " VALUES (?1, ?2, ?3, ?4, ?5, ?6, ?7, ?8)");
496     runwayLengthFtQuery = prepare("SELECT length_ft FROM runway WHERE rowid=?1");
497     
498     removePOIQuery = prepare("DELETE FROM positioned WHERE type=?1 AND ident=?2");
499     
500   // query statement    
501     findClosestWithIdent = prepare("SELECT rowid FROM positioned WHERE ident=?1 "
502                                    AND_TYPED " ORDER BY distanceCartSqr(cart_x, cart_y, cart_z, ?4, ?5, ?6)");
503     
504     findCommByFreq = prepare("SELECT positioned.rowid FROM positioned, comm WHERE "
505                              "positioned.rowid=comm.rowid AND freq_khz=?1 "
506                              AND_TYPED " ORDER BY distanceCartSqr(cart_x, cart_y, cart_z, ?4, ?5, ?6)");
507     
508     findNavsByFreq = prepare("SELECT positioned.rowid FROM positioned, navaid WHERE "
509                              "positioned.rowid=navaid.rowid "
510                              "AND navaid.freq=?1 " AND_TYPED
511                              " ORDER BY distanceCartSqr(cart_x, cart_y, cart_z, ?4, ?5, ?6)");
512     
513     findNavsByFreqNoPos = prepare("SELECT positioned.rowid FROM positioned, navaid WHERE "
514                                   "positioned.rowid=navaid.rowid AND freq=?1 " AND_TYPED);
515     
516     findNavaidForRunway = prepare("SELECT positioned.rowid FROM positioned, navaid WHERE "
517                                   "positioned.rowid=navaid.rowid AND runway=?1 AND type=?2");
518     
519   // for an octree branch, return the child octree nodes which exist,
520   // described as a bit-mask
521     getOctreeChildren = prepare("SELECT children FROM octree WHERE rowid=?1");
522     
523 #ifdef LAZY_OCTREE_UPDATES
524     updateOctreeChildren = prepare("UPDATE octree SET children=?2 WHERE rowid=?1");
525 #else
526   // mask the new child value into the existing one
527     updateOctreeChildren = prepare("UPDATE octree SET children=(?2 | children) WHERE rowid=?1");
528 #endif
529     
530   // define a new octree node (with no children)
531     insertOctree = prepare("INSERT INTO octree (rowid, children) VALUES (?1, 0)");
532     
533     getOctreeLeafChildren = prepare("SELECT rowid, type FROM positioned WHERE octree_node=?1");
534     
535     searchAirports = prepare("SELECT ident, name FROM positioned WHERE (name LIKE ?1 OR ident LIKE ?1) " AND_TYPED);
536     sqlite3_bind_int(searchAirports, 2, FGPositioned::AIRPORT);
537     sqlite3_bind_int(searchAirports, 3, FGPositioned::SEAPORT);
538     
539     getAllAirports = prepare("SELECT ident, name FROM positioned WHERE type>=?1 AND type <=?2");
540     sqlite3_bind_int(getAllAirports, 1, FGPositioned::AIRPORT);
541     sqlite3_bind_int(getAllAirports, 2, FGPositioned::SEAPORT);
542
543     
544     getAirportItemByIdent = prepare("SELECT rowid FROM positioned WHERE airport=?1 AND ident=?2 AND type=?3");
545     
546     findAirportRunway = prepare("SELECT airport, rowid FROM positioned WHERE ident=?2 AND type=?3 AND airport="
547                                 "(SELECT rowid FROM positioned WHERE type=?4 AND ident=?1)");
548     sqlite3_bind_int(findAirportRunway, 3, FGPositioned::RUNWAY);
549     sqlite3_bind_int(findAirportRunway, 4, FGPositioned::AIRPORT);
550     
551     // three-way join to get the navaid ident and runway ident in a single select.
552     // we're joining positioned to itself by the navaid runway, with the complication
553     // that we need to join the navaids table to get the runway ID.
554     // we also need to filter by type to excluse glideslope (GS) matches
555     findILS = prepare("SELECT nav.rowid FROM positioned AS nav, positioned AS rwy, navaid WHERE "
556                       "nav.ident=?1 AND nav.airport=?2 AND rwy.ident=?3 "
557                       "AND rwy.rowid = navaid.runway AND navaid.rowid=nav.rowid "
558                       "AND (nav.type=?4 OR nav.type=?5)");
559
560     sqlite3_bind_int(findILS, 4, FGPositioned::ILS);
561     sqlite3_bind_int(findILS, 5, FGPositioned::LOC);
562     
563   // airways 
564     findAirway = prepare("SELECT rowid FROM airway WHERE network=?1 AND ident=?2");
565     insertAirway = prepare("INSERT INTO airway (ident, network) "
566                            "VALUES (?1, ?2)");
567     
568     insertAirwayEdge = prepare("INSERT INTO airway_edge (network, airway, a, b) "
569                                "VALUES (?1, ?2, ?3, ?4)");
570     
571     isPosInAirway = prepare("SELECT rowid FROM airway_edge WHERE network=?1 AND a=?2");
572     
573     airwayEdgesFrom = prepare("SELECT airway, b FROM airway_edge WHERE network=?1 AND a=?2");
574     
575   // parking / taxi-node graph
576     insertTaxiNode = prepare("INSERT INTO taxi_node (rowid, hold_type, on_runway, pushback) VALUES(?1, ?2, ?3, 0)");
577     insertParkingPos = prepare("INSERT INTO parking (rowid, heading, radius, gate_type, airlines) "
578                                "VALUES (?1, ?2, ?3, ?4, ?5)");
579     setParkingPushBack = prepare("UPDATE parking SET pushback=?2 WHERE rowid=?1");
580     
581     loadTaxiNodeStmt = prepare("SELECT hold_type, on_runway FROM taxi_node WHERE rowid=?1");
582     loadParkingPos = prepare("SELECT heading, radius, gate_type, airlines, pushback FROM parking WHERE rowid=?1");
583     taxiEdgesFrom = prepare("SELECT b FROM groundnet_edge WHERE a=?1");
584     pushbackEdgesFrom = prepare("SELECT b FROM groundnet_edge, taxi_node WHERE "
585                                 "a=?1 AND groundnet_edge.b = taxi_node.rowid AND pushback=1");
586     
587     insertTaxiEdge = prepare("INSERT INTO groundnet_edge (airport, a,b) VALUES(?1, ?2, ?3)");
588     
589     markTaxiNodeAsPushback = prepare("UPDATE taxi_node SET pushback=1 WHERE rowid=?1");
590     airportTaxiNodes = prepare("SELECT rowid FROM positioned WHERE (type=?2 OR type=?3) AND airport=?1");
591     sqlite3_bind_int(airportTaxiNodes, 2, FGPositioned::PARKING);
592     sqlite3_bind_int(airportTaxiNodes, 3, FGPositioned::TAXI_NODE);
593     
594     airportPushbackNodes = prepare("SELECT positioned.rowid FROM positioned, taxi_node WHERE "\
595                                    "airport=?1 AND positioned.rowid=taxi_node.rowid AND pushback=1 "
596                                    "AND (type=?2 OR type=?3)");
597     sqlite3_bind_int(airportPushbackNodes, 2, FGPositioned::PARKING);
598     sqlite3_bind_int(airportPushbackNodes, 3, FGPositioned::TAXI_NODE);
599     
600     findNearestTaxiNode = prepare("SELECT positioned.rowid FROM positioned, taxi_node WHERE "
601                                   "positioned.rowid = taxi_node.rowid AND airport=?1 "
602                                   "ORDER BY distanceCartSqr(cart_x, cart_y, cart_z, ?2, ?3, ?4) "
603                                   "LIMIT 1");
604     
605     findNearestRunwayTaxiNode = prepare("SELECT positioned.rowid FROM positioned, taxi_node WHERE "
606                                         "positioned.rowid = taxi_node.rowid AND airport=?1 "
607                                         "AND on_runway=1 " 
608                                         "ORDER BY distanceCartSqr(cart_x, cart_y, cart_z, ?2, ?3, ?4) ");
609     
610     findAirportParking = prepare("SELECT positioned.rowid FROM positioned, parking WHERE "
611                                  "airport=?1 AND type=?4 AND "
612                                  "radius >= ?2 AND gate_type = ?3 AND "
613                                  "parking.rowid=positioned.rowid");
614     sqlite3_bind_int(findAirportParking, 4, FGPositioned::PARKING);
615   }
616   
617   void writeIntProperty(const string& key, int value)
618   {
619     sqlite_bind_stdstring(clearProperty, 1, key);
620     execUpdate(clearProperty);
621     
622     sqlite_bind_stdstring(writePropertyQuery, 1, key);
623     sqlite3_bind_int(writePropertyQuery, 2, value);
624     execUpdate(writePropertyQuery);
625   }
626
627   
628   FGPositioned* loadById(sqlite_int64 rowId, sqlite3_int64& aptId);
629   
630   FGAirport* loadAirport(sqlite_int64 rowId,
631                          FGPositioned::Type ty,
632                          const string& id, const string& name, const SGGeod& pos)
633   {
634     sqlite3_bind_int64(loadAirportStmt, 1, rowId);
635     execSelect1(loadAirportStmt);
636     bool hasMetar = (sqlite3_column_int(loadAirportStmt, 0) > 0);
637     reset(loadAirportStmt);
638     
639     return new FGAirport(rowId, id, pos, name, hasMetar, ty);
640   }
641   
642   FGRunwayBase* loadRunway(sqlite3_int64 rowId, FGPositioned::Type ty,
643                            const string& id, const SGGeod& pos, PositionedID apt)
644   {
645     sqlite3_bind_int(loadRunwayStmt, 1, rowId);
646     execSelect1(loadRunwayStmt);
647     
648     double heading = sqlite3_column_double(loadRunwayStmt, 0);
649     double lengthM = sqlite3_column_int(loadRunwayStmt, 1);
650     double widthM = sqlite3_column_double(loadRunwayStmt, 2);
651     int surface = sqlite3_column_int(loadRunwayStmt, 3);
652   
653     if (ty == FGPositioned::TAXIWAY) {
654       reset(loadRunwayStmt);
655       return new FGTaxiway(rowId, id, pos, heading, lengthM, widthM, surface);
656     } else if (ty == FGPositioned::HELIPAD) {
657         reset(loadRunwayStmt);
658         return new FGHelipad(rowId, apt, id, pos, heading, lengthM, widthM, surface);
659     } else {
660       double displacedThreshold = sqlite3_column_double(loadRunwayStmt, 4);
661       double stopway = sqlite3_column_double(loadRunwayStmt, 5);
662       PositionedID reciprocal = sqlite3_column_int64(loadRunwayStmt, 6);
663       PositionedID ils = sqlite3_column_int64(loadRunwayStmt, 7);
664       FGRunway* r = new FGRunway(rowId, apt, id, pos, heading, lengthM, widthM,
665                           displacedThreshold, stopway, surface);
666       
667       if (reciprocal > 0) {
668         r->setReciprocalRunway(reciprocal);
669       }
670       
671       if (ils > 0) {
672         r->setILS(ils);
673       }
674       
675       reset(loadRunwayStmt);
676       return r;
677     }
678   }
679   
680   CommStation* loadComm(sqlite3_int64 rowId, FGPositioned::Type ty,
681                         const string& id, const string& name,
682                         const SGGeod& pos,
683                         PositionedID airport)
684   {
685     sqlite3_bind_int64(loadCommStation, 1, rowId);
686     execSelect1(loadCommStation);
687     
688     int range = sqlite3_column_int(loadCommStation, 0);
689     int freqKhz = sqlite3_column_int(loadCommStation, 1);
690     reset(loadCommStation);
691     
692     CommStation* c = new CommStation(rowId, name, ty, pos, freqKhz, range);
693     c->setAirport(airport);
694     return c;
695   }
696   
697   FGPositioned* loadNav(sqlite3_int64 rowId,
698                        FGPositioned::Type ty, const string& id,
699                        const string& name, const SGGeod& pos)
700   {
701     sqlite3_bind_int64(loadNavaid, 1, rowId);
702     execSelect1(loadNavaid);
703     
704     PositionedID runway = sqlite3_column_int64(loadNavaid, 3);
705     // marker beacons are light-weight
706     if ((ty == FGPositioned::OM) || (ty == FGPositioned::IM) ||
707         (ty == FGPositioned::MM))
708     {
709       reset(loadNavaid);
710       return new FGMarkerBeaconRecord(rowId, ty, runway, pos);
711     }
712     
713     int rangeNm = sqlite3_column_int(loadNavaid, 0),
714     freq = sqlite3_column_int(loadNavaid, 1);
715     double mulituse = sqlite3_column_double(loadNavaid, 2);
716     PositionedID colocated = sqlite3_column_int64(loadNavaid, 4);
717     reset(loadNavaid);
718
719     FGNavRecord* n =
720       (ty == FGPositioned::MOBILE_TACAN)
721       ? new FGMobileNavRecord
722             (rowId, ty, id, name, pos, freq, rangeNm, mulituse, runway)
723       : new FGNavRecord
724             (rowId, ty, id, name, pos, freq, rangeNm, mulituse, runway);
725
726     if (colocated)
727       n->setColocatedDME(colocated);
728
729     return n;
730   }
731   
732   FGPositioned* loadParking(sqlite3_int64 rowId,
733                             const string& name, const SGGeod& pos,
734                             PositionedID airport)
735   {
736     sqlite3_bind_int64(loadParkingPos, 1, rowId);
737     execSelect1(loadParkingPos);
738     
739     double heading = sqlite3_column_double(loadParkingPos, 0);
740     int radius = sqlite3_column_int(loadParkingPos, 1);
741     string aircraftType((char*) sqlite3_column_text(loadParkingPos, 2));
742     string airlines((char*) sqlite3_column_text(loadParkingPos, 3));
743     PositionedID pushBack = sqlite3_column_int64(loadParkingPos, 4);
744     reset(loadParkingPos);
745     
746     return new FGParking(rowId, pos, heading, radius, name, aircraftType, airlines, pushBack);
747   }
748   
749   FGPositioned* loadTaxiNode(sqlite3_int64 rowId, const SGGeod& pos,
750                              PositionedID airport)
751   {
752     sqlite3_bind_int64(loadTaxiNodeStmt, 1, rowId);
753     execSelect1(loadTaxiNodeStmt);
754     
755     int hold_type = sqlite3_column_int(loadTaxiNodeStmt, 0);
756     bool onRunway = sqlite3_column_int(loadTaxiNodeStmt, 1);
757     reset(loadTaxiNodeStmt);
758     
759     return new FGTaxiNode(rowId, pos, onRunway, hold_type);
760   }
761   
762   PositionedID insertPositioned(FGPositioned::Type ty, const string& ident,
763                                 const string& name, const SGGeod& pos, PositionedID apt,
764                                 bool spatialIndex)
765   {
766     SGVec3d cartPos(SGVec3d::fromGeod(pos));
767     
768     sqlite3_bind_int(insertPositionedQuery, 1, ty);
769     sqlite_bind_stdstring(insertPositionedQuery, 2, ident);
770     sqlite_bind_stdstring(insertPositionedQuery, 3, name);
771     sqlite3_bind_int64(insertPositionedQuery, 4, apt);
772     sqlite3_bind_double(insertPositionedQuery, 5, pos.getLongitudeDeg());
773     sqlite3_bind_double(insertPositionedQuery, 6, pos.getLatitudeDeg());
774     sqlite3_bind_double(insertPositionedQuery, 7, pos.getElevationM());
775     
776     if (spatialIndex) {
777       Octree::Leaf* octreeLeaf = Octree::global_spatialOctree->findLeafForPos(cartPos);
778       assert(intersects(octreeLeaf->bbox(), cartPos));
779       sqlite3_bind_int64(insertPositionedQuery, 8, octreeLeaf->guid());
780     } else {
781       sqlite3_bind_null(insertPositionedQuery, 8);
782     }
783     
784     sqlite3_bind_double(insertPositionedQuery, 9, cartPos.x());
785     sqlite3_bind_double(insertPositionedQuery, 10, cartPos.y());
786     sqlite3_bind_double(insertPositionedQuery, 11, cartPos.z());
787     
788     PositionedID r = execInsert(insertPositionedQuery);    
789     return r;
790   }
791   
792   FGPositionedList findAllByString(const string& s, const string& column,
793                                      FGPositioned::Filter* filter, bool exact)
794   {
795     string query = s;
796     if (!exact) query += "%";
797     
798   // build up SQL query text
799     string matchTerm = exact ? "=?1" : " LIKE ?1";
800     string sql = "SELECT rowid FROM positioned WHERE " + column + matchTerm;
801     if (filter) {
802       sql += " " AND_TYPED;
803     }
804
805   // find or prepare a suitable statement frrm the SQL
806     sqlite3_stmt_ptr stmt = findByStringDict[sql];
807     if (!stmt) {
808       stmt = prepare(sql);
809       findByStringDict[sql] = stmt;
810     }
811
812     sqlite_bind_stdstring(stmt, 1, query);
813     if (filter) {
814       sqlite3_bind_int(stmt, 2, filter->minType());
815       sqlite3_bind_int(stmt, 3, filter->maxType());
816     }
817     
818     FGPositionedList result;
819   // run the prepared SQL
820     while (stepSelect(stmt))
821     {
822       FGPositioned* pos = outer->loadById(sqlite3_column_int64(stmt, 0));
823       if (filter && !filter->pass(pos)) {
824         continue;
825       }
826       
827       result.push_back(pos);
828     }
829     
830     reset(stmt);
831     return result;
832   }
833   
834   PositionedIDVec selectIds(sqlite3_stmt_ptr query)
835   {
836     PositionedIDVec result;
837     while (stepSelect(query)) {
838       result.push_back(sqlite3_column_int64(query, 0));
839     }
840     reset(query);
841     return result;
842   }
843   
844   double runwayLengthFt(PositionedID rwy)
845   {
846     sqlite3_bind_int64(runwayLengthFtQuery, 1, rwy);
847     execSelect1(runwayLengthFtQuery);
848     double length = sqlite3_column_double(runwayLengthFtQuery, 0);
849     reset(runwayLengthFtQuery);
850     return length;
851   }
852   
853   void flushDeferredOctreeUpdates()
854   {
855     BOOST_FOREACH(Octree::Branch* nd, deferredOctreeUpdates) {
856       sqlite3_bind_int64(updateOctreeChildren, 1, nd->guid());
857       sqlite3_bind_int(updateOctreeChildren, 2, nd->childMask());
858       execUpdate(updateOctreeChildren);
859     }
860     
861     deferredOctreeUpdates.clear();
862   }
863     
864   void removePositionedWithIdent(FGPositioned::Type ty, const std::string& aIdent)
865   {
866     sqlite3_bind_int(removePOIQuery, 1, ty);
867     sqlite_bind_stdstring(removePOIQuery, 2, aIdent);
868     execUpdate(removePOIQuery);
869     reset(removePOIQuery);
870   }
871   
872   NavDataCache* outer;
873   sqlite3* db;
874   SGPath path;
875     bool readOnly;
876     
877   /// the actual cache of ID -> instances. This holds an owning reference,
878   /// so once items are in the cache they will never be deleted until
879   /// the cache drops its reference
880   PositionedCache cache;
881   unsigned int cacheHits, cacheMisses;
882
883   /**
884    * record the levels of open transaction objects we have
885    */
886   unsigned int transactionLevel;
887   bool transactionAborted;
888   sqlite3_stmt_ptr beginTransactionStmt, commitTransactionStmt, rollbackTransactionStmt;
889   
890   SGPath aptDatPath, metarDatPath, navDatPath, fixDatPath, poiDatPath,
891   carrierDatPath, airwayDatPath;
892   
893   sqlite3_stmt_ptr readPropertyQuery, writePropertyQuery,
894     stampFileCache, statCacheCheck,
895     loadAirportStmt, loadCommStation, loadPositioned, loadNavaid,
896     loadRunwayStmt;
897   sqlite3_stmt_ptr writePropertyMulti, clearProperty;
898   
899   sqlite3_stmt_ptr insertPositionedQuery, insertAirport, insertTower, insertRunway,
900   insertCommStation, insertNavaid;
901   sqlite3_stmt_ptr setAirportMetar, setRunwayReciprocal, setRunwayILS, setNavaidColocated,
902     setAirportPos;
903   sqlite3_stmt_ptr removePOIQuery;
904   
905   sqlite3_stmt_ptr findClosestWithIdent;
906 // octree (spatial index) related queries
907   sqlite3_stmt_ptr getOctreeChildren, insertOctree, updateOctreeChildren,
908     getOctreeLeafChildren;
909
910   sqlite3_stmt_ptr searchAirports, getAllAirports;
911   sqlite3_stmt_ptr findCommByFreq, findNavsByFreq,
912   findNavsByFreqNoPos, findNavaidForRunway;
913   sqlite3_stmt_ptr getAirportItems, getAirportItemByIdent;
914   sqlite3_stmt_ptr findAirportRunway,
915     findILS;
916   
917   sqlite3_stmt_ptr runwayLengthFtQuery;
918   
919 // airways
920   sqlite3_stmt_ptr findAirway, insertAirwayEdge, isPosInAirway, airwayEdgesFrom,
921   insertAirway;
922   
923 // groundnet (parking, taxi node graph)
924   sqlite3_stmt_ptr loadTaxiNodeStmt, loadParkingPos, insertTaxiNode, insertParkingPos;
925   sqlite3_stmt_ptr taxiEdgesFrom, pushbackEdgesFrom, insertTaxiEdge, markTaxiNodeAsPushback,
926     airportTaxiNodes, airportPushbackNodes, findNearestTaxiNode, findAirportParking,
927     setParkingPushBack, findNearestRunwayTaxiNode;
928   
929 // since there's many permutations of ident/name queries, we create
930 // them programtically, but cache the exact query by its raw SQL once
931 // used.
932   std::map<string, sqlite3_stmt_ptr> findByStringDict;
933   
934   typedef std::vector<sqlite3_stmt_ptr> StmtVec;
935   StmtVec prepared;
936   
937   std::set<Octree::Branch*> deferredOctreeUpdates;
938   
939   // if we're performing a rebuild, the thread that is doing the work.
940   // otherwise, NULL
941   std::auto_ptr<RebuildThread> rebuilder;
942 };
943
944 //////////////////////////////////////////////////////////////////////
945   
946 FGPositioned* NavDataCache::NavDataCachePrivate::loadById(sqlite3_int64 rowid,
947                                                           sqlite3_int64& aptId)
948 {
949   
950   sqlite3_bind_int64(loadPositioned, 1, rowid);
951   execSelect1(loadPositioned);
952   
953   assert(rowid == sqlite3_column_int64(loadPositioned, 0));
954   FGPositioned::Type ty = (FGPositioned::Type) sqlite3_column_int(loadPositioned, 1);
955   
956   PositionedID prowid = static_cast<PositionedID>(rowid);
957   string ident = (char*) sqlite3_column_text(loadPositioned, 2);
958   string name = (char*) sqlite3_column_text(loadPositioned, 3);
959   aptId = sqlite3_column_int64(loadPositioned, 4);
960   double lon = sqlite3_column_double(loadPositioned, 5);
961   double lat = sqlite3_column_double(loadPositioned, 6);
962   double elev = sqlite3_column_double(loadPositioned, 7);
963   SGGeod pos = SGGeod::fromDegM(lon, lat, elev);
964       
965   reset(loadPositioned);
966   
967   switch (ty) {
968     case FGPositioned::AIRPORT:
969     case FGPositioned::SEAPORT:
970     case FGPositioned::HELIPORT:
971       return loadAirport(rowid, ty, ident, name, pos);
972       
973     case FGPositioned::TOWER:
974       return new AirportTower(prowid, aptId, ident, pos);
975       
976     case FGPositioned::RUNWAY:
977     case FGPositioned::HELIPAD:
978     case FGPositioned::TAXIWAY:
979       return loadRunway(rowid, ty, ident, pos, aptId);
980       
981     case FGPositioned::LOC:
982     case FGPositioned::VOR:
983     case FGPositioned::GS:
984     case FGPositioned::ILS:
985     case FGPositioned::NDB:
986     case FGPositioned::OM:
987     case FGPositioned::MM:
988     case FGPositioned::IM:
989     case FGPositioned::DME:
990     case FGPositioned::TACAN:
991     case FGPositioned::MOBILE_TACAN:
992       return loadNav(rowid, ty, ident, name, pos);
993       
994     case FGPositioned::FIX:
995       return new FGFix(rowid, ident, pos);
996       
997     case FGPositioned::WAYPOINT:
998     case FGPositioned::COUNTRY:
999     case FGPositioned::CITY:
1000     case FGPositioned::TOWN:
1001     case FGPositioned::VILLAGE:
1002     {
1003         FGPositioned* wpt = new FGPositioned(rowid, ty, ident, pos);
1004       return wpt;
1005     }
1006       
1007     case FGPositioned::FREQ_GROUND:
1008     case FGPositioned::FREQ_TOWER:
1009     case FGPositioned::FREQ_ATIS:
1010     case FGPositioned::FREQ_AWOS:
1011     case FGPositioned::FREQ_APP_DEP:
1012     case FGPositioned::FREQ_ENROUTE:
1013     case FGPositioned::FREQ_CLEARANCE:
1014     case FGPositioned::FREQ_UNICOM:
1015       return loadComm(rowid, ty, ident, name, pos, aptId);
1016       
1017     case FGPositioned::TAXI_NODE:
1018       return loadTaxiNode(rowid, pos, aptId);
1019       
1020     case FGPositioned::PARKING:
1021       return loadParking(rowid, ident, pos, aptId);
1022       
1023     default:
1024       return NULL;
1025   }
1026 }
1027   
1028 bool NavDataCache::NavDataCachePrivate::isCachedFileModified(const SGPath& path, bool verbose)
1029 {
1030   if (!path.exists()) {
1031     throw sg_io_exception("isCachedFileModified: Missing file:" + path.str());
1032   }
1033   
1034   sqlite_bind_temp_stdstring(statCacheCheck, 1, path.str());
1035   bool isModified = true;
1036   sgDebugPriority logLevel = verbose ? SG_WARN : SG_DEBUG;
1037   if (execSelect(statCacheCheck)) {
1038     time_t modtime = sqlite3_column_int64(statCacheCheck, 0);
1039     time_t delta = std::labs(modtime - path.modTime());
1040     if (delta != 0)
1041     {
1042       SG_LOG(SG_NAVCACHE, logLevel, "NavCache: rebuild required for " << path <<
1043              ". Timestamps: " << modtime << " != " << path.modTime());
1044     }
1045     else
1046     {
1047       SG_LOG(SG_NAVCACHE, SG_DEBUG, "NavCache: no rebuild required for " << path);
1048     }
1049     
1050     isModified = (delta != 0);
1051   } else {
1052     SG_LOG(SG_NAVCACHE, logLevel, "NavCache: initial build required for " << path);
1053   }
1054   
1055   reset(statCacheCheck);
1056   return isModified;
1057 }
1058   
1059 static NavDataCache* static_instance = NULL;
1060         
1061 NavDataCache::NavDataCache()
1062 {
1063   const int MAX_TRIES = 3;
1064   SGPath homePath(globals->get_fg_home());
1065   
1066   std::ostringstream os;
1067   string_list versionParts = simgear::strutils::split(VERSION, ".");
1068   if (versionParts.size() < 2) {
1069     os << "navdata.cache";
1070   } else {
1071     os << "navdata_" << versionParts[0] << "_" << versionParts[1] << ".cache";
1072   }
1073     
1074   homePath.append(os.str());
1075   
1076   for (int t=0; t < MAX_TRIES; ++t) {
1077     try {
1078       d.reset(new NavDataCachePrivate(homePath, this));
1079       d->init();
1080       //d->checkCacheFile();
1081     // reached this point with no exception, success
1082       break;
1083     } catch (sg_exception& e) {
1084       SG_LOG(SG_NAVCACHE, t == 0 ? SG_WARN : SG_ALERT, "NavCache: init failed:" << e.what()
1085              << " (attempt " << t << ")");
1086       d.reset();
1087         
1088         // only wipe the existing if not readonly
1089         if (!fgGetBool("/sim/fghome-readonly", false)) {
1090             homePath.remove();
1091         }
1092     }
1093   } // of retry loop
1094     
1095   double RADIUS_EARTH_M = 7000 * 1000.0; // 7000km is plenty
1096   SGVec3d earthExtent(RADIUS_EARTH_M, RADIUS_EARTH_M, RADIUS_EARTH_M);
1097   Octree::global_spatialOctree =
1098     new Octree::Branch(SGBox<double>(-earthExtent, earthExtent), 1);
1099   
1100   d->aptDatPath = SGPath(globals->get_fg_root());
1101   d->aptDatPath.append("Airports/apt.dat.gz");
1102   
1103   d->metarDatPath = SGPath(globals->get_fg_root());
1104   d->metarDatPath.append("Airports/metar.dat.gz");
1105
1106   d->navDatPath = SGPath(globals->get_fg_root());  
1107   d->navDatPath.append("Navaids/nav.dat.gz");
1108
1109   d->fixDatPath = SGPath(globals->get_fg_root());
1110   d->fixDatPath.append("Navaids/fix.dat.gz");
1111
1112   d->poiDatPath = SGPath(globals->get_fg_root());
1113   d->poiDatPath.append("Navaids/poi.dat.gz");
1114   
1115   d->carrierDatPath = SGPath(globals->get_fg_root());
1116   d->carrierDatPath.append("Navaids/carrier_nav.dat.gz");
1117   
1118   d->airwayDatPath = SGPath(globals->get_fg_root());
1119   d->airwayDatPath.append("Navaids/awy.dat.gz");
1120 }
1121     
1122 NavDataCache::~NavDataCache()
1123 {
1124   assert(static_instance == this);
1125   static_instance = NULL;
1126   d.reset();
1127 }
1128     
1129 NavDataCache* NavDataCache::instance()
1130 {
1131   if (!static_instance) {
1132     static_instance = new NavDataCache;
1133   }
1134   
1135   return static_instance;
1136 }
1137   
1138 bool NavDataCache::isRebuildRequired()
1139 {
1140     if (d->readOnly) {
1141         return false;
1142     }
1143     
1144     if (flightgear::Options::sharedInstance()->isOptionSet("restore-defaults")) {
1145         SG_LOG(SG_NAVCACHE, SG_INFO, "NavCache: restore-defaults requested, will rebuild cache");
1146         return true;
1147     }
1148     
1149   if (d->isCachedFileModified(d->aptDatPath, true) ||
1150       d->isCachedFileModified(d->metarDatPath, true) ||
1151       d->isCachedFileModified(d->navDatPath, true) ||
1152       d->isCachedFileModified(d->fixDatPath, true) ||
1153       d->isCachedFileModified(d->carrierDatPath, true) ||
1154 // since POI loading is disabled on Windows, don't check for it
1155 // this caused: https://code.google.com/p/flightgear-bugs/issues/detail?id=1227
1156 #ifndef SG_WINDOWS
1157       d->isCachedFileModified(d->poiDatPath, true) ||
1158 #endif
1159       d->isCachedFileModified(d->airwayDatPath, true))
1160   {
1161     SG_LOG(SG_NAVCACHE, SG_INFO, "NavCache: main cache rebuild required");
1162     return true;
1163   }
1164   
1165   string sceneryPaths = simgear::strutils::join(globals->get_fg_scenery(), ";");
1166   if (readStringProperty("scenery_paths") != sceneryPaths) {
1167     SG_LOG(SG_NAVCACHE, SG_INFO, "NavCache: scenery paths changed,dropping ground net");
1168     dropAllGroundnets();
1169     writeStringProperty("scenery_paths", sceneryPaths);
1170   }
1171   
1172   SG_LOG(SG_NAVCACHE, SG_INFO, "NavCache: no main cache rebuild required");
1173   return false;
1174 }
1175   
1176 bool NavDataCache::rebuild()
1177 {
1178   if (!d->rebuilder.get()) {
1179     d->rebuilder.reset(new RebuildThread(this));
1180     d->rebuilder->start();
1181   }
1182   
1183 // poll the rebuild thread
1184   bool fin = d->rebuilder->isFinished();
1185   if (fin) {
1186     d->rebuilder.reset(); // all done!
1187   }
1188   return fin;
1189 }
1190   
1191 void NavDataCache::doRebuild()
1192 {
1193   try {
1194     d->close(); // completely close the sqlite object
1195     d->path.remove(); // remove the file on disk
1196     d->init(); // start again from scratch
1197     
1198     // initialise the root octree node
1199     d->runSQL("INSERT INTO octree (rowid, children) VALUES (1, 0)");
1200       
1201     SGTimeStamp st;
1202     {
1203         Transaction txn(this);
1204       
1205         st.stamp();
1206         airportDBLoad(d->aptDatPath);
1207         SG_LOG(SG_NAVCACHE, SG_INFO, "apt.dat load took:" << st.elapsedMSec());
1208         
1209         metarDataLoad(d->metarDatPath);
1210         stampCacheFile(d->aptDatPath);
1211         stampCacheFile(d->metarDatPath);
1212         
1213         st.stamp();
1214         loadFixes(d->fixDatPath);
1215         stampCacheFile(d->fixDatPath);
1216         SG_LOG(SG_NAVCACHE, SG_INFO, "fix.dat load took:" << st.elapsedMSec());
1217         
1218         st.stamp();
1219         navDBInit(d->navDatPath);
1220         stampCacheFile(d->navDatPath);
1221         SG_LOG(SG_NAVCACHE, SG_INFO, "nav.dat load took:" << st.elapsedMSec());
1222         
1223         st.stamp();
1224         txn.commit();
1225         SG_LOG(SG_NAVCACHE, SG_INFO, "stage 1 commit took:" << st.elapsedMSec());
1226     }
1227       
1228 #ifdef SG_WINDOWS
1229       SG_LOG(SG_NAVCACHE, SG_ALERT, "SKIPPING POI load on Windows");
1230 #else
1231       {
1232           Transaction txn(this);
1233           
1234           st.stamp();
1235           poiDBInit(d->poiDatPath);
1236           stampCacheFile(d->poiDatPath);
1237           SG_LOG(SG_NAVCACHE, SG_INFO, "poi.dat load took:" << st.elapsedMSec());
1238           
1239           st.stamp();
1240           txn.commit();
1241           SG_LOG(SG_NAVCACHE, SG_INFO, "POI commit took:" << st.elapsedMSec());
1242       }
1243 #endif
1244       
1245       {
1246           Transaction txn(this);
1247           loadCarrierNav(d->carrierDatPath);
1248           stampCacheFile(d->carrierDatPath);
1249           
1250           st.stamp();
1251           Airway::load(d->airwayDatPath);
1252           stampCacheFile(d->airwayDatPath);
1253           SG_LOG(SG_NAVCACHE, SG_INFO, "awy.dat load took:" << st.elapsedMSec());
1254           
1255           d->flushDeferredOctreeUpdates();
1256           
1257           string sceneryPaths = simgear::strutils::join(globals->get_fg_scenery(), ";");
1258           writeStringProperty("scenery_paths", sceneryPaths);
1259           
1260           st.stamp();
1261           txn.commit();
1262           SG_LOG(SG_NAVCACHE, SG_INFO, "final commit took:" << st.elapsedMSec());
1263
1264       }
1265
1266   } catch (sg_exception& e) {
1267     SG_LOG(SG_NAVCACHE, SG_ALERT, "caught exception rebuilding navCache:" << e.what());
1268   }
1269 }
1270   
1271 int NavDataCache::readIntProperty(const string& key)
1272 {
1273   sqlite_bind_stdstring(d->readPropertyQuery, 1, key);
1274   int result = 0;
1275   
1276   if (d->execSelect(d->readPropertyQuery)) {
1277     result = sqlite3_column_int(d->readPropertyQuery, 0);
1278   } else {
1279     SG_LOG(SG_NAVCACHE, SG_WARN, "readIntProperty: unknown:" << key);
1280   }
1281   
1282   d->reset(d->readPropertyQuery);
1283   return result;
1284 }
1285
1286 double NavDataCache::readDoubleProperty(const string& key)
1287 {
1288   sqlite_bind_stdstring(d->readPropertyQuery, 1, key);
1289   double result = 0.0;
1290   if (d->execSelect(d->readPropertyQuery)) {
1291     result = sqlite3_column_double(d->readPropertyQuery, 0);
1292   } else {
1293     SG_LOG(SG_NAVCACHE, SG_WARN, "readDoubleProperty: unknown:" << key);
1294   }
1295   
1296   d->reset(d->readPropertyQuery);
1297   return result;
1298 }
1299   
1300 string NavDataCache::readStringProperty(const string& key)
1301 {
1302   sqlite_bind_stdstring(d->readPropertyQuery, 1, key);
1303   string result;
1304   if (d->execSelect(d->readPropertyQuery)) {
1305     result = (char*) sqlite3_column_text(d->readPropertyQuery, 0);
1306   } else {
1307     SG_LOG(SG_NAVCACHE, SG_WARN, "readStringProperty: unknown:" << key);
1308   }
1309   
1310   d->reset(d->readPropertyQuery);
1311   return result;
1312 }
1313
1314 void NavDataCache::writeIntProperty(const string& key, int value)
1315 {
1316   d->writeIntProperty(key, value);
1317 }
1318
1319 void NavDataCache::writeStringProperty(const string& key, const string& value)
1320 {
1321   sqlite_bind_stdstring(d->clearProperty, 1, key);
1322   d->execUpdate(d->clearProperty);
1323
1324   sqlite_bind_stdstring(d->writePropertyQuery, 1, key);
1325   sqlite_bind_stdstring(d->writePropertyQuery, 2, value);
1326   d->execUpdate(d->writePropertyQuery);
1327 }
1328
1329 void NavDataCache::writeDoubleProperty(const string& key, const double& value)
1330 {
1331   sqlite_bind_stdstring(d->clearProperty, 1, key);
1332   d->execUpdate(d->clearProperty);
1333   
1334   sqlite_bind_stdstring(d->writePropertyQuery, 1, key);
1335   sqlite3_bind_double(d->writePropertyQuery, 2, value);
1336   d->execUpdate(d->writePropertyQuery);
1337 }
1338
1339 string_list NavDataCache::readStringListProperty(const string& key)
1340 {
1341   sqlite_bind_stdstring(d->readPropertyQuery, 1, key);
1342   string_list result;
1343   while (d->stepSelect(d->readPropertyQuery)) {
1344     result.push_back((char*) sqlite3_column_text(d->readPropertyQuery, 0));
1345   }
1346   d->reset(d->readPropertyQuery);
1347   
1348   return result;
1349 }
1350   
1351 void NavDataCache::writeStringListProperty(const string& key, const string_list& values)
1352 {
1353   sqlite_bind_stdstring(d->clearProperty, 1, key);
1354   d->execUpdate(d->clearProperty);
1355   
1356   BOOST_FOREACH(string value, values) {
1357     sqlite_bind_stdstring(d->writePropertyMulti, 1, key);
1358     sqlite_bind_stdstring(d->writePropertyMulti, 2, value);
1359     d->execInsert(d->writePropertyMulti);
1360   }
1361 }
1362   
1363 bool NavDataCache::isCachedFileModified(const SGPath& path) const
1364 {
1365   return d->isCachedFileModified(path, false);
1366 }
1367
1368 void NavDataCache::stampCacheFile(const SGPath& path)
1369 {
1370   sqlite_bind_temp_stdstring(d->stampFileCache, 1, path.str());
1371   sqlite3_bind_int64(d->stampFileCache, 2, path.modTime());
1372   d->execInsert(d->stampFileCache);
1373 }
1374
1375 void NavDataCache::beginTransaction()
1376 {
1377   if (d->transactionLevel == 0) {
1378     d->transactionAborted = false;
1379     d->stepSelect(d->beginTransactionStmt);
1380     sqlite3_reset(d->beginTransactionStmt);
1381   }
1382   
1383   ++d->transactionLevel;
1384 }
1385   
1386 void NavDataCache::commitTransaction()
1387 {
1388   assert(d->transactionLevel > 0);
1389   if (--d->transactionLevel == 0) {
1390     // if a nested transaction aborted, we might end up here, but must
1391     // still abort the entire transaction. That's bad, but safer than
1392     // committing.
1393     sqlite3_stmt_ptr q = d->transactionAborted ? d->rollbackTransactionStmt : d->commitTransactionStmt;
1394     
1395     int retries = 0;
1396     int result;
1397     while (retries < MAX_RETRIES) {
1398       result = sqlite3_step(q);
1399       if (result == SQLITE_DONE) {
1400         break;
1401       }
1402       
1403       // see http://www.sqlite.org/c3ref/get_autocommit.html for a hint
1404       // what's going on here: autocommit in inactive inside BEGIN, so if
1405       // it's active, the DB was rolled-back
1406       if (sqlite3_get_autocommit(d->db)) {
1407         SG_LOG(SG_NAVCACHE, SG_ALERT, "commit: was rolled back!" << retries);
1408         d->transactionAborted = true;
1409         break;
1410       }
1411       
1412       if (result != SQLITE_BUSY) {
1413         break;
1414       }
1415       
1416       SGTimeStamp::sleepForMSec(++retries * 10);
1417       SG_LOG(SG_NAVCACHE, SG_ALERT, "NavCache contention on commit, will retry:" << retries);
1418     } // of retry loop for DB busy
1419     
1420     string errMsg;
1421     if (result != SQLITE_DONE) {
1422       errMsg = sqlite3_errmsg(d->db);
1423       SG_LOG(SG_NAVCACHE, SG_ALERT, "Sqlite error:" << errMsg << " for  " << result
1424              << " while running:\n\t" << sqlite3_sql(q));
1425     }
1426     
1427     sqlite3_reset(q);
1428   }
1429 }
1430   
1431 void NavDataCache::abortTransaction()
1432 {
1433   SG_LOG(SG_NAVCACHE, SG_WARN, "NavCache: aborting transaction");
1434   
1435   assert(d->transactionLevel > 0);
1436   if (--d->transactionLevel == 0) {
1437     d->stepSelect(d->rollbackTransactionStmt);
1438     sqlite3_reset(d->rollbackTransactionStmt);
1439   }
1440   
1441   d->transactionAborted = true;
1442 }
1443
1444 FGPositionedRef NavDataCache::loadById(PositionedID rowid)
1445 {
1446   if (rowid == 0) {
1447     return NULL;
1448   }
1449  
1450   PositionedCache::iterator it = d->cache.find(rowid);
1451   if (it != d->cache.end()) {
1452     d->cacheHits++;
1453     return it->second; // cache it
1454   }
1455   
1456   PositionedID aptId;
1457   FGPositioned* pos = d->loadById(rowid, aptId);
1458   d->cache.insert(it, PositionedCache::value_type(rowid, pos));
1459   d->cacheMisses++;
1460
1461   // when we loaded an ILS, we must apply per-airport changes
1462   if ((pos->type() == FGPositioned::ILS) && (aptId > 0)) {
1463     FGAirport* apt = FGPositioned::loadById<FGAirport>(aptId);
1464     apt->validateILSData();
1465   }
1466   
1467   return pos;
1468 }
1469
1470 PositionedID NavDataCache::insertAirport(FGPositioned::Type ty, const string& ident,
1471                                          const string& name)
1472 {
1473   // airports have their pos computed based on the avergae runway centres
1474   // so the pos isn't available immediately. Pass a dummy pos and avoid
1475   // doing spatial indexing until later
1476   sqlite3_int64 rowId = d->insertPositioned(ty, ident, name, SGGeod(),
1477                                             0 /* airport */,
1478                                             false /* spatial index */);
1479   
1480   sqlite3_bind_int64(d->insertAirport, 1, rowId);
1481   d->execInsert(d->insertAirport);
1482   
1483   return rowId;
1484 }
1485   
1486 void NavDataCache::updatePosition(PositionedID item, const SGGeod &pos)
1487 {
1488   if (d->cache.find(item) != d->cache.end()) {
1489     SG_LOG(SG_NAVCACHE, SG_DEBUG, "updating position of an item in the cache");
1490     d->cache[item]->modifyPosition(pos);
1491   }
1492   
1493   SGVec3d cartPos(SGVec3d::fromGeod(pos));
1494   
1495   sqlite3_bind_int(d->setAirportPos, 1, item);
1496   sqlite3_bind_double(d->setAirportPos, 2, pos.getLongitudeDeg());
1497   sqlite3_bind_double(d->setAirportPos, 3, pos.getLatitudeDeg());
1498   sqlite3_bind_double(d->setAirportPos, 4, pos.getElevationM());
1499   
1500 // bug 905; the octree leaf may change here, but the leaf may already be
1501 // loaded, and caching its children. (Either the old or new leaf!). Worse,
1502 // we may be called here as a result of loading one of those leaf's children.
1503 // instead of dealing with all those possibilites, such as modifying
1504 // the in-memory leaf's STL child container, we simply leave the runtime
1505 // structures alone. This is fine providing items do no move very far, since
1506 // all the spatial searches ultimately use the items' real cartesian position,
1507 // which was updated above.
1508   Octree::Leaf* octreeLeaf = Octree::global_spatialOctree->findLeafForPos(cartPos);
1509   sqlite3_bind_int64(d->setAirportPos, 5, octreeLeaf->guid());
1510   
1511   sqlite3_bind_double(d->setAirportPos, 6, cartPos.x());
1512   sqlite3_bind_double(d->setAirportPos, 7, cartPos.y());
1513   sqlite3_bind_double(d->setAirportPos, 8, cartPos.z());
1514
1515   
1516   d->execUpdate(d->setAirportPos);
1517 }
1518
1519 void NavDataCache::insertTower(PositionedID airportId, const SGGeod& pos)
1520 {
1521   d->insertPositioned(FGPositioned::TOWER, string(), string(),
1522                       pos, airportId, true /* spatial index */);
1523 }
1524
1525 PositionedID
1526 NavDataCache::insertRunway(FGPositioned::Type ty, const string& ident,
1527                            const SGGeod& pos, PositionedID apt,
1528                            double heading, double length, double width, double displacedThreshold,
1529                            double stopway, int surfaceCode)
1530 {
1531   // only runways are spatially indexed; don't bother indexing taxiways
1532   // or pavements
1533   bool spatialIndex = ( ty == FGPositioned::RUNWAY || ty == FGPositioned::HELIPAD);
1534   
1535   sqlite3_int64 rowId = d->insertPositioned(ty, cleanRunwayNo(ident), "", pos, apt,
1536                                             spatialIndex);
1537   sqlite3_bind_int64(d->insertRunway, 1, rowId);
1538   sqlite3_bind_double(d->insertRunway, 2, heading);
1539   sqlite3_bind_double(d->insertRunway, 3, length);
1540   sqlite3_bind_double(d->insertRunway, 4, width);
1541   sqlite3_bind_int(d->insertRunway, 5, surfaceCode);
1542   sqlite3_bind_double(d->insertRunway, 6, displacedThreshold);
1543   sqlite3_bind_double(d->insertRunway, 7, stopway);
1544   
1545   return d->execInsert(d->insertRunway);  
1546 }
1547
1548 void NavDataCache::setRunwayReciprocal(PositionedID runway, PositionedID recip)
1549 {
1550   sqlite3_bind_int64(d->setRunwayReciprocal, 1, runway);
1551   sqlite3_bind_int64(d->setRunwayReciprocal, 2, recip);
1552   d->execUpdate(d->setRunwayReciprocal);
1553   
1554 // and the opposite direction too!
1555   sqlite3_bind_int64(d->setRunwayReciprocal, 2, runway);
1556   sqlite3_bind_int64(d->setRunwayReciprocal, 1, recip);
1557   d->execUpdate(d->setRunwayReciprocal);
1558 }
1559
1560 void NavDataCache::setRunwayILS(PositionedID runway, PositionedID ils)
1561 {
1562   sqlite3_bind_int64(d->setRunwayILS, 1, runway);
1563   sqlite3_bind_int64(d->setRunwayILS, 2, ils);
1564   d->execUpdate(d->setRunwayILS);
1565     
1566   // and the in-memory one
1567   if (d->cache.find(runway) != d->cache.end()) {
1568     FGRunway* instance = (FGRunway*) d->cache[runway].ptr();
1569     instance->setILS(ils);
1570   }
1571 }
1572   
1573 PositionedID
1574 NavDataCache::insertNavaid(FGPositioned::Type ty, const string& ident,
1575                           const string& name, const SGGeod& pos,
1576                            int freq, int range, double multiuse,
1577                            PositionedID apt, PositionedID runway)
1578 {
1579   bool spatialIndex = true;
1580   if (ty == FGPositioned::MOBILE_TACAN) {
1581     spatialIndex = false;
1582   }
1583   
1584   sqlite3_int64 rowId = d->insertPositioned(ty, ident, name, pos, apt,
1585                                             spatialIndex);
1586   sqlite3_bind_int64(d->insertNavaid, 1, rowId);
1587   sqlite3_bind_int(d->insertNavaid, 2, freq);
1588   sqlite3_bind_int(d->insertNavaid, 3, range);
1589   sqlite3_bind_double(d->insertNavaid, 4, multiuse);
1590   sqlite3_bind_int64(d->insertNavaid, 5, runway);
1591   sqlite3_bind_int64(d->insertNavaid, 6, 0);
1592   return d->execInsert(d->insertNavaid);
1593 }
1594
1595 void NavDataCache::setNavaidColocated(PositionedID navaid, PositionedID colocatedDME)
1596 {
1597   // Update DB entries...
1598   sqlite3_bind_int64(d->setNavaidColocated, 1, navaid);
1599   sqlite3_bind_int64(d->setNavaidColocated, 2, colocatedDME);
1600   d->execUpdate(d->setNavaidColocated);
1601
1602   // ...and the in-memory copy of the navrecord
1603   if (d->cache.find(navaid) != d->cache.end()) {
1604     FGNavRecord* rec = (FGNavRecord*) d->cache[navaid].get();
1605     rec->setColocatedDME(colocatedDME);
1606   }
1607 }
1608   
1609 PositionedID NavDataCache::insertCommStation(FGPositioned::Type ty,
1610                                              const string& name, const SGGeod& pos, int freq, int range,
1611                                              PositionedID apt)
1612 {
1613   sqlite3_int64 rowId = d->insertPositioned(ty, "", name, pos, apt, true);
1614   sqlite3_bind_int64(d->insertCommStation, 1, rowId);
1615   sqlite3_bind_int(d->insertCommStation, 2, freq);
1616   sqlite3_bind_int(d->insertCommStation, 3, range);
1617   return d->execInsert(d->insertCommStation);
1618 }
1619   
1620 PositionedID NavDataCache::insertFix(const std::string& ident, const SGGeod& aPos)
1621 {
1622   return d->insertPositioned(FGPositioned::FIX, ident, string(), aPos, 0, true);
1623 }
1624
1625 PositionedID NavDataCache::createPOI(FGPositioned::Type ty, const std::string& ident, const SGGeod& aPos)
1626 {
1627   return d->insertPositioned(ty, ident, string(), aPos, 0,
1628                              true /* spatial index */);
1629 }
1630     
1631 bool NavDataCache::removePOI(FGPositioned::Type ty, const std::string& aIdent)
1632 {
1633   d->removePositionedWithIdent(ty, aIdent);
1634   // should remove from the live cache too?
1635     
1636     return true;
1637 }
1638   
1639 void NavDataCache::setAirportMetar(const string& icao, bool hasMetar)
1640 {
1641   sqlite_bind_stdstring(d->setAirportMetar, 1, icao);
1642   sqlite3_bind_int(d->setAirportMetar, 2, hasMetar);
1643   d->execUpdate(d->setAirportMetar);
1644 }
1645
1646 //------------------------------------------------------------------------------
1647 FGPositionedList NavDataCache::findAllWithIdent( const string& s,
1648                                                  FGPositioned::Filter* filter,
1649                                                  bool exact )
1650 {
1651   return d->findAllByString(s, "ident", filter, exact);
1652 }
1653
1654 //------------------------------------------------------------------------------
1655 FGPositionedList NavDataCache::findAllWithName( const string& s,
1656                                                 FGPositioned::Filter* filter,
1657                                                 bool exact )
1658 {
1659   return d->findAllByString(s, "name", filter, exact);
1660 }
1661
1662 //------------------------------------------------------------------------------
1663 FGPositionedRef NavDataCache::findClosestWithIdent( const string& aIdent,
1664                                                     const SGGeod& aPos,
1665                                                     FGPositioned::Filter* aFilter )
1666 {
1667   sqlite_bind_stdstring(d->findClosestWithIdent, 1, aIdent);
1668   if (aFilter) {
1669     sqlite3_bind_int(d->findClosestWithIdent, 2, aFilter->minType());
1670     sqlite3_bind_int(d->findClosestWithIdent, 3, aFilter->maxType());
1671   } else { // full type range
1672     sqlite3_bind_int(d->findClosestWithIdent, 2, FGPositioned::INVALID);
1673     sqlite3_bind_int(d->findClosestWithIdent, 3, FGPositioned::LAST_TYPE);
1674   }
1675   
1676   SGVec3d cartPos(SGVec3d::fromGeod(aPos));
1677   sqlite3_bind_double(d->findClosestWithIdent, 4, cartPos.x());
1678   sqlite3_bind_double(d->findClosestWithIdent, 5, cartPos.y());
1679   sqlite3_bind_double(d->findClosestWithIdent, 6, cartPos.z());
1680   
1681   FGPositionedRef result;
1682   
1683   while (d->stepSelect(d->findClosestWithIdent)) {
1684     FGPositioned* pos = loadById(sqlite3_column_int64(d->findClosestWithIdent, 0));
1685     if (aFilter && !aFilter->pass(pos)) {
1686       continue;
1687     }
1688     
1689     result = pos;
1690     break;
1691   }
1692   
1693   d->reset(d->findClosestWithIdent);
1694   return result;
1695 }
1696
1697   
1698 int NavDataCache::getOctreeBranchChildren(int64_t octreeNodeId)
1699 {
1700   sqlite3_bind_int64(d->getOctreeChildren, 1, octreeNodeId);
1701   d->execSelect1(d->getOctreeChildren);
1702   int children = sqlite3_column_int(d->getOctreeChildren, 0);
1703   d->reset(d->getOctreeChildren);
1704   return children;
1705 }
1706
1707 void NavDataCache::defineOctreeNode(Octree::Branch* pr, Octree::Node* nd)
1708 {
1709   sqlite3_bind_int64(d->insertOctree, 1, nd->guid());
1710   d->execInsert(d->insertOctree);
1711   
1712 #ifdef LAZY_OCTREE_UPDATES
1713   d->deferredOctreeUpdates.insert(pr);
1714 #else
1715   // lowest three bits of node ID are 0..7 index of the child in the parent
1716   int childIndex = nd->guid() & 0x07;
1717   
1718   sqlite3_bind_int64(d->updateOctreeChildren, 1, pr->guid());
1719 // mask has bit N set where child N exists
1720   int childMask = 1 << childIndex;
1721   sqlite3_bind_int(d->updateOctreeChildren, 2, childMask);
1722   d->execUpdate(d->updateOctreeChildren);
1723 #endif
1724 }
1725   
1726 TypedPositionedVec
1727 NavDataCache::getOctreeLeafChildren(int64_t octreeNodeId)
1728 {
1729   sqlite3_bind_int64(d->getOctreeLeafChildren, 1, octreeNodeId);
1730   
1731   TypedPositionedVec r;
1732   while (d->stepSelect(d->getOctreeLeafChildren)) {
1733     FGPositioned::Type ty = static_cast<FGPositioned::Type>
1734       (sqlite3_column_int(d->getOctreeLeafChildren, 1));
1735     r.push_back(std::make_pair(ty,
1736                 sqlite3_column_int64(d->getOctreeLeafChildren, 0)));
1737   }
1738
1739   d->reset(d->getOctreeLeafChildren);
1740   return r;
1741 }
1742
1743   
1744 /**
1745  * A special purpose helper (used by FGAirport::searchNamesAndIdents) to
1746  * implement the AirportList dialog. It's unfortunate that it needs to reside
1747  * here, but for now it's least ugly solution.
1748  */
1749 char** NavDataCache::searchAirportNamesAndIdents(const std::string& aFilter)
1750 {
1751   sqlite3_stmt_ptr stmt;
1752   unsigned int numMatches = 0, numAllocated = 16;
1753   if (aFilter.empty()) {
1754     stmt = d->getAllAirports;
1755     numAllocated = 4096; // start much larger for all airports
1756   } else {
1757     stmt = d->searchAirports;
1758     string s = "%" + aFilter + "%";
1759     sqlite_bind_stdstring(stmt, 1, s);
1760   }
1761   
1762   char** result = (char**) malloc(sizeof(char*) * numAllocated);
1763   while (d->stepSelect(stmt)) {
1764     if ((numMatches + 1) >= numAllocated) {
1765       numAllocated <<= 1; // double in size!
1766     // reallocate results array
1767       char** nresult = (char**) malloc(sizeof(char*) * numAllocated);
1768       memcpy(nresult, result, sizeof(char*) * numMatches);
1769       free(result);
1770       result = nresult;
1771     }
1772     
1773     // nasty code to avoid excessive string copying and allocations.
1774     // We format results as follows (note whitespace!):
1775     //   ' name-of-airport-chars   (ident)'
1776     // so the total length is:
1777     //    1 + strlen(name) + 4 + strlen(icao) + 1 + 1 (for the null)
1778     // which gives a grand total of 7 + name-length + icao-length.
1779     // note the ident can be three letters (non-ICAO local strip), four
1780     // (default ICAO) or more (extended format ICAO)
1781     int nameLength = sqlite3_column_bytes(stmt, 1);
1782     int icaoLength = sqlite3_column_bytes(stmt, 0);
1783     char* entry = (char*) malloc(7 + nameLength + icaoLength);
1784     char* dst = entry;
1785     *dst++ = ' ';
1786     memcpy(dst, sqlite3_column_text(stmt, 1), nameLength);
1787     dst += nameLength;
1788     *dst++ = ' ';
1789     *dst++ = ' ';
1790     *dst++ = ' ';
1791     *dst++ = '(';
1792     memcpy(dst, sqlite3_column_text(stmt, 0), icaoLength);
1793     dst += icaoLength;
1794     *dst++ = ')';
1795     *dst++ = 0;
1796
1797     result[numMatches++] = entry;
1798   }
1799   
1800   result[numMatches] = NULL; // end of list marker
1801   d->reset(stmt);
1802   return result;
1803 }
1804   
1805 FGPositionedRef
1806 NavDataCache::findCommByFreq(int freqKhz, const SGGeod& aPos, FGPositioned::Filter* aFilter)
1807 {
1808   sqlite3_bind_int(d->findCommByFreq, 1, freqKhz);
1809   if (aFilter) {
1810     sqlite3_bind_int(d->findCommByFreq, 2, aFilter->minType());
1811     sqlite3_bind_int(d->findCommByFreq, 3, aFilter->maxType());
1812   } else { // full type range
1813     sqlite3_bind_int(d->findCommByFreq, 2, FGPositioned::FREQ_GROUND);
1814     sqlite3_bind_int(d->findCommByFreq, 3, FGPositioned::FREQ_UNICOM);
1815   }
1816   
1817   SGVec3d cartPos(SGVec3d::fromGeod(aPos));
1818   sqlite3_bind_double(d->findCommByFreq, 4, cartPos.x());
1819   sqlite3_bind_double(d->findCommByFreq, 5, cartPos.y());
1820   sqlite3_bind_double(d->findCommByFreq, 6, cartPos.z());
1821   FGPositionedRef result;
1822   
1823   while (d->execSelect(d->findCommByFreq)) {
1824     FGPositioned* p = loadById(sqlite3_column_int64(d->findCommByFreq, 0));
1825     if (aFilter && !aFilter->pass(p)) {
1826       continue;
1827     }
1828     
1829     result = p;
1830     break;
1831   }
1832   
1833   d->reset(d->findCommByFreq);
1834   return result;
1835 }
1836   
1837 PositionedIDVec
1838 NavDataCache::findNavaidsByFreq(int freqKhz, const SGGeod& aPos, FGPositioned::Filter* aFilter)
1839 {
1840   sqlite3_bind_int(d->findNavsByFreq, 1, freqKhz);
1841   if (aFilter) {
1842     sqlite3_bind_int(d->findNavsByFreq, 2, aFilter->minType());
1843     sqlite3_bind_int(d->findNavsByFreq, 3, aFilter->maxType());
1844   } else { // full type range
1845     sqlite3_bind_int(d->findNavsByFreq, 2, FGPositioned::NDB);
1846     sqlite3_bind_int(d->findNavsByFreq, 3, FGPositioned::GS);
1847   }
1848   
1849   SGVec3d cartPos(SGVec3d::fromGeod(aPos));
1850   sqlite3_bind_double(d->findNavsByFreq, 4, cartPos.x());
1851   sqlite3_bind_double(d->findNavsByFreq, 5, cartPos.y());
1852   sqlite3_bind_double(d->findNavsByFreq, 6, cartPos.z());
1853   
1854   return d->selectIds(d->findNavsByFreq);
1855 }
1856
1857 PositionedIDVec
1858 NavDataCache::findNavaidsByFreq(int freqKhz, FGPositioned::Filter* aFilter)
1859 {
1860   sqlite3_bind_int(d->findNavsByFreqNoPos, 1, freqKhz);
1861   if (aFilter) {
1862     sqlite3_bind_int(d->findNavsByFreqNoPos, 2, aFilter->minType());
1863     sqlite3_bind_int(d->findNavsByFreqNoPos, 3, aFilter->maxType());
1864   } else { // full type range
1865     sqlite3_bind_int(d->findNavsByFreqNoPos, 2, FGPositioned::NDB);
1866     sqlite3_bind_int(d->findNavsByFreqNoPos, 3, FGPositioned::GS);
1867   }
1868   
1869   return d->selectIds(d->findNavsByFreqNoPos);
1870 }
1871   
1872 PositionedIDVec
1873 NavDataCache::airportItemsOfType(PositionedID apt,FGPositioned::Type ty,
1874                                  FGPositioned::Type maxTy)
1875 {
1876   if (maxTy == FGPositioned::INVALID) {
1877     maxTy = ty; // single-type range
1878   }
1879   
1880   sqlite3_bind_int64(d->getAirportItems, 1, apt);
1881   sqlite3_bind_int(d->getAirportItems, 2, ty);
1882   sqlite3_bind_int(d->getAirportItems, 3, maxTy);
1883   
1884   return d->selectIds(d->getAirportItems);
1885 }
1886
1887 PositionedID
1888 NavDataCache::airportItemWithIdent(PositionedID apt, FGPositioned::Type ty,
1889                                    const std::string& ident)
1890 {
1891   sqlite3_bind_int64(d->getAirportItemByIdent, 1, apt);
1892   sqlite_bind_stdstring(d->getAirportItemByIdent, 2, ident);
1893   sqlite3_bind_int(d->getAirportItemByIdent, 3, ty);
1894   PositionedID result = 0;
1895   
1896   if (d->execSelect(d->getAirportItemByIdent)) {
1897     result = sqlite3_column_int64(d->getAirportItemByIdent, 0);
1898   }
1899   
1900   d->reset(d->getAirportItemByIdent);
1901   return result;
1902 }
1903   
1904 AirportRunwayPair
1905 NavDataCache::findAirportRunway(const std::string& aName)
1906 {
1907   if (aName.empty()) {
1908     return AirportRunwayPair();
1909   }
1910   
1911   string_list parts = simgear::strutils::split(aName);
1912   if (parts.size() < 2) {
1913     SG_LOG(SG_NAVCACHE, SG_WARN, "findAirportRunway: malformed name:" << aName);
1914     return AirportRunwayPair();
1915   }
1916
1917   AirportRunwayPair result;
1918   sqlite_bind_stdstring(d->findAirportRunway, 1, parts[0]);
1919   sqlite_bind_stdstring(d->findAirportRunway, 2, parts[1]);
1920   
1921   if (d->execSelect(d->findAirportRunway)) {
1922     result = AirportRunwayPair(sqlite3_column_int64(d->findAirportRunway, 0),
1923                       sqlite3_column_int64(d->findAirportRunway, 1));
1924
1925   } else {
1926     SG_LOG(SG_NAVCACHE, SG_WARN, "findAirportRunway: unknown airport/runway:" << aName);
1927   }
1928
1929   d->reset(d->findAirportRunway);
1930   return result;
1931 }
1932   
1933 PositionedID
1934 NavDataCache::findILS(PositionedID airport, const string& runway, const string& navIdent)
1935 {
1936   sqlite_bind_stdstring(d->findILS, 1, navIdent);
1937   sqlite3_bind_int64(d->findILS, 2, airport);
1938   sqlite_bind_stdstring(d->findILS, 3, runway);
1939   PositionedID result = 0;
1940   if (d->execSelect(d->findILS)) {
1941     result = sqlite3_column_int64(d->findILS, 0);
1942   }
1943   
1944   d->reset(d->findILS);
1945   return result;
1946 }
1947   
1948 int NavDataCache::findAirway(int network, const string& aName)
1949 {
1950   sqlite3_bind_int(d->findAirway, 1, network);
1951   sqlite_bind_stdstring(d->findAirway, 2, aName);
1952   
1953   int airway = 0;
1954   if (d->execSelect(d->findAirway)) {
1955     // already exists
1956     airway = sqlite3_column_int(d->findAirway, 0);
1957   } else {
1958     sqlite_bind_stdstring(d->insertAirway, 1, aName);
1959     sqlite3_bind_int(d->insertAirway, 2, network);
1960     airway = d->execInsert(d->insertAirway);
1961   }
1962   
1963   d->reset(d->findAirway);
1964   return airway;
1965 }
1966
1967 void NavDataCache::insertEdge(int network, int airwayID, PositionedID from, PositionedID to)
1968 {
1969   // assume all edges are bidirectional for the moment
1970   for (int i=0; i<2; ++i) {
1971     sqlite3_bind_int(d->insertAirwayEdge, 1, network);
1972     sqlite3_bind_int(d->insertAirwayEdge, 2, airwayID);
1973     sqlite3_bind_int64(d->insertAirwayEdge, 3, from);
1974     sqlite3_bind_int64(d->insertAirwayEdge, 4, to);
1975     d->execInsert(d->insertAirwayEdge);
1976     
1977     std::swap(from, to);
1978   }
1979 }
1980   
1981 bool NavDataCache::isInAirwayNetwork(int network, PositionedID pos)
1982 {
1983   sqlite3_bind_int(d->isPosInAirway, 1, network);
1984   sqlite3_bind_int64(d->isPosInAirway, 2, pos);
1985   bool ok = d->execSelect(d->isPosInAirway);
1986   d->reset(d->isPosInAirway);
1987   
1988   return ok;
1989 }
1990
1991 AirwayEdgeVec NavDataCache::airwayEdgesFrom(int network, PositionedID pos)
1992 {
1993   sqlite3_bind_int(d->airwayEdgesFrom, 1, network);
1994   sqlite3_bind_int64(d->airwayEdgesFrom, 2, pos);
1995   
1996   AirwayEdgeVec result;
1997   while (d->stepSelect(d->airwayEdgesFrom)) {
1998     result.push_back(AirwayEdge(
1999                      sqlite3_column_int(d->airwayEdgesFrom, 0),
2000                      sqlite3_column_int64(d->airwayEdgesFrom, 1)
2001                      ));
2002   }
2003   
2004   d->reset(d->airwayEdgesFrom);
2005   return result;
2006 }
2007
2008 PositionedID NavDataCache::findNavaidForRunway(PositionedID runway, FGPositioned::Type ty)
2009 {
2010   sqlite3_bind_int64(d->findNavaidForRunway, 1, runway);
2011   sqlite3_bind_int(d->findNavaidForRunway, 2, ty);
2012   
2013   PositionedID result = 0;
2014   if (d->execSelect(d->findNavaidForRunway)) {
2015     result = sqlite3_column_int64(d->findNavaidForRunway, 0);
2016   }
2017   
2018   d->reset(d->findNavaidForRunway);
2019   return result;
2020 }
2021   
2022 PositionedID
2023 NavDataCache::insertParking(const std::string& name, const SGGeod& aPos,
2024                             PositionedID aAirport,
2025                            double aHeading, int aRadius, const std::string& aAircraftType,
2026                            const std::string& aAirlines)
2027 {
2028   sqlite3_int64 rowId = d->insertPositioned(FGPositioned::PARKING, name, "", aPos, aAirport, false);
2029   
2030 // we need to insert a row into the taxi_node table, otherwise we can't maintain
2031 // the appropriate pushback flag.
2032   sqlite3_bind_int64(d->insertTaxiNode, 1, rowId);
2033   sqlite3_bind_int(d->insertTaxiNode, 2, 0);
2034   sqlite3_bind_int(d->insertTaxiNode, 3, 0);
2035   d->execInsert(d->insertTaxiNode);
2036   
2037   sqlite3_bind_int64(d->insertParkingPos, 1, rowId);
2038   sqlite3_bind_double(d->insertParkingPos, 2, aHeading);
2039   sqlite3_bind_int(d->insertParkingPos, 3, aRadius);
2040   sqlite_bind_stdstring(d->insertParkingPos, 4, aAircraftType);
2041   sqlite_bind_stdstring(d->insertParkingPos, 5, aAirlines);
2042   return d->execInsert(d->insertParkingPos);
2043 }
2044   
2045 void NavDataCache::setParkingPushBackRoute(PositionedID parking, PositionedID pushBackNode)
2046 {
2047   sqlite3_bind_int64(d->setParkingPushBack, 1, parking);
2048   sqlite3_bind_int64(d->setParkingPushBack, 2, pushBackNode);
2049   d->execUpdate(d->setParkingPushBack);
2050 }
2051
2052 PositionedID
2053 NavDataCache::insertTaxiNode(const SGGeod& aPos, PositionedID aAirport, int aHoldType, bool aOnRunway)
2054 {
2055   sqlite3_int64 rowId = d->insertPositioned(FGPositioned::TAXI_NODE, string(), string(), aPos, aAirport, false);
2056   sqlite3_bind_int64(d->insertTaxiNode, 1, rowId);
2057   sqlite3_bind_int(d->insertTaxiNode, 2, aHoldType);
2058   sqlite3_bind_int(d->insertTaxiNode, 3, aOnRunway);
2059   return d->execInsert(d->insertTaxiNode);
2060 }
2061   
2062 void NavDataCache::insertGroundnetEdge(PositionedID aAirport, PositionedID from, PositionedID to)
2063 {
2064   sqlite3_bind_int64(d->insertTaxiEdge, 1, aAirport);
2065   sqlite3_bind_int64(d->insertTaxiEdge, 2, from);
2066   sqlite3_bind_int64(d->insertTaxiEdge, 3, to);
2067   d->execInsert(d->insertTaxiEdge);
2068 }
2069   
2070 PositionedIDVec NavDataCache::groundNetNodes(PositionedID aAirport, bool onlyPushback)
2071 {
2072   sqlite3_stmt_ptr q = onlyPushback ? d->airportPushbackNodes : d->airportTaxiNodes;
2073   sqlite3_bind_int64(q, 1, aAirport);
2074   return d->selectIds(q);
2075 }
2076   
2077 void NavDataCache::markGroundnetAsPushback(PositionedID nodeId)
2078 {
2079   sqlite3_bind_int64(d->markTaxiNodeAsPushback, 1, nodeId);
2080   d->execUpdate(d->markTaxiNodeAsPushback);
2081 }
2082
2083 static double headingDifferenceDeg(double crs1, double crs2)
2084 {
2085   double diff =  crs2 - crs1;
2086   SG_NORMALIZE_RANGE(diff, -180.0, 180.0);
2087   return diff;
2088 }
2089   
2090 PositionedID NavDataCache::findGroundNetNode(PositionedID airport, const SGGeod& aPos,
2091                                              bool onRunway, FGRunway* aRunway)
2092 {
2093   sqlite3_stmt_ptr q = onRunway ? d->findNearestRunwayTaxiNode : d->findNearestTaxiNode;
2094   sqlite3_bind_int64(q, 1, airport);
2095   
2096   SGVec3d cartPos(SGVec3d::fromGeod(aPos));
2097   sqlite3_bind_double(q, 2, cartPos.x());
2098   sqlite3_bind_double(q, 3, cartPos.y());
2099   sqlite3_bind_double(q, 4, cartPos.z());
2100   
2101   PositionedID result = 0;
2102   while (d->execSelect(q)) {
2103     PositionedID id = sqlite3_column_int64(q, 0);
2104     if (!aRunway) {
2105       result = id;
2106       break;
2107     }
2108     
2109   // ensure found node lies on the runway
2110     FGPositionedRef node = loadById(id);
2111     double course = SGGeodesy::courseDeg(node->geod(), aRunway->end());
2112     if (fabs(headingDifferenceDeg(course, aRunway->headingDeg())) < 3.0 ) {
2113       result = id;
2114       break;
2115     }
2116   }
2117   
2118   d->reset(q);
2119   return result;
2120 }
2121   
2122 PositionedIDVec NavDataCache::groundNetEdgesFrom(PositionedID pos, bool onlyPushback)
2123 {
2124   sqlite3_stmt_ptr q = onlyPushback ? d->pushbackEdgesFrom : d->taxiEdgesFrom;
2125   sqlite3_bind_int64(q, 1, pos);
2126   return d->selectIds(q);
2127 }
2128
2129 PositionedIDVec NavDataCache::findAirportParking(PositionedID airport, const std::string& flightType,
2130                                    int radius)
2131 {
2132   sqlite3_bind_int64(d->findAirportParking, 1, airport);
2133   sqlite3_bind_int(d->findAirportParking, 2, radius);
2134   sqlite_bind_stdstring(d->findAirportParking, 3, flightType);
2135   
2136   return d->selectIds(d->findAirportParking);
2137 }
2138
2139 void NavDataCache::dropGroundnetFor(PositionedID aAirport)
2140 {
2141   sqlite3_stmt_ptr q = d->prepare("DELETE FROM parking WHERE rowid IN (SELECT rowid FROM positioned WHERE type=?1 AND airport=?2)");
2142   sqlite3_bind_int(q, 1, FGPositioned::PARKING);
2143   sqlite3_bind_int64(q, 2, aAirport);
2144   d->execUpdate(q);
2145   
2146   q = d->prepare("DELETE FROM taxi_node WHERE rowid IN (SELECT rowid FROM positioned WHERE (type=?1 OR type=?2) AND airport=?3)");
2147   sqlite3_bind_int(q, 1, FGPositioned::TAXI_NODE);
2148   sqlite3_bind_int(q, 2, FGPositioned::PARKING);
2149   sqlite3_bind_int64(q, 3, aAirport);
2150   d->execUpdate(q);
2151   
2152   q = d->prepare("DELETE FROM positioned WHERE (type=?1 OR type=?2) AND airport=?3");
2153   sqlite3_bind_int(q, 1, FGPositioned::TAXI_NODE);
2154   sqlite3_bind_int(q, 2, FGPositioned::PARKING);
2155   sqlite3_bind_int64(q, 3, aAirport);
2156   d->execUpdate(q);
2157   
2158   q = d->prepare("DELETE FROM groundnet_edge WHERE airport=?1");
2159   sqlite3_bind_int64(q, 1, aAirport);
2160   d->execUpdate(q);
2161 }
2162   
2163 void NavDataCache::dropAllGroundnets()
2164 {
2165     SG_LOG(SG_NAVCACHE, SG_INFO, "dropping ground-net data");
2166   beginTransaction();
2167   d->runSQL("DELETE FROM groundnet_edge");
2168   d->runSQL("DELETE FROM parking");
2169   d->runSQL("DELETE FROM taxi_node");
2170     
2171   sqlite3_stmt_ptr q = d->prepare("DELETE FROM positioned WHERE (type=?1 OR type=?2)");
2172   sqlite3_bind_int(q, 1, FGPositioned::TAXI_NODE);
2173   sqlite3_bind_int(q, 2, FGPositioned::PARKING);
2174   d->execUpdate(q);
2175   commitTransaction();
2176 }
2177
2178 bool NavDataCache::isReadOnly() const
2179 {
2180     return d->readOnly;
2181 }
2182
2183 /////////////////////////////////////////////////////////////////////////////////////////
2184 // Transaction RAII object
2185     
2186 NavDataCache::Transaction::Transaction(NavDataCache* cache) :
2187     _instance(cache),
2188     _committed(false)
2189 {
2190     assert(cache);
2191     _instance->beginTransaction();
2192 }
2193
2194 NavDataCache::Transaction::~Transaction()
2195 {
2196     if (!_committed) {
2197         SG_LOG(SG_NAVCACHE, SG_INFO, "aborting cache transaction!");
2198         _instance->abortTransaction();
2199     }
2200 }
2201
2202 void NavDataCache::Transaction::commit()
2203 {
2204     assert(!_committed);
2205     _committed = true;
2206     _instance->commitTransaction();
2207 }
2208     
2209 } // of namespace flightgear
2210