OpenCPN Partial API docs
Loading...
Searching...
No Matches
track.cpp
1/***************************************************************************
2 *
3 * Project: OpenCPN
4 * Purpose: Navigation Utility Functions
5 * Authors: David Register
6 * Sean D'Epagnier
7 * Project: OpenCPN
8 * Purpose: Navigation Utility Functions
9 * Author: David Register
10 *
11 ***************************************************************************
12 * Copyright (C) 2016 by David S. Register *
13 * *
14 * This program is free software; you can redistribute it and/or modify *
15 * it under the terms of the GNU General Public License as published by *
16 * the Free Software Foundation; either version 2 of the License, or *
17 * (at your option) any later version. *
18 * *
19 * This program is distributed in the hope that it will be useful, *
20 * but WITHOUT ANY WARRANTY; without even the implied warranty of *
21 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the *
22 * GNU General Public License for more details. *
23 * *
24 * You should have received a copy of the GNU General Public License *
25 * along with this program; if not, write to the *
26 * Free Software Foundation, Inc., *
27 * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA. *
28 **************************************************************************/
29
30/* Tracks are broken into SubTracks to allow for efficient rendering and
31 selection on tracks with thousands or millions of track points
32
33 Each level of subtracks has exactly half the number of the previous level
34 forming a binary tree of subtracks.
35 The 0th level contains n-1 subtracks where n is the number of track points
36
37For example, a track with 5 points:
38
39Subtracks[2] 0
40 __/ \__
41 / \
42Subtracks[1] 0 1
43 / \ / \
44Subtracks[0] 0 1 2 3
45 / \ / \ / \ / \
46TrackPoints 0 1 2 3 5
47
48
49The BoundingBox for Subtracks[2][0] will include the entire track and is the
50starting point for assembling the track.
51
52Subtracks[1][0] is from 0 to 2
53Subtracks[1][1] is from 2 to 5
54Subtracks[0][2] is from 2 to 3
55
56The scale factor in Subtracks[2] will determine if it's allowed to just
57draw a simple line segment from 0 to 5, or if we need to recurse to find
58more detail.
59
60At large scale factors, a long track will mostly be off-screen, so
61the bounding box tests quickly eliminate the invisible sections.
62
63At small scale factors, the scale test allows representing a section
64of track using a single line segment greatly reducing the number of
65segments rendered. The scale is set so the difference is less than 1 pixel
66and mostly impossible to notice.
67
68In practice, I never exceed 170 segments in all cases assembling a real track
69with over 86,000 segments. If the track is particularly not-straight, and
70the size of the screen particularly large (lots of pixels) the number
71of segments will be higher, though it should be managable with tracks with
72millions of points.
73*/
74
75#include <memory>
76#include <string>
77#include <vector>
78
79#include <wx/colour.h>
80#include <wx/datetime.h>
81#include <wx/event.h>
82#include <wx/jsonval.h>
83#include <wx/pen.h>
84#include <wx/progdlg.h>
85#include <wx/string.h>
86#include <wx/utils.h>
87
88#include "model/track.h"
89
90#include "model/config_vars.h"
91#include "model/georef.h"
92#include "model/json_event.h"
93#include "model/nav_object_database.h"
94#include "model/navutil_base.h"
95#include "model/own_ship.h"
96#include "model/routeman.h"
97#include "model/select.h"
98#include "ocpn_plugin.h"
99
100std::vector<Track *> g_TrackList;
101
102#if defined(__UNIX__) && \
103 !defined(__WXOSX__) // high resolution stopwatch for profiling
104class OCPNStopWatch {
105public:
106 OCPNStopWatch() { Reset(); }
107 void Reset() { clock_gettime(CLOCK_REALTIME, &tp); }
108
109 double GetTime() {
110 timespec tp_end;
111 clock_gettime(CLOCK_REALTIME, &tp_end);
112 return (tp_end.tv_sec - tp.tv_sec) * 1.e3 +
113 (tp_end.tv_nsec - tp.tv_nsec) / 1.e6;
114 }
115
116private:
117 timespec tp;
118};
119#endif
120
121TrackPoint::TrackPoint(double lat, double lon, wxString ts)
122 : m_lat(lat), m_lon(lon), m_GPXTrkSegNo(1) {
123 SetCreateTime(ts);
124}
125
126TrackPoint::TrackPoint(double lat, double lon, wxDateTime dt)
127 : m_lat(lat), m_lon(lon), m_GPXTrkSegNo(1) {
128 SetCreateTime(dt);
129}
130
131// Copy Constructor
132TrackPoint::TrackPoint(TrackPoint *orig)
133 : m_lat(orig->m_lat), m_lon(orig->m_lon), m_GPXTrkSegNo(1) {
134 SetCreateTime(orig->GetCreateTime());
135}
136
137TrackPoint::~TrackPoint() {}
138
139wxDateTime TrackPoint::GetCreateTime() {
140 wxDateTime CreateTimeX;
141 ParseGPXDateTime(CreateTimeX, wxString(m_stimestring.c_str()));
142 return CreateTimeX;
143}
144
145void TrackPoint::SetCreateTime(wxDateTime dt) {
146 wxString ts;
147 if (dt.IsValid())
148 ts = dt.FormatISODate()
149 .Append(_T("T"))
150 .Append(dt.FormatISOTime())
151 .Append(_T("Z"));
152
153 SetCreateTime(ts);
154}
155
156void TrackPoint::SetCreateTime(wxString ts) {
157 if (ts.Length()) {
158 m_stimestring = ts.mb_str();
159 } else
160 m_stimestring = "";
161}
162
163//---------------------------------------------------------------------------------
164// Track Implementation
165//---------------------------------------------------------------------------------
166
167double _distance2(vector2D &a, vector2D &b) {
168 return (a.x - b.x) * (a.x - b.x) + (a.y - b.y) * (a.y - b.y);
169}
170double _distance(vector2D &a, vector2D &b) { return sqrt(_distance2(a, b)); }
171
172Track::Track() {
173 m_bVisible = true;
174 m_bListed = true;
175
176 m_width = WIDTH_UNDEFINED;
177 m_style = wxPENSTYLE_INVALID;
178
179 m_GUID = pWayPointMan->CreateGUID(NULL);
180 m_bIsInLayer = false;
181 m_btemp = false;
182
183 m_HyperlinkList = new HyperlinkList;
184 m_HighlightedTrackPoint = -1;
185}
186
187Track::~Track(void) {
188 for (size_t i = 0; i < TrackPoints.size(); i++) delete TrackPoints[i];
189
190 delete m_HyperlinkList;
191}
192
193#define TIMER_TRACK1 778
194
195BEGIN_EVENT_TABLE(ActiveTrack, wxEvtHandler)
196EVT_TIMER(TIMER_TRACK1, ActiveTrack::OnTimerTrack)
197END_EVENT_TABLE()
198
200 m_TimerTrack.SetOwner(this, TIMER_TRACK1);
201 m_TimerTrack.Stop();
202 m_bRunning = false;
203
204 SetPrecision(g_nTrackPrecision);
205
206 m_prev_time = wxInvalidDateTime;
207 m_lastStoredTP = NULL;
208
209 wxDateTime now = wxDateTime::Now();
210 // m_ConfigRouteNum = now.GetTicks(); // a unique number....
211 trackPointState = firstPoint;
212 m_lastStoredTP = NULL;
213 m_removeTP = NULL;
214 m_fixedTP = NULL;
215 m_track_run = 0;
216 m_CurrentTrackSeg = 0;
217 m_prev_dist = 999.0;
218}
219
220ActiveTrack::~ActiveTrack() { Stop(); }
221
222void ActiveTrack::SetPrecision(int prec) {
223 m_nPrecision = prec;
224 switch (m_nPrecision) {
225 case 0: { // Low
226 m_allowedMaxAngle = 10;
227 m_allowedMaxXTE = 0.008;
228 m_TrackTimerSec = 8;
229 m_minTrackpoint_delta = .004;
230 break;
231 }
232 case 1: { // Medium
233 m_allowedMaxAngle = 10;
234 m_allowedMaxXTE = 0.004;
235 m_TrackTimerSec = 4;
236 m_minTrackpoint_delta = .002;
237 break;
238 }
239 case 2: { // High
240 m_allowedMaxAngle = 10;
241 m_allowedMaxXTE = 0.0015;
242 m_TrackTimerSec = 2;
243 m_minTrackpoint_delta = .001;
244 break;
245 }
246 }
247}
248
249void ActiveTrack::Start(void) {
250 if (!m_bRunning) {
251 AddPointNow(true); // Add initial point
252 m_TimerTrack.Start(1000, wxTIMER_CONTINUOUS);
253 m_bRunning = true;
254 }
255}
256
257void ActiveTrack::Stop(bool do_add_point) {
258 if (m_bRunning) {
259 if (do_add_point)
260 AddPointNow(true); // Force add last point
261 else {
262 double delta = 0.0;
263 if (m_lastStoredTP)
264 delta = DistGreatCircle(gLat, gLon, m_lastStoredTP->m_lat,
265 m_lastStoredTP->m_lon);
266
267 if (delta > m_minTrackpoint_delta) AddPointNow(true); // Add last point
268 }
269 }
270
271 m_TimerTrack.Stop();
272 m_bRunning = false;
273 m_track_run = 0;
274}
275
276Track *ActiveTrack::DoExtendDaily() {
277 Track *pExtendTrack = NULL;
278 TrackPoint *pExtendPoint = NULL;
279
280 TrackPoint *pLastPoint = GetPoint(0);
281 if (!pLastPoint->GetCreateTime().IsValid()) return NULL;
282
283 for (Track *ptrack : g_TrackList) {
284 if (!ptrack->m_bIsInLayer && ptrack->m_GUID != m_GUID) {
285 TrackPoint *track_node = ptrack->GetLastPoint();
286 if (!track_node->GetCreateTime().IsValid())
287 continue; // Skip this bad track
288 if (track_node->GetCreateTime() <= pLastPoint->GetCreateTime()) {
289 if (!pExtendPoint ||
290 track_node->GetCreateTime() > pExtendPoint->GetCreateTime()) {
291 pExtendPoint = track_node;
292 pExtendTrack = ptrack;
293 }
294 }
295 }
296 }
297 if (pExtendTrack && pExtendTrack->GetPoint(0)
298 ->GetCreateTime()
299 .FromTimezone(wxDateTime::GMT0)
300 .IsSameDate(pLastPoint->GetCreateTime().FromTimezone(
301 wxDateTime::GMT0))) {
302 int begin = 1;
303 if (pLastPoint->GetCreateTime() == pExtendPoint->GetCreateTime()) begin = 2;
304 pSelect->DeleteAllSelectableTrackSegments(pExtendTrack);
305 wxString suffix = _T("");
306 if (GetName().IsNull()) {
307 suffix = pExtendTrack->GetName();
308 if (suffix.IsNull()) suffix = wxDateTime::Today().FormatISODate();
309 }
310 pExtendTrack->Clone(this, begin, GetnPoints(), suffix);
311 pSelect->AddAllSelectableTrackSegments(pExtendTrack);
312 pSelect->DeleteAllSelectableTrackSegments(this);
313
314 return pExtendTrack;
315 } else {
316 if (GetName().IsNull()) SetName(wxDateTime::Today().FormatISODate());
317 return NULL;
318 }
319}
320
321void Track::Clone(Track *psourcetrack, int start_nPoint, int end_nPoint,
322 const wxString &suffix) {
323 if (psourcetrack->m_bIsInLayer) return;
324
325 m_TrackNameString = psourcetrack->m_TrackNameString + suffix;
326 m_TrackStartString = psourcetrack->m_TrackStartString;
327 m_TrackEndString = psourcetrack->m_TrackEndString;
328
329 bool b_splitting = GetnPoints() == 0;
330
331 int startTrkSegNo;
332 if (b_splitting) {
333 startTrkSegNo = psourcetrack->GetPoint(start_nPoint)->m_GPXTrkSegNo;
334 } else {
335 startTrkSegNo = GetLastPoint()->m_GPXTrkSegNo;
336 }
337 int i;
338 for (i = start_nPoint; i <= end_nPoint; i++) {
339 TrackPoint *psourcepoint = psourcetrack->GetPoint(i);
340 if (psourcepoint) {
341 TrackPoint *ptargetpoint = new TrackPoint(psourcepoint);
342
343 AddPoint(ptargetpoint);
344 }
345 }
346}
347
348void ActiveTrack::AdjustCurrentTrackPoint(TrackPoint *prototype) {
349 if (prototype) {
350 *m_lastStoredTP = *prototype;
351 m_prev_time = prototype->GetCreateTime().FromUTC();
352 }
353}
354
355void ActiveTrack::OnTimerTrack(wxTimerEvent &event) {
356 m_TimerTrack.Stop();
357 m_track_run++;
358
359 if (m_lastStoredTP)
360 m_prev_dist = DistGreatCircle(gLat, gLon, m_lastStoredTP->m_lat,
361 m_lastStoredTP->m_lon);
362 else
363 m_prev_dist = 999.0;
364
365 bool b_addpoint = false;
366
367 if ((m_TrackTimerSec > 0.) && ((double)m_track_run >= m_TrackTimerSec) &&
368 (m_prev_dist > m_minTrackpoint_delta)) {
369 b_addpoint = true;
370 m_track_run = 0;
371 }
372
373 if (b_addpoint)
374 AddPointNow();
375 else // continuously update track beginning point timestamp if no movement.
376 if ((trackPointState == firstPoint) && !g_bTrackDaily) {
377 wxDateTime now = wxDateTime::Now();
378 if (TrackPoints.empty()) TrackPoints.front()->SetCreateTime(now.ToUTC());
379 }
380
381 m_TimerTrack.Start(1000, wxTIMER_CONTINUOUS);
382}
383
384void ActiveTrack::AddPointNow(bool do_add_point) {
385 wxDateTime now = wxDateTime::Now();
386
387 if (m_prev_dist < 0.0005) // avoid zero length segs
388 if (!do_add_point) return;
389
390 if (m_prev_time.IsValid())
391 if (m_prev_time == now) // avoid zero time segs
392 if (!do_add_point) return;
393
394 vector2D gpsPoint(gLon, gLat);
395
396 // Check if gps point is not too far from the last point
397 // which, if it is the case, means that there is probably a GPS bug on the two
398 // positions... So, it is better not to add this false new point.
399
400 // Calculate the distance between two points of the track based on georef lib
401 if (g_trackFilterMax) {
402 if (trackPointState == potentialPoint) {
403 double distToLastGpsPoint = DistLoxodrome(
404 m_lastStoredTP->m_lat, m_lastStoredTP->m_lon, gLat, gLon);
405 if (distToLastGpsPoint > g_trackFilterMax) return;
406 }
407 }
408
409 // The dynamic interval algorithm will gather all track points in a queue,
410 // and analyze the cross track errors for each point before actually adding
411 // a point to the track.
412
413 switch (trackPointState) {
414 case firstPoint: {
415 TrackPoint *pTrackPoint = AddNewPoint(gpsPoint, now.ToUTC());
416 m_lastStoredTP = pTrackPoint;
417 trackPointState = secondPoint;
418 do_add_point = false;
419 break;
420 }
421 case secondPoint: {
422 vector2D pPoint(gLon, gLat);
423 skipPoints.push_back(pPoint);
424 skipTimes.push_back(now.ToUTC());
425 trackPointState = potentialPoint;
426 break;
427 }
428 case potentialPoint: {
429 if (gpsPoint == skipPoints[skipPoints.size() - 1]) break;
430
431 unsigned int xteMaxIndex = 0;
432 double xteMax = 0;
433
434 // Scan points skipped so far and see if anyone has XTE over the
435 // threshold.
436 for (unsigned int i = 0; i < skipPoints.size(); i++) {
437 double xte = GetXTE(m_lastStoredTP->m_lat, m_lastStoredTP->m_lon, gLat,
438 gLon, skipPoints[i].lat, skipPoints[i].lon);
439 if (xte > xteMax) {
440 xteMax = xte;
441 xteMaxIndex = i;
442 }
443 }
444 if (xteMax > m_allowedMaxXTE) {
445 TrackPoint *pTrackPoint =
446 AddNewPoint(skipPoints[xteMaxIndex], skipTimes[xteMaxIndex]);
447 pSelect->AddSelectableTrackSegment(
448 m_lastStoredTP->m_lat, m_lastStoredTP->m_lon, pTrackPoint->m_lat,
449 pTrackPoint->m_lon, m_lastStoredTP, pTrackPoint, this);
450
451 m_prevFixedTP = m_fixedTP;
452 m_fixedTP = m_removeTP;
453 m_removeTP = m_lastStoredTP;
454 m_lastStoredTP = pTrackPoint;
455 for (unsigned int i = 0; i <= xteMaxIndex; i++) {
456 skipPoints.pop_front();
457 skipTimes.pop_front();
458 }
459
460 // Now back up and see if we just made 3 points in a straight line and
461 // the middle one (the next to last) point can possibly be eliminated.
462 // Here we reduce the allowed XTE as a function of leg length. (Half the
463 // XTE for very short legs).
464 if (GetnPoints() > 2) {
465 double dist =
466 DistGreatCircle(m_fixedTP->m_lat, m_fixedTP->m_lon,
467 m_lastStoredTP->m_lat, m_lastStoredTP->m_lon);
468 double xte = GetXTE(m_fixedTP, m_lastStoredTP, m_removeTP);
469 if (xte < m_allowedMaxXTE / wxMax(1.0, 2.0 - dist * 2.0)) {
470 TrackPoints.pop_back();
471 TrackPoints.pop_back();
472 TrackPoints.push_back(m_lastStoredTP);
473 pSelect->DeletePointSelectableTrackSegments(m_removeTP);
474 pSelect->AddSelectableTrackSegment(
475 m_fixedTP->m_lat, m_fixedTP->m_lon, m_lastStoredTP->m_lat,
476 m_lastStoredTP->m_lon, m_fixedTP, m_lastStoredTP, this);
477 delete m_removeTP;
478 m_removeTP = m_fixedTP;
479 m_fixedTP = m_prevFixedTP;
480 }
481 }
482 }
483
484 skipPoints.push_back(gpsPoint);
485 skipTimes.push_back(now.ToUTC());
486 break;
487 }
488 }
489
490 // Check if this is the last point of the track.
491 if (do_add_point) {
492 TrackPoint *pTrackPoint = AddNewPoint(gpsPoint, now.ToUTC());
493 pSelect->AddSelectableTrackSegment(
494 m_lastStoredTP->m_lat, m_lastStoredTP->m_lon, pTrackPoint->m_lat,
495 pTrackPoint->m_lon, m_lastStoredTP, pTrackPoint, this);
496 }
497
498 m_prev_time = now;
499}
500
501void Track::ClearHighlights() { m_HighlightedTrackPoint = -1; }
502
503TrackPoint *Track::GetPoint(int nWhichPoint) {
504 if (nWhichPoint < (int)TrackPoints.size())
505 return TrackPoints[nWhichPoint];
506 else
507 return NULL;
508}
509
510TrackPoint *Track::GetLastPoint() {
511 if (TrackPoints.empty()) return NULL;
512
513 return TrackPoints.back();
514}
515
516static double heading_diff(double x) {
517 if (x > 180) return 360 - x;
518 if (x < -180) return -360 + x;
519 return x;
520}
521
522/* Computes the scale factor when these particular segments
523 essentially are smaller than 1 pixel, This is assuming
524 a simplistic flat projection, it might be useful to
525 add a mercator or other term, but this works in practice */
526double Track::ComputeScale(int left, int right) {
527 const double z = WGS84_semimajor_axis_meters * mercator_k0;
528 const double mult = DEGREE * z;
529 // could multiply by a smaller factor to get
530 // better performance with loss of rendering track accuracy
531
532 double max_dist = 0;
533 double lata = TrackPoints[left]->m_lat, lona = TrackPoints[left]->m_lon;
534 double latb = TrackPoints[right]->m_lat, lonb = TrackPoints[right]->m_lon;
535
536 double bx = heading_diff(lonb - lona), by = latb - lata;
537
538 double lengthSquared = bx * bx + by * by;
539
540 // avoid this calculation for large distances... slight optimization
541 // at building with expense rendering zoomed out. is it needed?
542 if (lengthSquared > 3) return INFINITY;
543
544 if (lengthSquared == 0.0) {
545 for (int i = left + 1; i < right; i++) {
546 double lat = TrackPoints[i]->m_lat, lon = TrackPoints[i]->m_lon;
547 // v == w case
548 double vx = heading_diff(lon - lona);
549 double vy = lat - lata;
550 double dist = vx * vx + vy * vy;
551
552 if (dist > max_dist) max_dist = dist;
553 }
554 } else {
555 double invLengthSquared = 1 / lengthSquared;
556 for (int i = left + 1; i < right; i++) {
557 double lat = TrackPoints[i]->m_lat, lon = TrackPoints[i]->m_lon;
558
559 double vx = heading_diff(lon - lona);
560 double vy = lat - lata;
561 double t = (vx * bx + vy * by) * invLengthSquared;
562 double dist;
563
564 if (t < 0.0)
565 dist = vx * vx + vy * vy; // Beyond the 'v' end of the segment
566 else if (t > 1.0) {
567 double wx = heading_diff(lona - lon);
568 double wy = lata - lat;
569 dist = wx * wx + wy * wy; // Beyond the 'w' end of the segment
570 } else {
571 double projx = vx - t * bx; // Projection falls on the segment
572 double projy = vy - t * by;
573 dist = projx * projx + projy * projy;
574 }
575
576 if (dist > max_dist) max_dist = dist;
577 }
578 }
579
580 return max_dist * mult * mult;
581}
582
583/* Add a point to a track, should be iterated
584 on to build up a track from data. If a track
585 is being slowing enlarged, see AddPointFinalized below */
586void Track::AddPoint(TrackPoint *pNewPoint) {
587 TrackPoints.push_back(pNewPoint);
588 SubTracks.clear(); // invalidate subtracks
589}
590
591/* ensures the SubTracks are valid for assembly use */
592void Track::Finalize() {
593 if (SubTracks.size()) // subtracks already computed
594 return;
595
596 // OCPNStopWatch sw1;
597
598 int n = TrackPoints.size() - 1;
599 int level = 0;
600 while (n > 0) {
601 std::vector<SubTrack> new_level;
602 new_level.resize(n);
603 if (level == 0)
604 for (int i = 0; i < n; i++) {
605 new_level[i].m_box.SetFromSegment(
606 TrackPoints[i]->m_lat, TrackPoints[i]->m_lon,
607 TrackPoints[i + 1]->m_lat, TrackPoints[i + 1]->m_lon);
608 new_level[i].m_scale = 0;
609 }
610 else {
611 for (int i = 0; i < n; i++) {
612 int p = i << 1;
613 new_level[i].m_box = SubTracks[level - 1][p].m_box;
614 if (p + 1 < (int)SubTracks[level - 1].size())
615 new_level[i].m_box.Expand(SubTracks[level - 1][p + 1].m_box);
616
617 int left = i << level;
618 int right = wxMin(left + (1 << level), TrackPoints.size() - 1);
619 new_level[i].m_scale = ComputeScale(left, right);
620 }
621 }
622 SubTracks.push_back(new_level);
623
624 if (n > 1 && n & 1) n++;
625 n >>= 1;
626 level++;
627 }
628 // if(TrackPoints.size() > 100)
629 // printf("fin time %f %d\n", sw1.GetTime(), (int)TrackPoints.size());
630}
631
632// recursive subtracks fixer for appending a single point
633void Track::InsertSubTracks(LLBBox &box, int level, int pos) {
634 if (level == (int)SubTracks.size()) {
635 std::vector<SubTrack> new_level;
636 if (level > 0) box.Expand(SubTracks[level - 1][0].m_box);
637 new_level.push_back(SubTrack());
638 new_level[pos].m_box = box;
639 SubTracks.push_back(new_level);
640 } else if (pos < (int)SubTracks[level].size())
641 SubTracks[level][pos].m_box.Expand(box);
642 else {
643 SubTracks[level].push_back(SubTrack());
644 SubTracks[level][pos].m_box = box;
645 }
646
647 if (level == 0)
648 SubTracks[level][pos].m_scale = 0;
649 else {
650 int left = pos << level;
651 int right = wxMin(left + (1 << level), TrackPoints.size() - 1);
652 SubTracks[level][pos].m_scale = ComputeScale(left, right);
653 }
654
655 if (pos > 0) InsertSubTracks(box, level + 1, pos >> 1);
656}
657
658/* This function adds a new point ensuring the resulting track is finalized
659 The runtime of this routine is O(log(n)) which is an improvment over
660 blowing away the subtracks and calling Finalize which is O(n),
661 but should not be used for building a large track O(n log(n)) which
662 _is_ worse than blowing the subtracks and calling Finalize.
663*/
664void Track::AddPointFinalized(TrackPoint *pNewPoint) {
665 TrackPoints.push_back(pNewPoint);
666
667 int pos = TrackPoints.size() - 1;
668
669 if (pos > 0) {
670 LLBBox box;
671 box.SetFromSegment(TrackPoints[pos - 1]->m_lat, TrackPoints[pos - 1]->m_lon,
672 TrackPoints[pos]->m_lat, TrackPoints[pos]->m_lon);
673 InsertSubTracks(box, 0, pos - 1);
674 }
675}
676
677TrackPoint *Track::AddNewPoint(vector2D point, wxDateTime time) {
678 TrackPoint *tPoint = new TrackPoint(point.lat, point.lon, time);
679
680 AddPointFinalized(tPoint);
681
682 NavObjectChanges::getInstance()->AddNewTrackPoint(
683 tPoint, m_GUID); // This will update the "changes" file only
684
685 // send a wxJson message to all plugins
686 wxJSONValue v;
687 v["lat"] = tPoint->m_lat;
688 v["lon"] = tPoint->m_lon;
689 v["Track_ID"] = m_GUID;
690 std::string msg_id("OCPN_TRK_POINT_ADDED");
691 JsonEvent::getInstance().Notify(msg_id, std::make_shared<wxJSONValue>(v));
692
693 return tPoint;
694}
695
696void Track::DouglasPeuckerReducer(std::vector<TrackPoint *> &list,
697 std::vector<bool> &keeplist, int from, int to,
698 double delta) {
699 keeplist[from] = true;
700 keeplist[to] = true;
701
702 int maxdistIndex = -1;
703 double maxdist = 0;
704
705 for (int i = from + 1; i < to; i++) {
706 double dist = 1852.0 * GetXTE(list[from], list[to], list[i]);
707
708 if (dist > maxdist) {
709 maxdist = dist;
710 maxdistIndex = i;
711 }
712 }
713
714 if (maxdist > delta) {
715 DouglasPeuckerReducer(list, keeplist, from, maxdistIndex, delta);
716 DouglasPeuckerReducer(list, keeplist, maxdistIndex, to, delta);
717 }
718}
719
720double Track::Length() {
721 TrackPoint *l = NULL;
722 double total = 0.0;
723 for (size_t i = 0; i < TrackPoints.size(); i++) {
724 TrackPoint *t = TrackPoints[i];
725 if (l) {
726 const double offsetLat = 1e-6;
727 const double deltaLat = l->m_lat - t->m_lat;
728 if (fabs(deltaLat) > offsetLat)
729 total += DistGreatCircle(l->m_lat, l->m_lon, t->m_lat, t->m_lon);
730 else
731 total += DistGreatCircle(l->m_lat + copysign(offsetLat, deltaLat),
732 l->m_lon, t->m_lat, t->m_lon);
733 }
734 l = t;
735 }
736
737 return total;
738}
739
740int Track::Simplify(double maxDelta) {
741 int reduction = 0;
742
743 std::vector<TrackPoint *> pointlist;
744 std::vector<bool> keeplist;
745
746 ::wxBeginBusyCursor();
747
748 for (size_t i = 0; i < TrackPoints.size(); i++) {
749 TrackPoint *trackpoint = TrackPoints[i];
750
751 pointlist.push_back(trackpoint);
752 keeplist.push_back(false);
753 }
754
755 DouglasPeuckerReducer(pointlist, keeplist, 0, pointlist.size() - 1, maxDelta);
756
757 pSelect->DeleteAllSelectableTrackSegments(this);
758 SubTracks.clear();
759 TrackPoints.clear();
760
761 for (size_t i = 0; i < pointlist.size(); i++) {
762 if (keeplist[i])
763 TrackPoints.push_back(pointlist[i]);
764 else {
765 delete pointlist[i];
766 reduction++;
767 }
768 }
769 Finalize();
770
771 pSelect->AddAllSelectableTrackSegments(this);
772
773 // UpdateSegmentDistances();
774 ::wxEndBusyCursor();
775 return reduction;
776}
777
778Route *Track::RouteFromTrack(wxGenericProgressDialog *pprog) {
779 Route *route = new Route();
780
781 TrackPoint *pWP_src = TrackPoints.front();
782 size_t prpnodeX;
783 RoutePoint *pWP_dst, *pWP_prev;
784 TrackPoint *prp_OK =
785 NULL; // last routepoint known not to exceed xte limit, if not yet added
786
787 wxString icon = _T("xmblue");
788 if (g_TrackDeltaDistance >= 0.1) icon = _T("diamond");
789
790 int next_ic = 0;
791 int back_ic = 0;
792 int nPoints = TrackPoints.size();
793 bool isProminent = true;
794 double delta_dist = 0.;
795 double delta_hdg, xte;
796 double leg_speed = 0.1;
797
798 leg_speed = g_PlanSpeed;
799
800 // add first point
801
802 pWP_dst = new RoutePoint(pWP_src->m_lat, pWP_src->m_lon, icon, _T ( "" ),
803 wxEmptyString);
804 route->AddPoint(pWP_dst);
805
806 pWP_dst->m_bShowName = false;
807
808 pSelect->AddSelectableRoutePoint(pWP_dst->m_lat, pWP_dst->m_lon, pWP_dst);
809 pWP_prev = pWP_dst;
810 // add intermediate points as needed
811 int dProg = 0;
812 for (size_t i = 1; i < TrackPoints.size();) {
813 TrackPoint *prp = TrackPoints[i];
814 prpnodeX = i;
815 pWP_dst->m_lat = pWP_prev->m_lat;
816 pWP_dst->m_lon = pWP_prev->m_lon;
817 pWP_prev = pWP_dst;
818
819 delta_dist = 0.0;
820 delta_hdg = 0.0;
821 back_ic = next_ic;
822
823 DistanceBearingMercator(prp->m_lat, prp->m_lon, pWP_prev->m_lat,
824 pWP_prev->m_lon, &delta_hdg, &delta_dist);
825
826 if ((delta_dist > (leg_speed * 6.0)) && !prp_OK) {
827 int delta_inserts = floor(delta_dist / (leg_speed * 4.0));
828 delta_dist = delta_dist / (delta_inserts + 1);
829 double tlat = 0.0;
830 double tlon = 0.0;
831
832 while (delta_inserts--) {
833 ll_gc_ll(pWP_prev->m_lat, pWP_prev->m_lon, delta_hdg, delta_dist, &tlat,
834 &tlon);
835 pWP_dst = new RoutePoint(tlat, tlon, icon, _T ( "" ), wxEmptyString);
836 route->AddPoint(pWP_dst);
837 pWP_dst->m_bShowName = false;
838 pSelect->AddSelectableRoutePoint(pWP_dst->m_lat, pWP_dst->m_lon,
839 pWP_dst);
840
841 pSelect->AddSelectableRouteSegment(pWP_prev->m_lat, pWP_prev->m_lon,
842 pWP_dst->m_lat, pWP_dst->m_lon,
843 pWP_prev, pWP_dst, route);
844
845 pWP_prev = pWP_dst;
846 }
847 prpnodeX = i;
848 pWP_dst = pWP_prev;
849 next_ic = 0;
850 delta_dist = 0.0;
851 back_ic = next_ic;
852 prp_OK = prp;
853 isProminent = true;
854 } else {
855 isProminent = false;
856 if (delta_dist >= (leg_speed * 4.0)) isProminent = true;
857 if (!prp_OK) prp_OK = prp;
858 }
859 while (prpnodeX < TrackPoints.size()) {
860 TrackPoint *prpX = TrackPoints[prpnodeX];
861 // TrackPoint src(pWP_prev->m_lat, pWP_prev->m_lon);
862 xte = GetXTE(pWP_src, prpX, prp);
863 if (isProminent || (xte > g_TrackDeltaDistance)) {
864 pWP_dst = new RoutePoint(prp_OK->m_lat, prp_OK->m_lon, icon, _T ( "" ),
865 wxEmptyString);
866
867 route->AddPoint(pWP_dst);
868 pWP_dst->m_bShowName = false;
869
870 pSelect->AddSelectableRoutePoint(pWP_dst->m_lat, pWP_dst->m_lon,
871 pWP_dst);
872
873 pSelect->AddSelectableRouteSegment(pWP_prev->m_lat, pWP_prev->m_lon,
874 pWP_dst->m_lat, pWP_dst->m_lon,
875 pWP_prev, pWP_dst, route);
876
877 pWP_prev = pWP_dst;
878 next_ic = 0;
879 prpnodeX = TrackPoints.size();
880 prp_OK = NULL;
881 }
882
883 if (prpnodeX != TrackPoints.size()) prpnodeX--;
884 if (back_ic-- <= 0) {
885 prpnodeX = TrackPoints.size();
886 }
887 }
888
889 if (prp_OK) {
890 prp_OK = prp;
891 }
892
893 DistanceBearingMercator(prp->m_lat, prp->m_lon, pWP_prev->m_lat,
894 pWP_prev->m_lon, NULL, &delta_dist);
895
896 if (!((delta_dist > (g_TrackDeltaDistance)) && !prp_OK)) {
897 i++;
898 next_ic++;
899 }
900 int iProg = (i * 100) / nPoints;
901 if (pprog && (iProg > dProg)) {
902 dProg = iProg;
903 pprog->Update(dProg);
904 }
905 }
906
907 // add last point, if needed
908 if (delta_dist >= g_TrackDeltaDistance) {
909 pWP_dst =
910 new RoutePoint(TrackPoints.back()->m_lat, TrackPoints.back()->m_lon,
911 icon, _T ( "" ), wxEmptyString);
912 route->AddPoint(pWP_dst);
913
914 pWP_dst->m_bShowName = false;
915
916 pSelect->AddSelectableRoutePoint(pWP_dst->m_lat, pWP_dst->m_lon, pWP_dst);
917
918 pSelect->AddSelectableRouteSegment(pWP_prev->m_lat, pWP_prev->m_lon,
919 pWP_dst->m_lat, pWP_dst->m_lon, pWP_prev,
920 pWP_dst, route);
921 }
922 route->m_RouteNameString = m_TrackNameString;
923 route->m_RouteStartString = m_TrackStartString;
924 route->m_RouteEndString = m_TrackEndString;
925 route->m_bDeleteOnArrival = false;
926
927 return route;
928}
929
930double Track::GetXTE(double fm1Lat, double fm1Lon, double fm2Lat, double fm2Lon,
931 double toLat, double toLon) {
932 vector2D v, w, p;
933
934 // First we get the cartesian coordinates to the line endpoints, using
935 // the current position as origo.
936
937 double brg1, dist1, brg2, dist2;
938 DistanceBearingMercator(toLat, toLon, fm1Lat, fm1Lon, &brg1, &dist1);
939 w.x = dist1 * sin(brg1 * PI / 180.);
940 w.y = dist1 * cos(brg1 * PI / 180.);
941
942 DistanceBearingMercator(toLat, toLon, fm2Lat, fm2Lon, &brg2, &dist2);
943 v.x = dist2 * sin(brg2 * PI / 180.);
944 v.y = dist2 * cos(brg2 * PI / 180.);
945
946 p.x = 0.0;
947 p.y = 0.0;
948
949 const double lengthSquared = _distance2(v, w);
950 if (lengthSquared == 0.0) {
951 // v == w case
952 return _distance(p, v);
953 }
954
955 // Consider the line extending the segment, parameterized as v + t (w - v).
956 // We find projection of origo onto the line.
957 // It falls where t = [(p-v) . (w-v)] / |w-v|^2
958
959 vector2D a = p - v;
960 vector2D b = w - v;
961
962 double t = vDotProduct(&a, &b) / lengthSquared;
963
964 if (t < 0.0)
965 return _distance(p, v); // Beyond the 'v' end of the segment
966 else if (t > 1.0)
967 return _distance(p, w); // Beyond the 'w' end of the segment
968 vector2D projection = v + t * (w - v); // Projection falls on the segment
969 return _distance(p, projection);
970}
971
972double Track::GetXTE(TrackPoint *fm1, TrackPoint *fm2, TrackPoint *to) {
973 if (!fm1 || !fm2 || !to) return 0.0;
974 if (fm1 == to) return 0.0;
975 if (fm2 == to) return 0.0;
976 return GetXTE(fm1->m_lat, fm1->m_lon, fm2->m_lat, fm2->m_lon, to->m_lat,
977 to->m_lon);
978 ;
979}
980
981wxString Track::GetIsoDateTime(const wxString label_for_invalid_date) const {
982 wxString name;
983 TrackPoint *rp = NULL;
984 if ((int)TrackPoints.size() > 0) rp = TrackPoints[0];
985 if (rp && rp->GetCreateTime().IsValid())
986 name = rp->GetCreateTime().FormatISOCombined(' ');
987 else
988 name = label_for_invalid_date;
989 return name;
990}
991
992wxString Track::GetDateTime(const wxString label_for_invalid_date) const {
993 wxString name;
994 TrackPoint *rp = NULL;
995 if ((int)TrackPoints.size() > 0) rp = TrackPoints[0];
996 if (rp && rp->GetCreateTime().IsValid())
997 name = ocpn::toUsrDateTimeFormat(rp->GetCreateTime());
998 else
999 name = label_for_invalid_date;
1000 return name;
1001}
Represents an active track that is currently being recorded.
Definition track.h:194
Represents a waypoint or mark within the navigation system.
Definition route_point.h:68
Represents a navigational route in the navigation system.
Definition route.h:96
Represents a single point in a track.
Definition track.h:53
Represents a track, which is a series of connected track points.
Definition track.h:79
The JSON value class implementation.
Definition jsonval.h:84
PlugIn Object Definition/API.