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 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745 1746 1747 1748 1749 1750 1751 1752 1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771 1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784 1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797
|
"""
@package module.colorrules
@brief Dialog for interactive management of raster/vector color tables
and color rules.
Classes:
- colorrules::RulesPanel
- colorrules::ColorTable
- colorrules::RasterColorTable
- colorrules::VectorColorTable
- colorrules::BufferedWindow
(C) 2008, 2010-2011 by the GRASS Development Team
This program is free software under the GNU General Public License
(>=v2). Read the file COPYING that comes with GRASS for details.
@author Michael Barton (Arizona State University)
@author Martin Landa <landa.martin gmail.com> (various updates)
@author Anna Kratochvilova <kratochanna gmail.com> (split to base and derived classes)
"""
import os
import shutil
import copy
import tempfile
import wx
import wx.lib.colourselect as csel
import wx.lib.scrolledpanel as scrolled
import wx.lib.filebrowsebutton as filebrowse
import grass.script as grass
from core import globalvar
from core import utils
from core.gcmd import GMessage, RunCommand, GError
from gui_core.gselect import Select, LayerSelect, ColumnSelect, VectorDBInfo
from core.render import Map
from gui_core.forms import GUI
from core.debug import Debug as Debug
from core.settings import UserSettings
class RulesPanel:
def __init__(self, parent, mapType, attributeType, properties, panelWidth = 180):
"""!Create rules panel
@param mapType raster/vector
@param attributeType color/size for choosing widget type
@param properties properties of classes derived from ColorTable
@param panelWidth width of scroll panel"""
self.ruleslines = {}
self.mapType = mapType
self.attributeType = attributeType
self.properties = properties
self.parent = parent
self.panelWidth = panelWidth
self.mainSizer = wx.FlexGridSizer(cols = 3, vgap = 6, hgap = 4)
# put small border at the top of panel
for i in range(3):
self.mainSizer.Add(item = wx.Size(3, 3))
self.mainPanel = scrolled.ScrolledPanel(parent, id = wx.ID_ANY,
size = (self.panelWidth, 300),
style = wx.TAB_TRAVERSAL | wx.SUNKEN_BORDER)
# (un)check all
self.checkAll = wx.CheckBox(parent, id = wx.ID_ANY, label = _("Check all"))
self.checkAll.SetValue(True)
# clear button
self.clearAll = wx.Button(parent, id = wx.ID_ANY, label = _("Clear all"))
# determines how many rules should be added
self.numRules = wx.SpinCtrl(parent, id = wx.ID_ANY,
min = 1, max = 1e6, initial = 1)
# add rules
self.btnAdd = wx.Button(parent, id = wx.ID_ADD)
self.btnAdd.Bind(wx.EVT_BUTTON, self.OnAddRules)
self.checkAll.Bind(wx.EVT_CHECKBOX, self.OnCheckAll)
self.clearAll.Bind(wx.EVT_BUTTON, self.OnClearAll)
self.mainPanel.SetSizer(self.mainSizer)
self.mainPanel.SetAutoLayout(True)
self.mainPanel.SetupScrolling()
def Clear(self):
"""!Clear and widgets and delete information"""
self.ruleslines.clear()
self.mainSizer.Clear(deleteWindows=True)
def OnCheckAll(self, event):
"""!(Un)check all rules"""
check = event.GetInt()
for child in self.mainPanel.GetChildren():
if child.GetName() == 'enable':
child.SetValue(check)
else:
child.Enable(check)
def OnClearAll(self, event):
"""!Delete all widgets in panel"""
self.Clear()
def OnAddRules(self, event):
"""!Add rules button pressed"""
nrules = self.numRules.GetValue()
self.AddRules(nrules)
def AddRules(self, nrules, start = False):
"""!Add rules
@param start set widgets (not append)"""
snum = len(self.ruleslines.keys())
if start:
snum = 0
for num in range(snum, snum + nrules):
# enable
enable = wx.CheckBox(parent = self.mainPanel, id = num)
enable.SetValue(True)
enable.SetName('enable')
enable.Bind(wx.EVT_CHECKBOX, self.OnRuleEnable)
# value
txt_ctrl = wx.TextCtrl(parent = self.mainPanel, id = 1000 + num,
size = (80, -1),
style = wx.TE_NOHIDESEL)
if self.mapType == 'vector':
txt_ctrl.SetToolTipString(_("Enter vector attribute values"))
txt_ctrl.Bind(wx.EVT_TEXT, self.OnRuleValue)
txt_ctrl.SetName('source')
if self.attributeType == 'color':
# color
columnCtrl = csel.ColourSelect(self.mainPanel, id = 2000 + num,
size = globalvar.DIALOG_COLOR_SIZE)
columnCtrl.Bind(csel.EVT_COLOURSELECT, self.OnRuleColor)
columnCtrl.SetName('target')
if not start:
self.ruleslines[enable.GetId()] = { 'value' : '',
'color': "0:0:0" }
else:
# size or width
init = 2
if self.attributeType == 'size':
init = 100
columnCtrl = wx.SpinCtrl(self.mainPanel, id = 2000 + num,
size = (50, -1), min = 1, max = 1e4,
initial = init)
columnCtrl.Bind(wx.EVT_SPINCTRL, self.OnRuleSize)
columnCtrl.Bind(wx.EVT_TEXT, self.OnRuleSize)
columnCtrl.SetName('target')
if not start:
self.ruleslines[enable.GetId()] = { 'value' : '',
self.attributeType: init }
self.mainSizer.Add(item = enable, proportion = 0,
flag = wx.ALIGN_CENTER_VERTICAL)
self.mainSizer.Add(item = txt_ctrl, proportion = 0,
flag = wx.ALIGN_CENTER | wx.RIGHT, border = 5)
self.mainSizer.Add(item = columnCtrl, proportion = 0,
flag = wx.ALIGN_CENTER | wx.RIGHT, border = 10)
self.mainPanel.Layout()
self.mainPanel.SetupScrolling(scroll_x = False)
def OnRuleEnable(self, event):
"""!Rule enabled/disabled"""
id = event.GetId()
if event.IsChecked():
self.mainPanel.FindWindowById(id + 1000).Enable()
self.mainPanel.FindWindowById(id + 2000).Enable()
if self.mapType == 'vector' and not self.parent.GetParent().colorTable:
vals = []
vals.append(self.mainPanel.FindWindowById(id + 1000).GetValue())
try:
vals.append(self.mainPanel.FindWindowById(id + 1 + 1000).GetValue())
except AttributeError:
vals.append(None)
value = self.SQLConvert(vals)
else:
value = self.mainPanel.FindWindowById(id + 1000).GetValue()
color = self.mainPanel.FindWindowById(id + 2000).GetValue()
if self.attributeType == 'color':
# color
color_str = str(color[0]) + ':' \
+ str(color[1]) + ':' \
+ str(color[2])
self.ruleslines[id] = {'value' : value,
'color' : color_str }
else:
# size or width
self.ruleslines[id] = {'value' : value,
self.attributeType : float(color) }
else:
self.mainPanel.FindWindowById(id + 1000).Disable()
self.mainPanel.FindWindowById(id + 2000).Disable()
del self.ruleslines[id]
def OnRuleColor(self, event):
"""!Rule color changed"""
num = event.GetId()
rgba_color = event.GetValue()
rgb_string = str(rgba_color[0]) + ':' \
+ str(rgba_color[1]) + ':' \
+ str(rgba_color[2])
self.ruleslines[num-2000]['color'] = rgb_string
def OnRuleSize(self, event):
"""!Rule size changed"""
num = event.GetId()
size = event.GetInt()
self.ruleslines[num - 2000][self.attributeType] = size
def OnRuleValue(self, event):
"""!Rule value changed"""
num = event.GetId()
val = event.GetString().strip()
if val == '':
return
try:
table = self.parent.colorTable
except AttributeError:
# due to panel/scrollpanel in vector dialog
if isinstance(self.parent.GetParent(), RasterColorTable):
table = self.parent.GetParent().colorTable
else:
table = self.parent.GetParent().GetParent().colorTable
if table:
self.SetRasterRule(num, val)
else:
self.SetVectorRule(num, val)
def SetRasterRule(self, num, val):
"""!Set raster rule"""
self.ruleslines[num - 1000]['value'] = val
def SetVectorRule(self, num, val):
"""!Set vector rule"""
vals = []
vals.append(val)
try:
vals.append(self.mainPanel.FindWindowById(num + 1).GetValue())
except AttributeError:
vals.append(None)
self.ruleslines[num - 1000]['value'] = self.SQLConvert(vals)
def Enable(self, enable = True):
"""!Enable/Disable all widgets"""
for child in self.mainPanel.GetChildren():
child.Enable(enable)
sql = True
self.LoadRulesline(sql)# todo
self.btnAdd.Enable(enable)
self.numRules.Enable(enable)
self.checkAll.Enable(enable)
self.clearAll.Enable(enable)
def LoadRules(self):
message = ""
for item in range(len(self.ruleslines)):
try:
self.mainPanel.FindWindowById(item + 1000).SetValue(self.ruleslines[item]['value'])
r, g, b = (0, 0, 0) # default
if not self.ruleslines[item][self.attributeType]:
if self.attributeType == 'color':
self.ruleslines[item][self.attributeType] = '%d:%d:%d' % (r, g, b)
elif self.attributeType == 'size':
self.ruleslines[item][self.attributeType] = 100
elif self.attributeType == 'width':
self.ruleslines[item][self.attributeType] = 2
if self.attributeType == 'color':
try:
r, g, b = map(int, self.ruleslines[item][self.attributeType].split(':'))
except ValueError, e:
message = _("Bad color format. Use color format '0:0:0'")
self.mainPanel.FindWindowById(item + 2000).SetValue((r, g, b))
else:
value = float(self.ruleslines[item][self.attributeType])
self.mainPanel.FindWindowById(item + 2000).SetValue(value)
except:
continue
if message:
GMessage(parent = self.parent, message = message)
return False
return True
def SQLConvert(self, vals):
"""!Prepare value for SQL query"""
if vals[0].isdigit():
sqlrule = '%s=%s' % (self.properties['sourceColumn'], vals[0])
if vals[1]:
sqlrule += ' AND %s<%s' % (self.properties['sourceColumn'], vals[1])
else:
sqlrule = '%s=%s' % (self.properties['sourceColumn'], vals[0])
return sqlrule
class ColorTable(wx.Frame):
def __init__(self, parent, title, id = wx.ID_ANY,
style = wx.DEFAULT_FRAME_STYLE | wx.RESIZE_BORDER,
**kwargs):
"""!Dialog for interactively entering rules for map management
commands
"""
self.parent = parent # GMFrame
wx.Frame.__init__(self, parent, id, title, style = style, **kwargs)
self.SetIcon(wx.Icon(os.path.join(globalvar.ETCICONDIR, 'grass.ico'), wx.BITMAP_TYPE_ICO))
self.panel = wx.Panel(parent = self, id = wx.ID_ANY)
# instance of render.Map to be associated with display
self.Map = Map()
# input map to change
self.inmap = ''
# reference to layer with preview
self.layer = None
# layout
self._doLayout()
# bindings
self.Bind(wx.EVT_BUTTON, self.OnHelp, self.btnHelp)
self.selectionInput.Bind(wx.EVT_TEXT, self.OnSelectionInput)
self.Bind(wx.EVT_BUTTON, self.OnCancel, self.btnCancel)
self.Bind(wx.EVT_BUTTON, self.OnApply, self.btnApply)
self.Bind(wx.EVT_BUTTON, self.OnOK, self.btnOK)
self.Bind(wx.EVT_CLOSE, self.OnCloseWindow)
self.Bind(wx.EVT_BUTTON, self.OnPreview, self.btnPreview)
def _initLayer(self):
"""!Set initial layer when opening dialog"""
# set map layer from layer tree, first selected,
# if not the right type, than select another
try:
sel = self.parent.curr_page.maptree.layer_selected
if sel and self.parent.curr_page.maptree.GetPyData(sel)[0]['type'] == self.mapType:
layer = sel
else:
layer = self.parent.curr_page.maptree.FindItemByData(key = 'type', value = self.mapType)
except:
layer = None
if layer:
mapLayer = self.parent.curr_page.maptree.GetPyData(layer)[0]['maplayer']
name = mapLayer.GetName()
type = mapLayer.GetType()
self.selectionInput.SetValue(name)
self.inmap = name
def _createMapSelection(self, parent):
"""!Create map selection part of dialog"""
# top controls
if self.mapType == 'raster':
maplabel = _('Select raster map:')
else:
maplabel = _('Select vector map:')
inputBox = wx.StaticBox(parent, id = wx.ID_ANY,
label = " %s " % maplabel)
inputSizer = wx.StaticBoxSizer(inputBox, wx.VERTICAL)
self.selectionInput = Select(parent = parent, id = wx.ID_ANY,
size = globalvar.DIALOG_GSELECT_SIZE,
type = self.mapType)
# layout
inputSizer.Add(item = self.selectionInput,
flag = wx.ALIGN_CENTER_VERTICAL | wx.ALL | wx.EXPAND, border = 5)
return inputSizer
def _createFileSelection(self, parent):
"""!Create file (open/save rules) selection part of dialog"""
inputBox = wx.StaticBox(parent, id = wx.ID_ANY,
label = " %s " % _("Import or export color table:"))
inputSizer = wx.StaticBoxSizer(inputBox, wx.VERTICAL)
self.loadRules = filebrowse.FileBrowseButton(parent = parent, id = wx.ID_ANY, fileMask = '*',
size = globalvar.DIALOG_GSELECT_SIZE,
labelText = _('Load color table from file:'),
dialogTitle = _('Choose file to load color table'),
buttonText = _('Load'),
toolTip = _("Type filename or click to choose "
"file and load color table"),
startDirectory = os.getcwd(), fileMode = wx.FD_OPEN,
changeCallback = self.OnLoadRulesFile)
self.saveRules = filebrowse.FileBrowseButton(parent = parent, id = wx.ID_ANY, fileMask = '*',
size = globalvar.DIALOG_GSELECT_SIZE,
labelText = _('Save color table to file:'),
dialogTitle = _('Choose file to save color table'),
toolTip = _("Type filename or click to choose "
"file and save color table"),
buttonText = _('Save'),
startDirectory = os.getcwd(), fileMode = wx.FD_SAVE,
changeCallback = self.OnSaveRulesFile)
default = wx.Button(parent = parent, id = wx.ID_ANY, label = _("Reload default table"))
# layout
sizer = wx.BoxSizer(wx.HORIZONTAL)
sizer.Add(item = self.loadRules, proportion = 1,
flag = wx.RIGHT | wx.EXPAND, border = 10)
sizer.Add(item = default, flag = wx.ALIGN_CENTER_VERTICAL)
inputSizer.Add(item = sizer,
flag = wx.TOP | wx.LEFT | wx.RIGHT | wx.EXPAND, border = 5)
sizer = wx.BoxSizer(wx.HORIZONTAL)
sizer.Add(item = self.saveRules, proportion = 1,
flag = wx.ALIGN_CENTER_VERTICAL | wx.EXPAND)
inputSizer.Add(item = sizer, proportion = 1,
flag = wx.ALL | wx.EXPAND, border = 5)
default.Bind(wx.EVT_BUTTON, self.OnLoadDefaultTable)
if self.mapType == 'vector':
# parent is collapsible pane
parent.SetSizer(inputSizer)
return inputSizer
def _createPreview(self, parent):
"""!Create preview"""
# initialize preview display
self.InitDisplay()
self.preview = BufferedWindow(parent, id = wx.ID_ANY, size = (400, 300),
Map = self.Map)
self.preview.EraseMap()
def _createButtons(self, parent):
"""!Create buttons for leaving dialog"""
self.btnHelp = wx.Button(parent, id = wx.ID_HELP)
self.btnCancel = wx.Button(parent, id = wx.ID_CANCEL)
self.btnApply = wx.Button(parent, id = wx.ID_APPLY)
self.btnOK = wx.Button(parent, id = wx.ID_OK)
self.btnOK.SetDefault()
self.btnOK.Enable(False)
self.btnApply.Enable(False)
# layout
btnSizer = wx.BoxSizer(wx.HORIZONTAL)
btnSizer.Add(wx.Size(-1, -1), proportion = 1)
btnSizer.Add(self.btnHelp,
flag = wx.LEFT | wx.RIGHT, border = 5)
btnSizer.Add(self.btnCancel,
flag = wx.LEFT | wx.RIGHT, border = 5)
btnSizer.Add(self.btnApply,
flag = wx.LEFT | wx.RIGHT, border = 5)
btnSizer.Add(self.btnOK,
flag = wx.LEFT | wx.RIGHT, border = 5)
return btnSizer
def _createBody(self, parent):
"""!Create dialog body consisting of rules and preview"""
bodySizer = wx.GridBagSizer(hgap = 5, vgap = 5)
bodySizer.AddGrowableRow(1)
bodySizer.AddGrowableCol(2)
row = 0
# label with range
self.cr_label = wx.StaticText(parent, id = wx.ID_ANY)
bodySizer.Add(item = self.cr_label, pos = (row, 0), span = (1, 3),
flag = wx.ALL, border = 5)
row += 1
# color table
self.rulesPanel = RulesPanel(parent = parent, mapType = self.mapType,
attributeType = self.attributeType, properties = self.properties)
bodySizer.Add(item = self.rulesPanel.mainPanel, pos = (row, 0),
span = (1, 2), flag = wx.EXPAND)
# add two rules as default
self.rulesPanel.AddRules(2)
# preview window
self._createPreview(parent = parent)
bodySizer.Add(item = self.preview, pos = (row, 2),
flag = wx.ALIGN_CENTER_VERTICAL | wx.ALIGN_CENTER)
row += 1
# add ckeck all and clear all
bodySizer.Add(item = self.rulesPanel.checkAll, flag = wx.ALIGN_CENTER_VERTICAL,
pos = (row, 0))
bodySizer.Add(item = self.rulesPanel.clearAll, pos = (row, 1))
# preview button
self.btnPreview = wx.Button(parent, id = wx.ID_ANY,
label = _("Preview"))
bodySizer.Add(item = self.btnPreview, pos = (row, 2),
flag = wx.ALIGN_RIGHT)
self.btnPreview.Enable(False)
self.btnPreview.SetToolTipString(_("Show preview of map "
"(current Map Display extent is used)."))
row +=1
# add rules button and spin to sizer
bodySizer.Add(item = self.rulesPanel.numRules, pos = (row, 0),
flag = wx.ALIGN_CENTER_VERTICAL)
bodySizer.Add(item = self.rulesPanel.btnAdd, pos = (row, 1))
return bodySizer
def InitDisplay(self):
"""!Initialize preview display, set dimensions and region
"""
self.width = self.Map.width = 400
self.height = self.Map.height = 300
self.Map.geom = self.width, self.height
def OnCloseWindow(self, event):
"""!Window closed
"""
self.OnCancel(event)
def OnApply(self, event):
"""!Apply selected color table
@return True on success otherwise False
"""
ret = self.CreateColorTable()
if not ret:
GMessage(parent = self, message = _("No valid color rules given."))
else:
# re-render preview and current map window
self.OnPreview(None)
display = self.parent.GetLayerTree().GetMapDisplay()
if display and display.IsAutoRendered():
display.GetWindow().UpdateMap(render = True)
return ret
def OnOK(self, event):
"""!Apply selected color table and close the dialog"""
if self.OnApply(event):
self.OnCancel(event)
def OnCancel(self, event):
"""!Do not apply any changes, remove associated
rendered images and close the dialog"""
self.Map.Clean()
self.Destroy()
def OnSaveRulesFile(self, event):
"""!Save color table to file"""
path = event.GetString()
if not os.path.exists(path):
return
rulestxt = ''
for rule in self.rulesPanel.ruleslines.itervalues():
if 'value' not in rule:
continue
rulestxt += rule['value'] + ' ' + rule['color'] + '\n'
if not rulestxt:
GMessage(message = _("Nothing to save."),
parent = self)
return
fd = open(path, 'w')
fd.write(rulestxt)
fd.close()
def OnLoadRulesFile(self, event):
"""!Load color table from file"""
path = event.GetString()
if not os.path.exists(path):
return
self.rulesPanel.Clear()
file = open(path, 'r')
ctable = file.read()
self.ReadColorTable(ctable = ctable)
def ReadColorTable(self, ctable):
"""!Read color table
@param table color table in format coming from r.colors.out"""
rulesNumber = len(ctable.splitlines())
self.rulesPanel.AddRules(rulesNumber)
minim = maxim = count = 0
for line in ctable.splitlines():
try:
value, color = map(lambda x: x.strip(), line.split(' '))
except ValueError:
GMessage(parent = self, message = _("Invalid color table format"))
self.rulesPanel.Clear()
return
self.rulesPanel.ruleslines[count]['value'] = value
self.rulesPanel.ruleslines[count]['color'] = color
self.rulesPanel.mainPanel.FindWindowById(count + 1000).SetValue(value)
rgb = list()
for c in color.split(':'):
rgb.append(int(c))
self.rulesPanel.mainPanel.FindWindowById(count + 2000).SetColour(rgb)
# range
try:
if float(value) < minim:
minim = float(value)
if float(value) > maxim:
maxim = float(value)
except ValueError: # nv, default
pass
count += 1
if self.mapType == 'vector':
# raster min, max is known from r.info
self.properties['min'], self.properties['max'] = minim, maxim
self.SetRangeLabel()
self.OnPreview(tmp = True)
def OnLoadDefaultTable(self, event):
"""!Load internal color table"""
self.LoadTable()
def LoadTable(self, mapType = 'raster'):
"""!Load current color table (using `r(v).colors.out`)
@param mapType map type (raster or vector)"""
self.rulesPanel.Clear()
if mapType == 'raster':
cmd = ['r.colors.out',
'read=True',
'map=%s' % self.inmap,
'rules=-']
else:
cmd = ['v.colors.out',
'read=True',
'map=%s' % self.inmap,
'rules=-']
if self.properties['sourceColumn'] and self.properties['sourceColumn'] != 'cat':
cmd.append('column=%s' % self.properties['sourceColumn'])
cmd = utils.CmdToTuple(cmd)
if self.inmap:
ctable = RunCommand(cmd[0], **cmd[1])
else:
self.OnPreview()
return
self.ReadColorTable(ctable = ctable)
def CreateColorTable(self, tmp = False):
"""!Creates color table
@return True on success
@return False on failure
"""
rulestxt = ''
for rule in self.rulesPanel.ruleslines.itervalues():
if 'value' not in rule: # skip empty rules
continue
if rule['value'] not in ('nv', 'default') and \
rule['value'][-1] != '%' and \
not self._IsNumber(rule['value']):
GError(_("Invalid rule value '%s'. Unable to apply color table.") % rule['value'],
parent = self)
return False
rulestxt += rule['value'] + ' ' + rule['color'] + '\n'
if not rulestxt:
return False
gtemp = utils.GetTempfile()
output = open(gtemp, "w")
try:
output.write(rulestxt)
finally:
output.close()
cmd = ['%s.colors' % self.mapType[0], #r.colors/v.colors
'map=%s' % self.inmap,
'rules=%s' % gtemp]
if self.mapType == 'vector' and self.properties['sourceColumn'] \
and self.properties['sourceColumn'] != 'cat':
cmd.append('column=%s' % self.properties['sourceColumn'])
cmd = utils.CmdToTuple(cmd)
ret = RunCommand(cmd[0], **cmd[1])
if ret != 0:
return False
return True
def DoPreview(self, ltype, cmdlist):
"""!Update preview (based on computational region)"""
if not self.layer:
self.layer = self.Map.AddLayer(type = ltype, name = 'preview', command = cmdlist,
l_active = True, l_hidden = False, l_opacity = 1.0,
l_render = False)
else:
self.layer.SetCmd(cmdlist)
# apply new color table and display preview
self.CreateColorTable(tmp = True)
self.preview.UpdatePreview()
def RunHelp(self, cmd):
"""!Show GRASS manual page"""
RunCommand('g.manual',
quiet = True,
parent = self,
entry = cmd)
def _IsNumber(self, s):
"""!Check if 's' is a number"""
try:
float(s)
return True
except ValueError:
return False
class RasterColorTable(ColorTable):
def __init__(self, parent, **kwargs):
"""!Dialog for interactively entering color rules for raster maps"""
self.mapType = 'raster'
self.attributeType = 'color'
self.colorTable = True
# raster properties
self.properties = {
# min cat in raster map
'min' : None,
# max cat in raster map
'max' : None,
}
ColorTable.__init__(self, parent,
title = _('Create new color table for raster map'), **kwargs)
self._initLayer()
# self.SetMinSize(self.GetSize())
self.SetMinSize((650, 700))
self.CentreOnScreen()
self.Show()
def _doLayout(self):
"""!Do main layout"""
sizer = wx.BoxSizer(wx.VERTICAL)
#
# map selection
#
mapSelection = self._createMapSelection(parent = self.panel)
sizer.Add(item = mapSelection, proportion = 0,
flag = wx.ALL | wx.EXPAND, border = 5)
#
# manage extern tables
#
fileSelection = self._createFileSelection(parent = self.panel)
sizer.Add(item = fileSelection, proportion = 0,
flag = wx.ALL | wx.EXPAND, border = 5)
#
# body & preview
#
bodySizer = self._createBody(parent = self.panel)
sizer.Add(item = bodySizer, proportion = 1,
flag = wx.ALL | wx.EXPAND, border = 5)
#
# buttons
#
btnSizer = self._createButtons(parent = self.panel)
sizer.Add(item = wx.StaticLine(parent = self.panel, id = wx.ID_ANY,
style = wx.LI_HORIZONTAL), proportion = 0,
flag = wx.EXPAND | wx.ALL, border = 5)
sizer.Add(item = btnSizer, proportion = 0,
flag = wx.ALL | wx.ALIGN_RIGHT, border = 5)
self.panel.SetSizer(sizer)
sizer.Layout()
sizer.Fit(self.panel)
self.Layout()
def OnSelectionInput(self, event):
"""!Raster map selected"""
if event:
self.inmap = event.GetString()
self.loadRules.SetValue('')
self.saveRules.SetValue('')
if self.inmap:
if not grass.find_file(name = self.inmap, element = 'cell')['file']:
self.inmap = None
if not self.inmap:
self.btnPreview.Enable(False)
self.btnOK.Enable(False)
self.btnApply.Enable(False)
self.LoadTable()
return
info = grass.raster_info(map = self.inmap)
if info:
self.properties['min'] = info['min']
self.properties['max'] = info['max']
self.LoadTable()
else:
self.inmap = ''
self.properties['min'] = self.properties['max'] = None
self.btnPreview.Enable(False)
self.btnOK.Enable(False)
self.btnApply.Enable(False)
self.preview.EraseMap()
self.cr_label.SetLabel(_('Enter raster category values or percents'))
return
if info['datatype'] == 'CELL':
mapRange = _('range')
else:
mapRange = _('fp range')
self.cr_label.SetLabel(_('Enter raster category values or percents (%(range)s = %(min)d-%(max)d)') %
{ 'range' : mapRange,
'min' : self.properties['min'],
'max' : self.properties['max'] })
self.btnPreview.Enable()
self.btnOK.Enable()
self.btnApply.Enable()
def OnPreview(self, tmp = True):
"""!Update preview (based on computational region)"""
if not self.inmap:
self.preview.EraseMap()
return
cmdlist = ['d.rast',
'map=%s' % self.inmap]
ltype = 'raster'
# find existing color table and copy to temp file
try:
name, mapset = self.inmap.split('@')
except ValueError:
name = self.inmap
mapset = grass.find_file(self.inmap, element = 'cell')['mapset']
if not mapset:
return
old_colrtable = None
if mapset == grass.gisenv()['MAPSET']:
old_colrtable = grass.find_file(name = name, element = 'colr')['file']
else:
old_colrtable = grass.find_file(name = name, element = 'colr2/' + mapset)['file']
if old_colrtable:
colrtemp = utils.GetTempfile()
shutil.copyfile(old_colrtable, colrtemp)
ColorTable.DoPreview(self, ltype, cmdlist)
# restore previous color table
if tmp:
if old_colrtable:
shutil.copyfile(colrtemp, old_colrtable)
os.remove(colrtemp)
else:
RunCommand('r.colors',
parent = self,
flags = 'r',
map = self.inmap)
def OnHelp(self, event):
"""!Show GRASS manual page"""
cmd = 'r.colors'
ColorTable.RunHelp(self, cmd = cmd)
class VectorColorTable(ColorTable):
def __init__(self, parent, attributeType, **kwargs):
"""!Dialog for interactively entering color rules for vector maps"""
# dialog attributes
self.mapType = 'vector'
self.attributeType = attributeType # color, size, width
# in version 7 v.colors used, otherwise color column only
self.version7 = int(grass.version()['version'].split('.')[0]) >= 7
self.colorTable = False
self.updateColumn = True
# vector properties
self.properties = {
# vector layer for attribute table to use for setting color
'layer' : 1,
# vector attribute table used for setting color
'table' : '',
# vector attribute column for assigning colors
'sourceColumn' : '',
# vector attribute column to use for loading colors
'loadColumn' : '',
# vector attribute column to use for storing colors
'storeColumn' : '',
# vector attribute column for temporary storing colors
'tmpColumn' : 'tmp_0',
# min value of attribute column/vector color table
'min': None,
# max value of attribute column/vector color table
'max': None
}
self.columnsProp = {'color': {'name': 'GRASSRGB', 'type1': 'varchar(11)', 'type2': ['character']},
'size' : {'name': 'GRASSSIZE', 'type1': 'integer', 'type2': ['integer']},
'width': {'name': 'GRASSWIDTH', 'type1': 'integer', 'type2': ['integer']}}
ColorTable.__init__(self, parent = parent,
title = _('Create new color rules for vector map'), **kwargs)
# additional bindings for vector color management
self.Bind(wx.EVT_COMBOBOX, self.OnLayerSelection, self.layerSelect)
self.Bind(wx.EVT_COMBOBOX, self.OnSourceColumnSelection, self.sourceColumn)
self.Bind(wx.EVT_COMBOBOX, self.OnFromColSelection, self.fromColumn)
self.Bind(wx.EVT_COMBOBOX, self.OnToColSelection, self.toColumn)
self.Bind(wx.EVT_BUTTON, self.OnAddColumn, self.addColumn)
self._initLayer()
if self.colorTable:
self.cr_label.SetLabel(_("Enter vector attribute values or percents:"))
else:
self.cr_label.SetLabel(_("Enter vector attribute values:"))
#self.SetMinSize(self.GetSize())
self.SetMinSize((650, 700))
self.CentreOnScreen()
self.Show()
def _createVectorAttrb(self, parent):
"""!Create part of dialog with layer/column selection"""
inputBox = wx.StaticBox(parent = parent, id = wx.ID_ANY,
label = " %s " % _("Select vector columns"))
cb_vl_label = wx.StaticText(parent, id = wx.ID_ANY,
label = _('Layer:'))
cb_vc_label = wx.StaticText(parent, id = wx.ID_ANY,
label = _('Attribute column:'))
if self.attributeType == 'color':
labels = [_("Load color from column:"), _("Save color to column:")]
elif self.attributeType == 'size':
labels = [_("Load size from column:"), _("Save size to column:")]
elif self.attributeType == 'width':
labels = [_("Load width from column:"), _("Save width to column:")]
if self.version7 and self.attributeType == 'color':
self.useColumn = wx.CheckBox(parent, id = wx.ID_ANY,
label = _("Use color column instead of color table:"))
self.useColumn.Bind(wx.EVT_CHECKBOX, self.OnCheckColumn)
fromColumnLabel = wx.StaticText(parent, id = wx.ID_ANY,
label = labels[0])
toColumnLabel = wx.StaticText(parent, id = wx.ID_ANY,
label = labels[1])
self.rgb_range_label = wx.StaticText(parent, id = wx.ID_ANY)
self.layerSelect = LayerSelect(parent)
self.sourceColumn = ColumnSelect(parent)
self.fromColumn = ColumnSelect(parent)
self.toColumn = ColumnSelect(parent)
self.addColumn = wx.Button(parent, id = wx.ID_ANY,
label = _('Add column'))
self.addColumn.SetToolTipString(_("Add GRASSRGB column to current attribute table."))
# layout
inputSizer = wx.StaticBoxSizer(inputBox, wx.VERTICAL)
vSizer = wx.GridBagSizer(hgap = 5, vgap = 5)
row = 0
vSizer.Add(cb_vl_label, pos = (row, 0),
flag = wx.ALIGN_CENTER_VERTICAL)
vSizer.Add(self.layerSelect, pos = (row, 1),
flag = wx.ALIGN_CENTER_VERTICAL)
row += 1
vSizer.Add(cb_vc_label, pos = (row, 0),
flag = wx.ALIGN_CENTER_VERTICAL)
vSizer.Add(self.sourceColumn, pos = (row, 1),
flag = wx.ALIGN_CENTER_VERTICAL)
vSizer.Add(self.rgb_range_label, pos = (row, 2),
flag = wx.ALIGN_CENTER_VERTICAL)
row += 1
if self.version7 and self.attributeType == 'color':
vSizer.Add(self.useColumn, pos = (row, 0), span = (1, 2),
flag = wx.ALIGN_CENTER_VERTICAL)
row += 1
vSizer.Add(fromColumnLabel, pos = (row, 0),
flag = wx.ALIGN_CENTER_VERTICAL)
vSizer.Add(self.fromColumn, pos = (row, 1),
flag = wx.ALIGN_CENTER_VERTICAL)
row += 1
vSizer.Add(toColumnLabel, pos = (row, 0),
flag = wx.ALIGN_CENTER_VERTICAL)
vSizer.Add(self.toColumn, pos = (row, 1),
flag = wx.ALIGN_CENTER_VERTICAL)
vSizer.Add(self.addColumn, pos = (row, 2),
flag = wx.ALIGN_CENTER_VERTICAL)
inputSizer.Add(item = vSizer,
flag = wx.ALIGN_CENTER_VERTICAL | wx.ALL | wx.EXPAND, border = 5)
self.colorColumnSizer = vSizer
return inputSizer
def _doLayout(self):
"""!Do main layout"""
scrollPanel = scrolled.ScrolledPanel(parent = self.panel, id = wx.ID_ANY,
style = wx.TAB_TRAVERSAL)
scrollPanel.SetupScrolling()
sizer = wx.BoxSizer(wx.VERTICAL)
#
# map selection
#
mapSelection = self._createMapSelection(parent = scrollPanel)
sizer.Add(item = mapSelection, proportion = 0,
flag = wx.ALL | wx.EXPAND, border = 5)
#
# manage extern tables
#
if self.version7 and self.attributeType == 'color':
self.cp = wx.CollapsiblePane(scrollPanel, label = _("Import or export color table"),
winid = wx.ID_ANY,
style = wx.CP_DEFAULT_STYLE|wx.CP_NO_TLW_RESIZE)
self.Bind(wx.EVT_COLLAPSIBLEPANE_CHANGED, self.OnPaneChanged, self.cp)
self._createFileSelection(parent = self.cp.GetPane())
sizer.Add(item = self.cp, proportion = 0,
flag = wx.ALL | wx.EXPAND, border = 5)
#
# set vector attributes
#
vectorAttrb = self._createVectorAttrb(parent = scrollPanel)
sizer.Add(item = vectorAttrb, proportion = 0,
flag = wx.ALL | wx.EXPAND, border = 5)
#
# body & preview
#
bodySizer = self._createBody(parent = scrollPanel)
sizer.Add(item = bodySizer, proportion = 1,
flag = wx.ALL | wx.EXPAND, border = 5)
scrollPanel.SetSizer(sizer)
scrollPanel.Fit()
#
# buttons
#
btnSizer = self._createButtons(self.panel)
mainsizer = wx.BoxSizer(wx.VERTICAL)
mainsizer.Add(scrollPanel, proportion = 1, flag = wx.EXPAND | wx.ALL, border = 5)
mainsizer.Add(item = wx.StaticLine(parent = self.panel, id = wx.ID_ANY,
style = wx.LI_HORIZONTAL), proportion = 0,
flag = wx.EXPAND | wx.ALL, border = 5)
mainsizer.Add(item = btnSizer, proportion = 0,
flag = wx.ALL | wx.ALIGN_RIGHT | wx.EXPAND, border = 5)
self.panel.SetSizer(mainsizer)
mainsizer.Layout()
mainsizer.Fit(self.panel)
self.Layout()
def OnPaneChanged(self, event = None):
# redo the layout
self.Layout()
# and also change the labels
if self.cp.IsExpanded():
self.cp.SetLabel('')
else:
self.cp.SetLabel(_("Import or export color table"))
def CheckMapset(self):
"""!Check if current vector is in current mapset"""
if grass.find_file(name = self.inmap,
element = 'vector')['mapset'] == grass.gisenv()['MAPSET']:
return True
else:
return False
def NoConnection(self, vectorName):
dlg = wx.MessageDialog(parent = self,
message = _("Database connection for vector map <%s> "
"is not defined in DB file. Do you want to create and "
"connect new attribute table?") % vectorName,
caption = _("No database connection defined"),
style = wx.YES_NO | wx.YES_DEFAULT | wx.ICON_QUESTION | wx.CENTRE)
if dlg.ShowModal() == wx.ID_YES:
dlg.Destroy()
GUI(parent = self).ParseCommand(['v.db.addtable', 'map=' + self.inmap],
completed = (self.CreateAttrTable, self.inmap, ''))
else:
dlg.Destroy()
def OnCheckColumn(self, event):
"""!Use color column instead of color table"""
if self.useColumn.GetValue():
self.properties['loadColumn'] = self.fromColumn.GetStringSelection()
self.properties['storeColumn'] = self.toColumn.GetStringSelection()
self.fromColumn.Enable(True)
self.toColumn.Enable(True)
self.colorTable = False
if self.properties['loadColumn']:
self.LoadTable()
else:
self.rulesPanel.Clear()
else:
self.properties['loadColumn'] = ''
self.properties['storeColumn'] = ''
self.fromColumn.Enable(False)
self.toColumn.Enable(False)
self.colorTable = True
self.LoadTable()
def EnableVectorAttributes(self, enable):
"""!Enable/disable part of dialog connected with db"""
for child in self.colorColumnSizer.GetChildren():
child.GetWindow().Enable(enable)
def DisableClearAll(self):
"""!Enable, disable the whole dialog"""
self.rulesPanel.Clear()
self.EnableVectorAttributes(False)
self.btnPreview.Enable(False)
self.btnOK.Enable(False)
self.btnApply.Enable(False)
self.preview.EraseMap()
def OnSelectionInput(self, event):
"""!Vector map selected"""
if event:
if self.inmap:
# switch to another map -> delete temporary column
self.DeleteTemporaryColumn()
self.inmap = event.GetString()
if self.version7 and self.attributeType == 'color':
self.loadRules.SetValue('')
self.saveRules.SetValue('')
if self.inmap:
if not grass.find_file(name = self.inmap, element = 'vector')['file']:
self.inmap = None
self.UpdateDialog()
def UpdateDialog(self):
"""!Update dialog after map selection"""
if not self.inmap:
self.DisableClearAll()
return
if self.inmap and not self.CheckMapset():
# currently v.colors need the map to be in current mapset
if self.version7 and self.attributeType == 'color':
message = _("Selected map <%(map)s> is not in current mapset <%(mapset)s>. "
"Color rules cannot be edited.") % \
{ 'map' : self.inmap,
'mapset' : grass.gisenv()['MAPSET'] }
else:
message = _("Selected map <%(map)s> is not in current mapset <%(mapset)s>. "
"Attribute table cannot be edited.") % \
{ 'map' : self.inmap,
'mapset' : grass.gisenv()['MAPSET'] }
wx.CallAfter(GMessage, parent = self, message = message)
self.DisableClearAll()
return
# check for db connection
self.dbInfo = VectorDBInfo(self.inmap)
enable = True
if not len(self.dbInfo.layers): # no connection
if not (self.version7 and self.attributeType == 'color'): # otherwise it doesn't matter
wx.CallAfter(self.NoConnection, self.inmap)
enable = False
for combo in (self.layerSelect, self.sourceColumn, self.fromColumn, self.toColumn):
combo.SetValue("")
combo.Clear()
for prop in ('sourceColumn', 'loadColumn', 'storeColumn'):
self.properties[prop] = ''
self.EnableVectorAttributes(False)
else: # db connection exist
# initialize layer selection combobox
self.EnableVectorAttributes(True)
self.layerSelect.InsertLayers(self.inmap)
# initialize attribute table for layer=1
self.properties['layer'] = self.layerSelect.GetString(0)
self.layerSelect.SetStringSelection(self.properties['layer'])
layer = int(self.properties['layer'])
self.properties['table'] = self.dbInfo.layers[layer]['table']
if self.attributeType == 'color':
self.AddTemporaryColumn(type = 'varchar(11)')
else:
self.AddTemporaryColumn(type = 'integer')
# initialize column selection comboboxes
self.OnLayerSelection(event = None)
if self.version7 and self.attributeType == 'color':
self.useColumn.SetValue(False)
self.OnCheckColumn(event = None)
self.LoadTable()
self.btnPreview.Enable(enable)
self.btnOK.Enable(enable)
self.btnApply.Enable(enable)
def AddTemporaryColumn(self, type):
"""!Add temporary column to not overwrite the original values,
need to be deleted when closing dialog and unloading map
@param type type of column (e.g. vachar(11))"""
# because more than one dialog with the same map can be opened we must test column name and
# create another one
while self.properties['tmpColumn'] in self.dbInfo.GetTableDesc(self.properties['table']).keys():
name, idx = self.properties['tmpColumn'].split('_')
idx = int(idx)
idx += 1
self.properties['tmpColumn'] = name + '_' + str(idx)
if self.version7:
modul = 'v.db.addcolumn'
else:
modul = 'v.db.addcol'
ret = RunCommand(modul,
parent = self,
map = self.inmap,
layer = self.properties['layer'],
column = '%s %s' % (self.properties['tmpColumn'], type))
def DeleteTemporaryColumn(self):
"""!Delete temporary column"""
if self.inmap:
if self.version7:
modul = 'v.db.dropcolumn'
else:
modul = 'v.db.dropcol'
ret = RunCommand(modul,
map = self.inmap,
layer = self.properties['layer'],
column = self.properties['tmpColumn'])
def OnLayerSelection(self, event):
# reset choices in column selection comboboxes if layer changes
vlayer = int(self.layerSelect.GetStringSelection())
self.sourceColumn.InsertColumns(vector = self.inmap, layer = vlayer,
type = ['integer', 'double precision'], dbInfo = self.dbInfo,
excludeCols = ['tmpColumn'])
self.sourceColumn.SetStringSelection('cat')
self.properties['sourceColumn'] = self.sourceColumn.GetString(0)
if self.attributeType == 'color':
type = ['character']
else:
type = ['integer']
self.fromColumn.InsertColumns(vector = self.inmap, layer = vlayer, type = type,
dbInfo = self.dbInfo, excludeCols = ['tmpColumn'])
self.toColumn.InsertColumns(vector = self.inmap, layer = vlayer, type = type,
dbInfo = self.dbInfo, excludeCols = ['tmpColumn'])
found = self.fromColumn.FindString(self.columnsProp[self.attributeType]['name'])
if found != wx.NOT_FOUND:
self.fromColumn.SetSelection(found)
self.toColumn.SetSelection(found)
self.properties['loadColumn'] = self.fromColumn.GetString(found)
self.properties['storeColumn'] = self.toColumn.GetString(found)
else:
self.properties['loadColumn'] = ''
self.properties['storeColumn'] = ''
if event:
self.LoadTable()
self.Update()
def OnSourceColumnSelection(self, event):
self.properties['sourceColumn'] = event.GetString()
self.LoadTable()
def OnAddColumn(self, event):
"""!Add GRASS(RGB,SIZE,WIDTH) column if it doesn't exist"""
if self.columnsProp[self.attributeType]['name'] not in self.fromColumn.GetItems():
if self.version7:
modul = 'v.db.addcolumn'
else:
modul = 'v.db.addcol'
ret = RunCommand(modul,
map = self.inmap,
layer = self.properties['layer'],
columns = '%s %s' % (self.columnsProp[self.attributeType]['name'],
self.columnsProp[self.attributeType]['type1']))
self.toColumn.InsertColumns(self.inmap, self.properties['layer'],
type = self.columnsProp[self.attributeType]['type2'])
self.toColumn.SetStringSelection(self.columnsProp[self.attributeType]['name'])
self.properties['storeColumn'] = self.toColumn.GetStringSelection()
self.LoadTable()
else:
GMessage(parent = self,
message = _("%s column already exists.") % \
self.columnsProp[self.attributeType]['name'])
def CreateAttrTable(self, dcmd, layer, params, propwin):
"""!Create attribute table"""
if dcmd:
cmd = utils.CmdToTuple(dcmd)
ret = RunCommand(cmd[0], **cmd[1])
if ret == 0:
self.OnSelectionInput(None)
return True
for combo in (self.layerSelect, self.sourceColumn, self.fromColumn, self.toColumn):
combo.SetValue("")
combo.Disable()
return False
def LoadTable(self):
"""!Load table"""
if self.colorTable:
ColorTable.LoadTable(self, mapType = 'vector')
else:
self.LoadRulesFromColumn()
def LoadRulesFromColumn(self):
"""!Load current column (GRASSRGB, size column)"""
self.rulesPanel.Clear()
if not self.properties['sourceColumn']:
self.preview.EraseMap()
return
busy = wx.BusyInfo(message = _("Please wait, loading data from attribute table..."),
parent = self)
wx.Yield()
columns = self.properties['sourceColumn']
if self.properties['loadColumn']:
columns += ',' + self.properties['loadColumn']
sep = ';'
if self.inmap:
outFile = tempfile.NamedTemporaryFile(mode = 'w+b')
ret = RunCommand('v.db.select',
quiet = True,
flags = 'c',
map = self.inmap,
layer = self.properties['layer'],
columns = columns,
fs = sep,
stdout = outFile)
else:
self.preview.EraseMap()
busy.Destroy()
return
outFile.seek(0)
i = 0
minim = maxim = 0.0
limit = 1000
colvallist = []
readvals = False
while True:
# os.linesep doesn't work here (MSYS)
record = outFile.readline().replace('\n', '')
if not record:
break
self.rulesPanel.ruleslines[i] = {}
if not self.properties['loadColumn']:
col1 = record
col2 = None
else:
col1, col2 = record.split(sep)
if float(col1) < minim:
minim = float(col1)
if float(col1) > maxim:
maxim = float(col1)
# color rules list should only have unique values of col1, not all records
if col1 not in colvallist:
self.rulesPanel.ruleslines[i]['value'] = col1
self.rulesPanel.ruleslines[i][self.attributeType] = col2
colvallist.append(col1)
i += 1
if i > limit and readvals == False:
dlg = wx.MessageDialog (parent = self, message = _(
"Number of loaded records reached %d, "
"displaying all the records will be time-consuming "
"and may lead to computer freezing, "
"do you still want to continue?") % i,
caption = _("Too many records"),
style = wx.YES_NO | wx.NO_DEFAULT | wx.ICON_QUESTION)
if dlg.ShowModal() == wx.ID_YES:
readvals = True
dlg.Destroy()
else:
busy.Destroy()
dlg.Destroy()
self.updateColumn = False
return
self.rulesPanel.AddRules(i, start = True)
ret = self.rulesPanel.LoadRules()
self.properties['min'], self.properties['max'] = minim, maxim
self.SetRangeLabel()
if ret:
self.OnPreview()
else:
self.rulesPanel.Clear()
busy.Destroy()
def SetRangeLabel(self):
"""!Set labels with info about attribute column range"""
if self.properties['sourceColumn']:
ctype = self.dbInfo.GetTableDesc(self.properties['table'])[self.properties['sourceColumn']]['ctype']
else:
ctype = int
range = ''
if self.properties['min'] or self.properties['max']:
if ctype == float:
range = "%s: %.1f - %.1f)" % (_("range"),
self.properties['min'], self.properties['max'])
elif ctype == int:
range = "%s: %d - %d)" % (_("range"),
self.properties['min'], self.properties['max'])
if range:
if self.colorTable:
self.cr_label.SetLabel(_("Enter vector attribute values or percents %s:") % range)
else:
self.cr_label.SetLabel(_("Enter vector attribute values %s:") % range)
else:
if self.colorTable:
self.cr_label.SetLabel(_("Enter vector attribute values or percents:"))
else:
self.cr_label.SetLabel(_("Enter vector attribute values:"))
def OnFromColSelection(self, event):
"""!Selection in combobox (for loading values) changed"""
self.properties['loadColumn'] = event.GetString()
self.LoadTable()
def OnToColSelection(self, event):
"""!Selection in combobox (for storing values) changed"""
self.properties['storeColumn'] = event.GetString()
def OnPreview(self, event = None, tmp = True):
"""!Update preview (based on computational region)"""
if self.colorTable:
self.OnTablePreview(tmp)
else:
self.OnColumnPreview()
def OnTablePreview(self, tmp):
"""!Update preview (based on computational region)"""
if not self.inmap:
self.preview.EraseMap()
return
ltype = 'vector'
cmdlist = ['d.vect',
'map=%s' % self.inmap]
# find existing color table and copy to temp file
old_colrtable = None
path = grass.find_file(name = self.inmap, element = 'vector')['file']
if os.path.exists(os.path.join(path, 'colr')):
old_colrtable = os.path.join(path, 'colr')
colrtemp = utils.GetTempfile()
shutil.copyfile(old_colrtable, colrtemp)
ColorTable.DoPreview(self, ltype, cmdlist)
# restore previous color table
if tmp:
if old_colrtable:
shutil.copyfile(colrtemp, old_colrtable)
os.remove(colrtemp)
else:
RunCommand('v.colors',
parent = self,
flags = 'r',
map = self.inmap)
def OnColumnPreview(self):
"""!Update preview (based on computational region)"""
if not self.inmap or not self.properties['tmpColumn']:
self.preview.EraseMap()
return
cmdlist = ['d.vect',
'map=%s' % self.inmap,
'type=point,line,boundary,area']
if self.attributeType == 'color':
cmdlist.append('flags=a')
cmdlist.append('rgb_column=%s' % self.properties['tmpColumn'])
elif self.attributeType == 'size':
cmdlist.append('size_column=%s' % self.properties['tmpColumn'])
elif self.attributeType == 'width':
cmdlist.append('width_column=%s' % self.properties['tmpColumn'])
ltype = 'vector'
ColorTable.DoPreview(self, ltype, cmdlist)
def OnHelp(self, event):
"""!Show GRASS manual page"""
cmd = 'v.colors'
ColorTable.RunHelp(self, cmd = cmd)
def UseAttrColumn(self, useAttrColumn):
"""!Find layers and apply the changes in d.vect command"""
layers = self.parent.curr_page.maptree.FindItemByData(key = 'name', value = self.inmap)
if not layers:
return
for layer in layers:
if self.parent.curr_page.maptree.GetPyData(layer)[0]['type'] != 'vector':
continue
cmdlist = self.parent.curr_page.maptree.GetPyData(layer)[0]['maplayer'].GetCmd()
if self.attributeType == 'color':
if useAttrColumn:
cmdlist[1].update({'flags': 'a'})
cmdlist[1].update({'rgb_column': self.properties['storeColumn']})
else:
if 'flags' in cmdlist[1]:
cmdlist[1]['flags'] = cmdlist[1]['flags'].replace('a', '')
cmdlist[1].pop('rgb_column', None)
elif self.attributeType == 'size':
cmdlist[1].update({'size_column': self.properties['storeColumn']})
elif self.attributeType == 'width':
cmdlist[1].update({'width_column' :self.properties['storeColumn']})
self.parent.curr_page.maptree.GetPyData(layer)[0]['cmd'] = cmdlist
def CreateColorTable(self, tmp = False):
"""!Create color rules (color table or color column)"""
if self.colorTable:
ret = ColorTable.CreateColorTable(self)
else:
if self.updateColumn:
ret = self.UpdateColorColumn(tmp)
else:
ret = True
return ret
def UpdateColorColumn(self, tmp):
"""!Creates color table
@return True on success
@return False on failure
"""
rulestxt = ''
for rule in self.rulesPanel.ruleslines.itervalues():
if 'value' not in rule: # skip empty rules
break
if tmp:
rgb_col = self.properties['tmpColumn']
else:
rgb_col = self.properties['storeColumn']
if not self.properties['storeColumn']:
GMessage(parent = self.parent,
message = _("Please select column to save values to."))
rulestxt += "UPDATE %s SET %s='%s' WHERE %s ;\n" % (self.properties['table'],
rgb_col,
rule[self.attributeType],
rule['value'])
if not rulestxt:
return False
gtemp = utils.GetTempfile()
output = open(gtemp, "w")
try:
output.write(rulestxt)
finally:
output.close()
RunCommand('db.execute',
parent = self,
input = gtemp)
return True
def OnCancel(self, event):
"""!Do not apply any changes and close the dialog"""
self.DeleteTemporaryColumn()
self.Map.Clean()
self.Destroy()
def OnApply(self, event):
"""!Apply selected color table
@return True on success otherwise False
"""
if self.colorTable:
self.UseAttrColumn(False)
else:
if not self.properties['storeColumn']:
GError(_("No color column defined. Operation canceled."),
parent = self)
return
self.UseAttrColumn(True)
return ColorTable.OnApply(self, event)
class BufferedWindow(wx.Window):
"""!A Buffered window class"""
def __init__(self, parent, id,
style = wx.NO_FULL_REPAINT_ON_RESIZE,
Map = None, **kwargs):
wx.Window.__init__(self, parent, id, style = style, **kwargs)
self.parent = parent
self.Map = Map
# re-render the map from GRASS or just redraw image
self.render = True
# indicates whether or not a resize event has taken place
self.resize = False
#
# event bindings
#
self.Bind(wx.EVT_PAINT, self.OnPaint)
self.Bind(wx.EVT_IDLE, self.OnIdle)
self.Bind(wx.EVT_ERASE_BACKGROUND, lambda x: None)
#
# render output objects
#
# image file to be rendered
self.mapfile = None
# wx.Image object (self.mapfile)
self.img = None
self.pdc = wx.PseudoDC()
# will store an off screen empty bitmap for saving to file
self._Buffer = None
# make sure that extents are updated at init
self.Map.region = self.Map.GetRegion()
self.Map.SetRegion()
def Draw(self, pdc, img = None, pdctype = 'image'):
"""!Draws preview or clears window"""
pdc.BeginDrawing()
Debug.msg (3, "BufferedWindow.Draw(): pdctype=%s" % (pdctype))
if pdctype == 'clear': # erase the display
bg = wx.WHITE_BRUSH
pdc.SetBackground(bg)
pdc.Clear()
self.Refresh()
pdc.EndDrawing()
return
if pdctype == 'image' and img:
bg = wx.TRANSPARENT_BRUSH
pdc.SetBackground(bg)
bitmap = wx.BitmapFromImage(img)
w, h = bitmap.GetSize()
pdc.DrawBitmap(bitmap, 0, 0, True) # draw the composite map
pdc.EndDrawing()
self.Refresh()
def OnPaint(self, event):
"""!Draw pseudo DC to buffer"""
self._Buffer = wx.EmptyBitmap(self.Map.width, self.Map.height)
dc = wx.BufferedPaintDC(self, self._Buffer)
# use PrepareDC to set position correctly
# probably does nothing, removed from wxPython 2.9
# self.PrepareDC(dc)
# we need to clear the dc BEFORE calling PrepareDC
bg = wx.Brush(self.GetBackgroundColour())
dc.SetBackground(bg)
dc.Clear()
# create a clipping rect from our position and size
# and the Update Region
rgn = self.GetUpdateRegion()
r = rgn.GetBox()
# draw to the dc using the calculated clipping rect
self.pdc.DrawToDCClipped(dc, r)
def OnSize(self, event):
"""!Init image size to match window size"""
# set size of the input image
self.Map.width, self.Map.height = self.GetClientSize()
# Make new off screen bitmap: this bitmap will always have the
# current drawing in it, so it can be used to save the image to
# a file, or whatever.
self._Buffer = wx.EmptyBitmap(self.Map.width, self.Map.height)
# get the image to be rendered
self.img = self.GetImage()
# update map display
if self.img and self.Map.width + self.Map.height > 0: # scale image during resize
self.img = self.img.Scale(self.Map.width, self.Map.height)
self.render = False
self.UpdatePreview()
# re-render image on idle
self.resize = True
def OnIdle(self, event):
"""!Only re-render a preview image from GRASS during
idle time instead of multiple times during resizing.
"""
if self.resize:
self.render = True
self.UpdatePreview()
event.Skip()
def GetImage(self):
"""!Converts files to wx.Image"""
if self.Map.mapfile and os.path.isfile(self.Map.mapfile) and \
os.path.getsize(self.Map.mapfile):
img = wx.Image(self.Map.mapfile, wx.BITMAP_TYPE_ANY)
else:
img = None
return img
def UpdatePreview(self, img = None):
"""!Update canvas if window changes geometry"""
Debug.msg (2, "BufferedWindow.UpdatePreview(%s): render=%s" % (img, self.render))
oldfont = ""
oldencoding = ""
if self.render:
# extent is taken from current map display
try:
self.Map.region = copy.deepcopy(self.parent.parent.curr_page.maptree.Map.region)
except AttributeError:
self.Map.region = self.Map.GetRegion()
# render new map images
self.mapfile = self.Map.Render(force = self.render)
self.img = self.GetImage()
self.resize = False
if not self.img:
return
# paint images to PseudoDC
self.pdc.Clear()
self.pdc.RemoveAll()
# draw map image background
self.Draw(self.pdc, self.img, pdctype = 'image')
self.resize = False
def EraseMap(self):
"""!Erase preview"""
self.Draw(self.pdc, pdctype = 'clear')
|