-
-
Notifications
You must be signed in to change notification settings - Fork 69
/
maps.py
executable file
·1358 lines (1231 loc) · 55.9 KB
/
maps.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/env python
# -*- coding: utf-8 -*-
## @package maps
# This is the Main Window
import os
import gobject
import re
import sys
import time
from threading import Timer
import gmapcatcher.fileUtils as fileUtils
import gmapcatcher.mapGPS as mapGPS
import gmapcatcher.mapUtils as mapUtils
import gmapcatcher.widgets.mapPixbuf as mapPixbuf
from gmapcatcher.cmRoute import cmRoute
from gmapcatcher.gtkThread import gui_callback, webbrowser_open
from gmapcatcher.mapConf import MapConf
from gmapcatcher.mapConst import *
from gmapcatcher.mapDownloader import MapDownloader
from gmapcatcher.mapMark import MyMarkers
from gmapcatcher.mapServices import MapServ
from gmapcatcher.mapUpdate import CheckForUpdates
from gmapcatcher.mapUtils import openGPX
from gmapcatcher.widgets.DLWindow import DLWindow
from gmapcatcher.widgets.EXWindow import EXWindow
from gmapcatcher.widgets.customMsgBox import user_confirm, error_msg, error_msg_non_blocking
from gmapcatcher.widgets.customWidgets import gtk, gtk_menu, myToolTip, myFrame, legal_warning, SpinBtn, FileChooser
from gmapcatcher.widgets.gpsWindow import gpsWindow
from gmapcatcher.widgets.mapTools import mapTools
from gmapcatcher.widgets.trackWindow import trackWindow
from gmapcatcher.widgets.widComboBoxEntry import ComboBoxEntry
from gmapcatcher.widgets.widComboBoxLayer import ComboBoxLayer
from gmapcatcher.widgets.widCredits import OurCredits
from gmapcatcher.widgets.widDrawingArea import DrawingArea
from gmapcatcher.widgets.markerWindow import markerWindow
from gmapcatcher.widgets.widMapExport import MapExport
from gmapcatcher.widgets.widStatusBar import StatusBar
from gmapcatcher.xmlUtils import kml_to_markers
class MainWindow(gtk.Window):
gps = None
update = None
myPointer = None
reCenter_gps = False
showMarkers = True
tPoint = {}
gps_idle_time = 0
# Variables for Ruler - F7 to activate/deactivate
Ruler = 0
total_dist = 0.00
map_min_zoom = MAP_MIN_ZOOM_LEVEL
map_max_zoom = MAP_MAX_ZOOM_LEVEL - 1
map_skip_zooms = []
## Get the zoom level from the scale
def get_zoom(self):
return int(self.scale.get_value())
## Change value in the scale will change the zoom
def scale_change_value(self, therange, scroll, value):
self.do_zoom(int(round(value)), self.get_zoom())
## Zoom to the given pointer
def do_zoom(self, zoom, current_zoom, doForce=False, dPointer=False):
if zoom < self.map_min_zoom:
zoom = self.map_min_zoom
elif zoom > self.map_max_zoom:
zoom = self.map_max_zoom
while zoom in self.map_skip_zooms:
if zoom < current_zoom:
zoom -= 1
if zoom == self.map_min_zoom:
break
else:
zoom += 1
if zoom == self.map_max_zoom:
break
self.drawing_area.do_scale(zoom, current_zoom, doForce, dPointer)
self.scale.set_value(zoom)
self.update_export()
self.gps_idle_time = time.time()
return zoom
## Handles the events in the Tools buttons
def tools_button_event(self, w, event):
if event.type == gtk.gdk.BUTTON_PRESS:
w.popup(None, None, None, 1, event.time)
elif event.type == gtk.gdk.KEY_PRESS and event.keyval in [65293, 32]:
self.menu_tools(None, TOOLS_MENU[0])
## Search for the location in the Entry box
def confirm_clicked(self, button):
location = self.entry.get_text()
if 0 == len(location):
error_msg(self, "Need location")
self.entry.grab_focus()
return
if location == ComboBoxEntry.DEFAULT_TEXT:
self.combo.clean_entry()
return
p = re.compile(
'(?:lat)?(?:itude)?[ ]*=?[ ]*(-?\d+\.?\d*)[ ]*,[ ]*(?:lon)?g?(?:itude)?[ ]*=?[ ]*(-?\d+\.?\d*).*',
re.IGNORECASE)
coords = p.search(location)
# nb needs 0.-- for coords 0 < |coord| < 1
try:
latitude = float(coords.group(1))
longitude = float(coords.group(2))
except:
longitude = 0
latitude = -100
if -180 <= longitude <= 180 and -90 <= latitude <= 90:
coord = (latitude, longitude, self.get_zoom())
zl = self.do_zoom(coord[2], coord[2], True)
self.drawing_area.center = mapUtils.coord_to_tile((coord[0], coord[1], zl))
else:
dThread = Timer(0, self.do_search)
dThread.start()
def do_search(self):
location = self.entry.get_text()
locations = self.ctx_map.get_locations()
keys = locations.keys()
found_locations = []
for l in location.split('|'):
found = False
for key in keys:
if key.lower() == l.lower():
found = key
break
if not found:
self.cb_offline.set_active(False)
location = self.ctx_map.search_location(l)
if location[:6] == "error=":
self.drawing_area.draw_message(location[6:])
self.entry.grab_focus()
return
found_locations.append(location)
else:
found_locations.append(key)
locations = self.ctx_map.get_locations()
if len(found_locations) > 1:
points = []
searchStr = ''
for l in found_locations:
coord = locations[unicode(l)]
points.append(mapUtils.TrackPoint(coord[0], coord[1]))
searchStr += '%s - ' % l
searchStr = searchStr.rstrip(' - ')
self.getCloudMadeRoute(None, points, searchStr)
else:
self.entry.set_text(unicode(found_locations[0]))
coord = locations[unicode(found_locations[0])]
zl = self.do_zoom(coord[2], coord[2], True)
self.drawing_area.center = mapUtils.coord_to_tile((coord[0], coord[1], zl))
## Handles the click in the offline check box
def offline_clicked(self, w):
self.drawing_area.repaint()
if not self.cb_offline.get_active():
self.do_check_for_updates()
## Start checking if there is an update
def do_check_for_updates(self):
if self.conf.check_for_updates and (self.update is None):
# 3 seconds delay before starting the check
self.update = CheckForUpdates(3, self.conf.version_url)
## Handles the change in the GPS combo box
def gps_changed(self, w):
if self.gps:
self.gps.set_mode(w.get_active())
self.drawing_area.repaint()
## Handles the change in the combo box Layer(Map, Sat.. )
def layer_changed(self, w):
index = w.get_active()
cmb_model = self.cmb_layer.get_model()
self.conf.map_service = MAP_SERVERS[cmb_model[index][1]]
self.layer = cmb_model[index][2]
self.ctx_map.tile_repository.set_repository_path(self.conf)
if self.visual_dlconfig.get('active', False) and not self.check_bulk_down():
self.visual_dlconfig['active'] = False
if self.gps and not self.gps_warning():
self.gps.stop_all()
self.gps = None
self.refresh()
## Combo box dispatches operation and returns to default position - Operations - 1st item
def on_operations_changed(self, w, index):
if index == 0:
self.download_clicked(w)
elif index == 1:
self.export_clicked(w)
elif index == 2:
self.track_control_clicked(w)
elif index == 3:
self.gps_window_clicked(w)
def download_clicked(self, w, pointer=None):
rect = self.drawing_area.get_allocation()
if pointer is None:
tile = self.drawing_area.center
else:
tile = mapUtils.pointer_to_tile(
rect, pointer, self.drawing_area.center, self.get_zoom()
)
coord = mapUtils.tile_to_coord(tile, self.get_zoom())
km_px = mapUtils.km_per_pixel(coord)
dlw = DLWindow(coord, km_px * rect.width, km_px * rect.height,
self.layer, self.conf, self.cb_forceupdate.get_active())
dlw.show()
def export_clicked(self, w, pointer=None):
rect = self.drawing_area.get_allocation()
if pointer is None:
tile = self.drawing_area.center
else:
tile = mapUtils.pointer_to_tile(
rect, pointer, self.drawing_area.center, self.get_zoom()
)
coord = mapUtils.tile_to_coord(tile, self.get_zoom())
km_px = mapUtils.km_per_pixel(coord)
exw = EXWindow(self.ctx_map, coord, km_px * rect.width, km_px * rect.height, self.layer, self.conf)
exw.show()
def center_coord(self):
return mapUtils.tile_to_coord(self.drawing_area.center, self.get_zoom())
def track_control_clicked(self, w=None, pointer=None):
if not self.trackw:
self.trackw = trackWindow(self)
self.trackw.show()
else:
self.trackw.update_widgets()
self.trackw.present()
def gps_window_clicked(self, w=None, pointer=None):
if not self.gpsw:
self.gpsw = gpsWindow(self)
self.gpsw.show()
else:
if self.gpsw.get_visible():
self.gpsw.hide()
else:
self.gpsw.show()
def visual_download(self):
if self.visual_dlconfig.get('active', False):
force_update = self.cb_forceupdate.get_active()
confzl = self.visual_dlconfig.get('zl', -2)
thezl = self.get_zoom()
sz = self.visual_dlconfig.get('sz', 4)
rect = self.drawing_area.get_allocation()
coord = mapUtils.tile_to_coord(self.drawing_area.center, thezl)
km_px = mapUtils.km_per_pixel(coord)
self.visual_dlconfig['downloader'].bulk_download(
coord, (thezl - 1, thezl + confzl),
km_px * rect.width / sz, km_px * rect.height / sz,
self.layer, gui_callback(self.visualdl_cb),
self.visualdl_update, force_update, self.conf)
self.visualdl_update()
def check_bulk_down(self):
if self.conf.map_service in NO_BULK_DOWN:
return legal_warning(self, self.conf.map_service, "bulk downloading")
return True
## Called when new coordinates are obtained from the GPS
def gps_callback(self):
if self.gps and self.gps.gpsfix:
if self.gps.gpsfix.mode != MODE_NO_FIX and self.gps.gpsfix.latitude and self.gps.gpsfix.longitude:
zl = self.get_zoom()
if zl <= self.conf.max_gps_zoom:
tile = mapUtils.coord_to_tile((self.gps.gpsfix.latitude, self.gps.gpsfix.longitude, zl))
self.gps_valid = True
# The map should be centered around a new GPS location
if not self.Ruler and (self.gps.mode == GPS_CENTER or self.reCenter_gps):
self.reCenter_gps = False
self.drawing_area.center = tile
# The map should be moved only to keep GPS location on the screen
elif self.gps.mode == GPS_ON_SCREEN and not self.Ruler:
rect = self.drawing_area.get_allocation()
xy = mapUtils.tile_coord_to_screen(
(tile[0][0], tile[0][1], zl), rect, self.drawing_area.center)
if xy:
for x, y in xy:
x = x + tile[1][0]
y = y + tile[1][1]
if not (0 < x < rect.width) or not (0 < y < rect.height):
self.drawing_area.center = tile
else:
if GPS_IMG_SIZE[0] > x:
self.drawing_area.da_jump(1, zl, True)
elif x > rect.width - GPS_IMG_SIZE[0]:
self.drawing_area.da_jump(3, zl, True)
elif GPS_IMG_SIZE[1] > y:
self.drawing_area.da_jump(2, zl, True)
elif y > rect.height - GPS_IMG_SIZE[1]:
self.drawing_area.da_jump(4, zl, True)
else:
self.drawing_area.center = tile
# GPS update timeout, recenter GPS only after 3 sec idle
elif self.gps.mode == GPS_TIMEOUT and not self.Ruler:
if (time.time() - self.gps_idle_time) > 3:
self.drawing_area.center = tile
self.drawing_area.repaint()
# Update the status bar with the GPS Coordinates
if self.conf.statusbar_type == STATUS_GPS and not self.Ruler:
self.status_bar.coordinates(self.gps.gpsfix.latitude, self.gps.gpsfix.longitude)
# Add to gps_points
if self.conf.gps_track:
distance = 0
if len(self.gps_track.points):
distance = mapUtils.countDistanceFromLatLon(
(self.gps_track.points[-1].latitude, self.gps_track.points[-1].longitude),
(self.gps.gpsfix.latitude, self.gps.gpsfix.longitude))
self.gps_track.distance += distance
if not len(self.gps_track.points) or distance > (float(self.conf.gps_track_interval) / 1000):
point = mapUtils.TrackPoint(latitude=self.gps.gpsfix.latitude,
longitude=self.gps.gpsfix.longitude)
if self.gps.gpsfix.altitude is not None:
point.altitude = self.gps.gpsfix.altitude
if self.gps.gpsfix.speed is not None:
point.speed = self.gps.gpsfix.speed
if self.gps.gpsfix.time is not None:
point.timestamp = mapGPS.makeGPSTime(self.gps.gpsfix.time, self.conf.gps_type)
self.gps_track.points.append(point)
else:
self.gps_invalid()
else:
self.gps_invalid()
def gps_invalid(self):
if self.gps_valid:
self.gps_valid = False
self.drawing_area.repaint()
if self.conf.statusbar_type == STATUS_GPS and not self.Ruler:
self.status_bar.text('INVALID DATA FROM GPS')
## Creates a comboBox that will contain the locations
def __create_combo_box(self):
combo = ComboBoxEntry(self.confirm_clicked, self.conf)
self.entry = combo.child
return combo
def operations_sub_menu(self):
importm = gtk.MenuItem("Operations")
imenu = gtk.Menu()
SUB_MENU = ["Download", "Export map tiles", "Track control", "GPS window"]
for i in range(len(SUB_MENU)):
menu_item = gtk.MenuItem(SUB_MENU[i])
menu_item.connect('activate', self.on_operations_changed, i)
imenu.append(menu_item)
importm.set_submenu(imenu)
importm.show_all()
return importm
## Creates the box that packs the comboBox & buttons
def __create_upper_box(self):
hbox = gtk.HBox(False, 5)
gtk.stock_add([(gtk.STOCK_PREFERENCES, "", 0, 0, "")])
button = gtk.Button(stock=gtk.STOCK_PREFERENCES)
button.set_size_request(34, -1)
menu = gtk_menu(TOOLS_MENU, self.menu_tools)
menu.prepend(self.operations_sub_menu())
self.visual_dltool = gtk.CheckMenuItem(TOOLS_MENU_PLUS_VISUAL_DL)
menu.append(self.visual_dltool)
self.visual_dltool.connect('toggled', self.visual_dltool_toggled)
self.visual_dltool.show()
temp = gtk.MenuItem()
menu.append(temp)
temp.show()
self.credits_menuitem = gtk.MenuItem(TOOLS_MENU_PLUS_CREDITS)
menu.append(self.credits_menuitem)
self.credits_menuitem.connect('activate', self.view_credits)
self.credits_menuitem.show()
button.connect_object("event", self.tools_button_event, menu)
button.props.has_tooltip = True
button.connect("query-tooltip", myToolTip, "Tools",
"Set of tools to customise GMapCatcher", "marker.png")
hbox.pack_start(button, False)
self.combo = self.__create_combo_box()
hbox.pack_start(self.combo)
bbox = gtk.HButtonBox()
button_go = gtk.Button(stock='gtk-ok')
button_go.connect('clicked', self.confirm_clicked)
bbox.add(button_go)
hbox.pack_start(bbox, False, True, 15)
return hbox
## Creates the box with the CheckButtons
def __create_check_buttons(self):
hbox = gtk.HBox(False, 10)
self.cb_offline = gtk.CheckButton("Offlin_e")
if self.conf.start_offline:
self.cb_offline.set_active(True)
self.cb_offline.connect('clicked', self.offline_clicked)
hbox.pack_start(self.cb_offline)
self.cb_forceupdate = gtk.CheckButton("_Force update")
self.cb_forceupdate.set_active(False)
hbox.pack_start(self.cb_forceupdate)
bbox = gtk.HBox(False, 0)
cmb_gps = gtk.combo_box_new_text()
for w in GPS_NAMES:
cmb_gps.append_text(w)
cmb_gps.set_active(self.conf.gps_mode)
cmb_gps.connect('changed', self.gps_changed)
bbox.pack_start(cmb_gps, False, False, 0)
self.cmb_gps = cmb_gps
self.update_cmb_gps()
self.cmb_layer_container = gtk.HBox()
self.cmb_layer = ComboBoxLayer(self.conf)
self.cmb_layer.connect('changed', self.layer_changed)
self.cmb_layer_container.pack_start(self.cmb_layer)
bbox.pack_start(self.cmb_layer_container, False, False, 0)
hbox.add(bbox)
return hbox
## Show or hide the gps combo depending on type
def update_cmb_gps(self):
if self.conf.gps_type > TYPE_OFF:
self.cmb_gps.show()
else:
self.cmb_gps.hide()
def scale_opacity_change_value(self, w, *args):
self.conf.opacity = round(w.get_value() / 10, 1)
self.drawing_area.repaint()
def __create_top_paned(self):
vbox = gtk.VBox(False, 5)
vbox.set_border_width(5)
vbox.pack_start(self.__create_upper_box())
vbox.pack_start(self.__create_check_buttons())
vbox.set_size_request(-1, 89)
return myFrame(" Query ", vbox, 0)
def __create_left_paned(self, conf):
vbox = gtk.VBox(False, 5)
scale = gtk.VScale()
scale.set_property("update-policy", gtk.UPDATE_DISCONTINUOUS)
scale.set_size_request(30, -1)
scale.set_increments(1, 1)
scale.set_digits(0)
scale.set_range(self.map_min_zoom, self.map_max_zoom)
scale.set_value(conf.init_zoom)
scale.connect("change-value", self.scale_change_value)
vbox.pack_start(scale)
self.scale = scale
if conf.opacity >= 0:
oSpin = SpinBtn(conf.opacity * 10, 0, 9, 1, 1)
oSpin.connect('value-changed', self.scale_opacity_change_value)
vbox.pack_start(oSpin, False, True)
return vbox
def __create_right_paned(self):
da = DrawingArea()
self.drawing_area = da
da.connect("expose-event", self.expose_cb)
da.add_events(gtk.gdk.SCROLL_MASK)
da.connect("scroll-event", self.scroll_cb)
da.add_events(gtk.gdk.BUTTON1_MOTION_MASK)
da.add_events(gtk.gdk.POINTER_MOTION_MASK)
da.connect('motion-notify-event', self.da_motion)
if self.conf.limited:
menu = gtk_menu(DA_MENU_LIM, self.menu_item_response)
else:
menu = gtk_menu(DA_MENU, self.menu_item_response)
da.connect_object("event", self.da_click_events, menu)
return self.drawing_area
def menu_tools(self, w, strName):
for intPos in range(len(TOOLS_MENU)):
if strName.startswith(TOOLS_MENU[intPos]):
return self.show_settings(intPos)
def show_settings(self, intPos):
if not self.settingsw:
self.settingsw = mapTools(self, intPos)
else:
self.settingsw.myNotebook.set_current_page(intPos)
self.settingsw.present()
return True
## All the actions for the menu items
def menu_item_response(self, w, strName):
zl = self.get_zoom()
if strName == DA_MENU[ZOOM_IN]:
self.do_zoom(zl - 1, zl, True, self.myPointer)
elif strName == DA_MENU[ZOOM_OUT]:
self.do_zoom(zl + 1, zl, True, self.myPointer)
elif strName == DA_MENU[CENTER_MAP]:
self.do_zoom(zl, zl, True, self.myPointer)
elif strName == DA_MENU[RESET]:
self.do_zoom(self.map_max_zoom, zl)
elif strName == DA_MENU[BATCH_DOWN]:
self.download_clicked(w, self.myPointer)
elif strName == DA_MENU[EXPORT_MAP]:
self.show_export(self.myPointer)
elif strName == DA_MENU[ADD_MARKER]:
self.add_marker(self.myPointer)
elif strName == DA_MENU[MOUSE_LOCATION]:
self.mouse_location(self.myPointer)
elif strName == DA_MENU[GPS_LOCATION]:
self.gps_location()
elif strName == DA_MENU[GPS_DIRECTIONS]:
if self.gps and self.gps.mode != GPS_DISABLED:
if self.gps.gpsfix and self.gps.gpsfix.latitude and self.gps.gpsfix.longitude:
coords = self.pointer_to_world_coord(self.myPointer)
points = [
mapUtils.TrackPoint(self.gps.gpsfix.latitude, self.gps.gpsfix.longitude),
mapUtils.TrackPoint(coords[0], coords[1])
]
self.getCloudMadeRoute(w, points)
else:
dialog = error_msg_non_blocking('No GPS fix', 'No GPS fix.')
dialog.connect('response', lambda dialog, response: dialog.destroy())
dialog.show()
else:
dialog = error_msg_non_blocking('GPS disabled', 'GPS disabled.')
dialog.connect('response', lambda dialog, response: dialog.destroy())
dialog.show()
## utility function screen location of pointer to world coord
def pointer_to_world_coord(self, pointer=None):
return mapUtils.pointer_to_coord(
self.drawing_area.get_allocation(),
pointer, self.drawing_area.center, self.get_zoom())
## add mouse location latitude/longitude to clipboard
def mouse_location(self, pointer=None):
coord = self.pointer_to_world_coord(pointer)
clipboard = gtk.Clipboard()
clipboard.set_text("Latitude=%.6f, Longitude=%.6f" % (coord[0], coord[1]))
## add GPS location latitude/longitude to clipboard
def gps_location(self):
clipboard = gtk.Clipboard()
if self.gps and self.gps.gpsfix:
clipboard.set_text("Latitude=%.6f, Longitude=%.6f" %
(self.gps.gpsfix.latitude, self.gps.gpsfix.longitude))
else:
clipboard.set_text("No GPS location detected.")
## Add a marker
def add_marker(self, pointer=None):
coord = self.pointer_to_world_coord(pointer)
self.marker.append_marker(coord)
self.refresh()
## Show the bottom panel with the export
def show_export(self, pointer=None):
size = self.get_size()
if size[0] < 700:
self.resize(700, size[1])
self.visual_dlconfig['active'] = False
self.visual_dltool.set_active(False)
self.top_panel.hide()
self.export_panel.show()
self.export_panel.export_pbar.off()
# Set the zoom level
zl = self.get_zoom()
if zl < (self.map_min_zoom + 2):
zl = self.map_min_zoom + 2
self.export_panel.expZoom.set_value(zl - 2)
self.do_zoom(zl, zl, True, pointer)
## Update the Map Export Widgets
def update_export(self, *args):
self.visual_dlconfig["show_rectangle"] = False
if self.export_panel.flags() & gtk.VISIBLE:
zl = self.get_zoom()
# Convert given size to a tile size factor
widthFact = int(self.export_panel.sbWidth.get_value() / TILES_WIDTH)
self.export_panel.sbWidth.set_value(widthFact * TILES_WIDTH)
heightFact = int(self.export_panel.sbHeight.get_value() / TILES_HEIGHT)
self.export_panel.sbHeight.set_value(heightFact * TILES_HEIGHT)
# Get Upper & Lower points
coord = mapUtils.tile_to_coord(self.drawing_area.center, zl)
tile = mapUtils.coord_to_tile(
(coord[0], coord[1], self.export_panel.expZoom.get_value_as_int())
)
self.tPoint['xLow'] = tile[0][0] - int(widthFact / 2)
self.tPoint['xHigh'] = tile[0][0] + (widthFact - int(widthFact / 2))
self.tPoint['yLow'] = tile[0][1] - int(heightFact / 2)
self.tPoint['yHigh'] = tile[0][1] + (heightFact - int(heightFact / 2))
lowCoord = mapUtils.tile_to_coord(
((self.tPoint['xLow'], self.tPoint['yLow']), (0, 0)),
self.export_panel.expZoom.get_value_as_int()
)
self.tPoint['lowCoord'] = lowCoord
self.export_panel.entryUpperLeft.set_text(str(lowCoord[0]) + ", " + str(lowCoord[1]))
self.tPoint['FileName'] = "coord=%.6f,%.6f_zoom=%d.png" % lowCoord
highCoord = mapUtils.tile_to_coord(
((self.tPoint['xHigh'], self.tPoint['yHigh']), (0, 0)),
self.export_panel.expZoom.get_value_as_int()
)
self.tPoint['highCoord'] = highCoord
self.export_panel.entryLowerRight.set_text(str(highCoord[0]) + ", " + str(highCoord[1]))
# Set the vars to draw rectangle
lowScreen = self.drawing_area.coord_to_screen(lowCoord[0], lowCoord[1], zl)
if lowScreen:
self.visual_dlconfig["x_rect"] = lowScreen[0]
self.visual_dlconfig["y_rect"] = lowScreen[1]
highScreen = self.drawing_area.coord_to_screen(highCoord[0], highCoord[1], zl)
if highScreen:
self.visual_dlconfig["show_rectangle"] = True
self.visual_dlconfig["width_rect"] = highScreen[0] - lowScreen[0]
self.visual_dlconfig["height_rect"] = highScreen[1] - lowScreen[1]
else:
self.do_zoom(zl + 1, zl, True)
else:
self.do_zoom(zl + 1, zl, True)
self.drawing_area.repaint()
def export_done(self, text):
if text[:6] == "error=":
rect = self.drawing_area.get_allocation()
self.drawing_area.draw_message(text[6:], 10, rect.height / 2, 'red')
time.sleep(2)
self.export_panel.export_pbar.off()
self.export_panel.export_box.show()
## Export tiles to one big map
def do_export(self, button):
self.export_panel.export_box.hide()
self.export_panel.export_pbar.on()
self.update_export()
self.ctx_map.do_export(
self.tPoint, self.export_panel.expZoom.get_value_as_int(), self.layer,
not self.cb_offline.get_active(), self.conf,
self.export_panel.image_size(),
self.export_panel.mode.get_active_text(),
gui_callback(self.export_done)
)
def add_ruler_segment(self, event):
self.from_coord = self.pointer_to_world_coord((event.x, event.y))
x = self.from_coord[0]
y = self.from_coord[1]
self.ruler_coord.append(mapUtils.TrackPoint(x, y))
l = len(self.ruler_coord)
if l > 1:
z = mapUtils.countDistanceFromLatLon(self.ruler_coord[l - 2].getLatLon(),
self.ruler_coord[l - 1].getLatLon())
unit = self.conf.units
if unit != UNIT_TYPE_KM:
z = mapUtils.convertUnits(UNIT_TYPE_KM, unit, z)
self.drawing_area.repaint()
self.total_dist = self.total_dist + z
self.status_bar.distance(z, DISTANCE_UNITS[unit], self.total_dist)
else:
self.status_bar.text("Click to second point to show ruler and distances")
def remove_last_ruler_segment(self):
l = len(self.ruler_coord)
if l > 0:
z = mapUtils.countDistanceFromLatLon(self.ruler_coord[l - 2].getLatLon(),
self.ruler_coord[l - 1].getLatLon())
unit = self.conf.units
if unit != UNIT_TYPE_KM:
z = mapUtils.convertUnits(UNIT_TYPE_KM, unit, z)
self.total_dist = self.total_dist - z
self.ruler_coord.pop()
self.drawing_area.repaint()
new_l = len(self.ruler_coord)
if new_l > 1:
self.status_bar.text("Total distance = %.3f km" % self.total_dist)
elif new_l == 1:
self.status_bar.text("Click to second point to show ruler and distances")
else:
self.ruler_coord = []
self.drawing_area.da_set_cursor()
self.status_bar.text("Ruler Mode switched off")
self.Ruler = not self.Ruler
def ruler_popup(self):
menu = gtk.Menu()
if len(self.ruler_coord) > 1:
item = gtk.MenuItem('Get CloudMade route from ruler points')
item.connect('activate', self.getCloudMadeRoute, self.ruler_coord)
else:
item = gtk.MenuItem('Need more points for route')
item.set_sensitive(False)
menu.append(item)
menu.show_all()
return menu
def getCloudMadeRoute(self, w, points, name=None):
if self.cb_offline.get_active():
if error_msg(self, "Offline mode, cannot get route!" +
" Would you like to get online?",
gtk.BUTTONS_YES_NO) != gtk.RESPONSE_YES:
return
self.cb_offline.set_active(False)
start = points[0]
end = points[-1]
transit_points = []
if len(points) > 2:
transit_points = points[1:-1]
cm = cmRoute(self.conf.cloudMade_API, start, end, transit_points, name=name)
track = cm.getWaypoints()
if track:
self.tracks.append(track)
self.shown_tracks.append(track)
else:
error_msg(self, 'Failed to fetch route.')
## Handles Right & Double clicks events in the drawing_area
def da_click_events(self, w, event):
## Single click event
# On button press, set the coordinates
if event.type == gtk.gdk.BUTTON_PRESS:
self.dragXY = (event.x, event.y)
elif event.type == gtk.gdk.BUTTON_RELEASE:
# Find nearest marker...
# Check if left-clicked, mouse status bar is on, is not in ruler mode and map not dragged
if event.button == 1 and self.conf.statusbar_type == STATUS_MOUSE and not self.Ruler \
and abs(event.x - self.dragXY[0]) < 5 and abs(event.y - self.dragXY[1]) < 5:
coord = self.pointer_to_world_coord((event.x, event.y))
markerDisp2_list = []
for markerName in self.marker.positions.keys():
# Calculate the angular displacement squared of the mouse coord to the marker coords
markerDisp2 = (self.marker.positions[markerName][0] - coord[0]) ** 2 + (
self.marker.positions[markerName][1] - coord[1]) ** 2
markerDisp2_list.append((markerDisp2, markerName))
if len(markerDisp2_list) > 0:
self.status_bar.text("Nearest marker: " + str(sorted(markerDisp2_list)[0][1]))
# Right-Click event shows the popUp menu
elif event.button == 3 and not (event.state & gtk.gdk.CONTROL_MASK):
if not self.Ruler:
self.myPointer = (event.x, event.y)
# Right-Click w/ shift opens the marker window
if event.state & gtk.gdk.SHIFT_MASK:
coords = self.pointer_to_world_coord(self.myPointer)
markerWindow(self, coords)
else:
w.popup(None, None, None, event.button, event.time)
else:
menu = self.ruler_popup()
menu.popup(None, None, None, event.button, event.time)
# If window hasn't been dragged, it's possible to add marker or ruler
# if the window has been dragged, just ignore it...
if abs(event.x - self.dragXY[0]) < 5 and abs(event.y - self.dragXY[1]) < 5:
# Ctrl + Click adds a marker
if event.state & gtk.gdk.CONTROL_MASK:
self.add_marker((event.x, event.y))
# Left-Click in Ruler Mode
elif event.button == 1 and self.Ruler:
self.add_ruler_segment(event)
# Double-Click event Zoom In or Out
elif event.type == gtk.gdk._2BUTTON_PRESS and not (event.state & gtk.gdk.CONTROL_MASK):
zl = self.get_zoom()
# Alt + 2Click Zoom Out
if event.state & gtk.gdk.MOD1_MASK:
self.do_zoom(zl + 1, zl, True, (event.x, event.y))
# 2Click Zoom In
else:
self.do_zoom(zl - 1, zl, True, (event.x, event.y))
## Handles the mouse motion over the drawing_area
def da_motion(self, w, event):
if event.state & gtk.gdk.BUTTON1_MASK:
self.gps_idle_time = time.time()
self.drawing_area.da_move(event.x, event.y, self.get_zoom())
if event.state & gtk.gdk.SHIFT_MASK:
self.visual_download()
self.update_export()
if self.conf.statusbar_type == STATUS_MOUSE and not self.Ruler:
coord = self.pointer_to_world_coord((event.x, event.y))
self.status_bar.coordinates(coord[0], coord[1])
def view_credits(self, menuitem):
w = OurCredits()
w.destroy()
def visual_dltool_toggled(self, menuitem):
if not self.visual_dlconfig.get('downloader', False):
self.visual_dlconfig['downloader'] = MapDownloader(self.ctx_map, self.conf.maxthreads)
if menuitem.get_active():
if self.check_bulk_down():
self.visual_dlconfig['active'] = True
self.draw_overlay()
else:
menuitem.set_active(False)
else:
self.visual_dlconfig['active'] = False
self.drawing_area.repaint()
def visualdl_cb(self, *args, **kwargs):
self.visualdl_update(1)
def visualdl_update(self, recd=0):
if self.visual_dlconfig.get('downloader', False):
temp = self.visual_dlconfig.get('recd', 0)
self.visual_dlconfig['qd'] = \
self.visual_dlconfig['downloader'].qsize() + temp + recd
self.visual_dlconfig['recd'] = temp + recd
if self.visual_dlconfig.get('recd', 0) >= \
self.visual_dlconfig.get('qd', 0):
self.visual_dlconfig['qd'], self.visual_dlconfig['recd'] = 0, 0
self.drawing_area.repaint()
def expose_cb(self, drawing_area, event):
online = not self.cb_offline.get_active() and not self.hide_dlfeedback
self.hide_dlfeedback = False
force_update = self.cb_forceupdate.get_active()
rect = drawing_area.get_allocation()
zl = self.get_zoom()
self.drawing_area.cr = drawing_area.window.cairo_create()
self.downloader.query_region_around_point(
self.drawing_area.center, (rect.width, rect.height), zl, self.layer,
gui_callback(self.tile_received),
online=online, force_update=force_update,
conf=self.conf, hybrid_background=self.ctx_map.get_hybrid_background(self.layer, self.conf.map_service)
)
self.downloading = self.downloader.qsize()
self.draw_overlay()
def scroll_cb(self, widget, event):
dlbool = self.visual_dlconfig.get("active", False)
intVal = 1 if (event.direction != gtk.gdk.SCROLL_UP) else -1
sz, zl = 0, 0
if dlbool and (event.state & gtk.gdk.CONTROL_MASK):
zl = intVal
elif dlbool and (event.state & gtk.gdk.SHIFT_MASK):
sz = intVal
else:
xyPointer = self.drawing_area.get_pointer()
zl = self.get_zoom()
self.do_zoom(zl + intVal, zl, dPointer=xyPointer)
self.visual_dlconfig["zl"] = self.visual_dlconfig.get('zl', -2) + zl
self.visual_dlconfig['sz'] = self.visual_dlconfig.get('sz', 4) - sz
if self.visual_dlconfig.get('zl', -2) > -1:
self.visual_dlconfig["zl"] = -1
if self.visual_dlconfig.get('sz', 4) < 1:
self.visual_dlconfig['sz'] = 1
if self.visual_dlconfig.get('zl', -2) + self.get_zoom() < -2:
self.visual_dlconfig['zl'] = -2 - self.get_zoom()
if sz != 0 or zl != 0:
self.drawing_area.repaint()
def tile_received(self, tile_coord, layer, download=False):
if download:
self.downloading = self.downloader.qsize()
if self.downloading <= 0:
self.hide_dlfeedback = True
self.drawing_area.repaint()
hybridbackground_layer = self.ctx_map.get_hybrid_background(self.layer, self.conf.map_service)
hybridbackground = (self.layer >= LAYER_HYB and layer == hybridbackground_layer)
if (self.layer == layer or hybridbackground) and self.get_zoom() == tile_coord[2]:
da = self.drawing_area
rect = da.get_allocation()
xy = mapUtils.tile_coord_to_screen(tile_coord, rect, self.drawing_area.center)
if xy:
# here we keep a list of all foreground tiles that turn up
# when there is no corresponding background tile yet
if layer == LAYER_HYB or layer == LAYER_CHA:
if tile_coord not in self.background:
self.foreground.append(tile_coord)
else:
# keep the lists as bare as possible
self.background.remove(tile_coord)
# keep the background tile list up to date - add background
# tile to list unless we're all set to add foreground overlay
if hybridbackground and tile_coord not in self.foreground:
self.background.append(tile_coord)
gc = da.style.black_gc
force_update = self.cb_forceupdate.get_active()
img = self.ctx_map.load_pixbuf(tile_coord, layer, force_update)
if hybridbackground:
img2 = self.ctx_map.load_pixbuf(tile_coord, hybridbackground_layer,
force_update)
for x, y in xy:
da.window.draw_pixbuf(gc, img, 0, 0, x, y,
TILES_WIDTH, TILES_HEIGHT)
# here we [re-]add foreground overlay providing
# it is already in memory
if hybridbackground and tile_coord in self.foreground:
self.foreground.remove(tile_coord)
da.window.draw_pixbuf(gc, img2, 0, 0, x, y,
TILES_WIDTH, TILES_HEIGHT)
def draw_overlay(self):
rect = self.drawing_area.get_allocation()
center = (rect.width / 2, rect.height / 2)
if self.export_panel.flags() & gtk.VISIBLE:
self.drawing_area.draw_overlay(
self.get_zoom(), self.conf, self.crossPixbuf, self.dlpixbuf,
self.downloading > 0, self.visual_dlconfig
)
else:
self.drawing_area.draw_overlay(
self.get_zoom(), self.conf, self.crossPixbuf, self.dlpixbuf,
self.downloading > 0, self.visual_dlconfig, self.marker,
self.ctx_map.get_locations(), self.entry.get_text(),
self.showMarkers, self.gps,
self.ruler_coord,
self.shown_tracks, self.draw_track_distance,
self.pointer_to_world_coord(center)
)
## Handles the pressing of F11 & F12
def full_screen(self, keyval):
# F11 = 65480
if keyval == 65480:
if self.get_decorated():
self.set_keep_above(True)
self.set_decorated(False)
self.fullscreen()
else:
self.unfullscreen()
self.set_decorated(True)
self.set_keep_above(False)
elif not self.conf.limited:
# F12 = 65481
if keyval == 65481:
self.export_panel.hide()
self.export_panel.export_pbar.off()
if self.get_border_width() > 0:
self.left_panel.hide()
self.top_panel.hide()
self.set_border_width(0)
else:
self.left_panel.show()
self.top_panel.show()
self.set_border_width(10)
self.update_export()
# ESC = 65307
elif keyval == 65307:
self.unfullscreen()
self.export_panel.hide()
self.export_panel.export_pbar.off()
self.left_panel.show()
self.top_panel.show()
self.set_border_width(10)
self.set_keep_above(False)
self.set_decorated(True)
self.update_export()
## Handles the keyboard navigation
def navigation(self, keyval, zoom):
# Left = 65361 Up = 65362
# Right = 65363 Down = 65364
if keyval in range(65361, 65365):
self.drawing_area.da_jump(keyval - 65360, zoom)
self.gps_idle_time = time.time()
# Page Up = 65365 Page Down = 65366
# Home = 65360 End = 65367
elif keyval == 65365:
self.drawing_area.da_jump(2, zoom, True)
elif keyval == 65366:
self.drawing_area.da_jump(4, zoom, True)
elif keyval == 65360:
self.drawing_area.da_jump(1, zoom, True)
elif keyval == 65367:
self.drawing_area.da_jump(3, zoom, True)
# Minus = [45,65453] Zoom Out
# Plus = [43,65451] Zoom In
elif keyval in [45, 65453]: