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
|
"""
@package dbmgr.vinfo
@brief Support classes for Database Manager
List of classes:
- vinfo::VectorDBInfo
(C) 2007-2013 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 Martin Landa <landa.martin gmail.com>
"""
import os
import wx
from gui_core.gselect import VectorDBInfo as VectorDBInfoBase
from gui_core.wrap import StaticText
from core.gcmd import RunCommand, GError
from core.settings import UserSettings
import grass.script as grass
def GetUnicodeValue(value):
"""Get unicode value
:param value: value to be recoded
:return: unicode value
"""
if isinstance(value, str):
return value
if isinstance(value, bytes):
enc = GetDbEncoding()
return str(value, enc, errors="replace")
else:
return str(value)
def GetDbEncoding():
"""Checks if user set DB encoding (first user settings,
then env variable), if not assumes unicode."""
enc = UserSettings.Get(group="atm", key="encoding", subkey="value")
if not enc and "GRASS_DB_ENCODING" in os.environ:
enc = os.environ["GRASS_DB_ENCODING"]
else:
enc = "utf-8" # assuming UTF-8
return enc
def CreateDbInfoDesc(panel, mapDBInfo, layer):
"""Create database connection information content"""
infoFlexSizer = wx.FlexGridSizer(cols=2, hgap=1, vgap=1)
infoFlexSizer.AddGrowableCol(1)
infoFlexSizer.Add(StaticText(parent=panel, id=wx.ID_ANY, label="Driver:"))
infoFlexSizer.Add(
StaticText(parent=panel, id=wx.ID_ANY, label=mapDBInfo.layers[layer]["driver"])
)
infoFlexSizer.Add(StaticText(parent=panel, id=wx.ID_ANY, label="Database:"))
infoFlexSizer.Add(
StaticText(
parent=panel, id=wx.ID_ANY, label=mapDBInfo.layers[layer]["database"]
)
)
infoFlexSizer.Add(StaticText(parent=panel, id=wx.ID_ANY, label="Table:"))
infoFlexSizer.Add(
StaticText(parent=panel, id=wx.ID_ANY, label=mapDBInfo.layers[layer]["table"])
)
infoFlexSizer.Add(StaticText(parent=panel, id=wx.ID_ANY, label="Key:"))
infoFlexSizer.Add(
StaticText(parent=panel, id=wx.ID_ANY, label=mapDBInfo.layers[layer]["key"])
)
return infoFlexSizer
class VectorDBInfo(VectorDBInfoBase):
"""Class providing information about attribute tables
linked to the vector map"""
def __init__(self, map):
VectorDBInfoBase.__init__(self, map)
def GetColumns(self, table):
"""Return list of columns names (based on their index)"""
try:
names = [""] * len(self.tables[table].keys())
except KeyError:
return []
for name, desc in self.tables[table].items():
names[desc["index"]] = name
return names
def SelectByPoint(self, queryCoords, qdist):
"""Get attributes by coordinates (all available layers)
Return line id or None if no line is found"""
line = None
nselected = 0
try:
data = grass.vector_what(
map=self.map,
coord=(float(queryCoords[0]), float(queryCoords[1])),
distance=float(qdist),
)
except grass.ScriptError:
GError(
parent=None,
message=_(
"Failed to query vector map <{map}>. "
"Check database settings and topology."
).format(map=self.map),
)
if len(data) < 1 or all(("Table" not in record) for record in data):
return None
# process attributes
ret = dict()
for key in ["Category", "Layer", "Table", "Id"]:
ret[key] = list()
for record in data:
if "Table" not in record:
continue
table = record["Table"]
for key, value in record["Attributes"].items():
if len(value) < 1:
value = None
else:
if self.tables[table][key]["ctype"] != str:
value = self.tables[table][key]["ctype"](value)
else:
value = GetUnicodeValue(value)
self.tables[table][key]["values"].append(value)
for key, value in record.items():
if key == "Attributes":
continue
if key in ret:
ret[key].append(value)
if "Id" not in record.keys():
ret["Id"].append(None)
return ret
def SelectFromTable(self, layer, cols="*", where=None):
"""Select records from the table
Return number of selected records, -1 on error
"""
if layer <= 0:
return -1
nselected = 0
table = self.layers[layer]["table"] # get table desc
# select values (only one record)
if where is None or where == "":
sql = "SELECT %s FROM %s" % (cols, table)
else:
sql = "SELECT %s FROM %s WHERE %s" % (cols, table, where)
ret = RunCommand(
"db.select",
read=True,
quiet=True,
flags="v",
sql=sql,
database=self.layers[layer]["database"],
driver=self.layers[layer]["driver"],
)
# self.tables[table][key][1] = str(cat)
if ret:
for line in ret.splitlines():
name, value = line.split("|")
# casting ...
if value:
if not isinstance("", self.tables[table][name]["ctype"]):
value = self.tables[table][name]["ctype"](value)
else:
value = GetUnicodeValue(value)
else:
value = None
self.tables[table][name]["values"].append(value)
nselected = 1
return nselected
|