abstract.py 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449
  1. # -*- coding: utf-8 -*-
  2. """
  3. Created on Fri Aug 17 17:24:03 2012
  4. @author: pietro
  5. """
  6. import ctypes
  7. import datetime
  8. import grass.lib.vector as libvect
  9. from grass.pygrass.vector.vector_type import MAPTYPE
  10. from grass.pygrass import utils
  11. from grass.pygrass.errors import GrassError, OpenError, must_be_open
  12. from grass.pygrass.vector.table import DBlinks, Link
  13. from grass.pygrass.vector.find import PointFinder, BboxFinder, PolygonFinder
  14. test_vector_name = "abstract_doctest_map"
  15. def is_open(c_mapinfo):
  16. """Return if the Vector is open"""
  17. return (c_mapinfo.contents.open != 0 and
  18. c_mapinfo.contents.open != libvect.VECT_CLOSED_CODE)
  19. #=============================================
  20. # VECTOR ABSTRACT CLASS
  21. #=============================================
  22. class Info(object):
  23. """Basic vector info.
  24. To get access to the vector info the map must be opened. ::
  25. >>> test_vect = Info(test_vector_name)
  26. >>> test_vect.open(mode='r')
  27. Then it is possible to read and write the following map attributes: ::
  28. >>> test_vect.organization
  29. 'Thuenen Institut'
  30. >>> test_vect.person
  31. 'Soeren Gebbert'
  32. >>> test_vect.title
  33. 'Test dataset'
  34. >>> test_vect.scale
  35. 1
  36. >>> test_vect.comment
  37. 'This is a comment'
  38. >>> test_vect.comment = "One useful comment!"
  39. >>> test_vect.comment
  40. 'One useful comment!'
  41. There are some read only attributes: ::
  42. >>> test_vect.maptype
  43. 'native'
  44. And some basic methods: ::
  45. >>> test_vect.is_3D()
  46. False
  47. >>> test_vect.exist()
  48. True
  49. >>> test_vect.is_open()
  50. True
  51. >>> test_vect.close()
  52. """
  53. def __init__(self, name, mapset='', *aopen, **kwopen):
  54. self._name = ''
  55. self._mapset = ''
  56. # Set map name and mapset
  57. self.name = name
  58. self.mapset = mapset
  59. self._aopen = aopen
  60. self._kwopen = kwopen
  61. self.c_mapinfo = ctypes.pointer(libvect.Map_info())
  62. self._topo_level = 1
  63. self._class_name = 'Vector'
  64. self._mode = 'r'
  65. self.overwrite = False
  66. self.date_fmt = '%a %b %d %H:%M:%S %Y'
  67. def __enter__(self):
  68. self.open(*self._aopen, **self._kwopen)
  69. return self
  70. def __exit__(self, exc_type, exc_value, traceback):
  71. self.close()
  72. def _get_mode(self):
  73. return self._mode
  74. def _set_mode(self, mode):
  75. if mode.upper() not in 'RW':
  76. str_err = _("Mode type: {0} not supported ('r', 'w')")
  77. raise ValueError(str_err.format(mode))
  78. self._mode = mode
  79. mode = property(fget=_get_mode, fset=_set_mode)
  80. def _get_name(self):
  81. """Private method to obtain the Vector name"""
  82. return self._name
  83. def _set_name(self, newname):
  84. """Private method to change the Vector name"""
  85. if not utils.is_clean_name(newname):
  86. str_err = _("Map name {0} not valid")
  87. raise ValueError(str_err.format(newname))
  88. self._name = newname
  89. name = property(fget=_get_name, fset=_set_name,
  90. doc="Set or obtain the Vector name")
  91. def _get_mapset(self):
  92. """Private method to obtain the Vector mapset"""
  93. return self._mapset
  94. def _set_mapset(self, mapset):
  95. """Private method to change the Vector mapset"""
  96. if mapset:
  97. self._mapset = mapset
  98. mapset = property(fget=_get_mapset, fset=_set_mapset,
  99. doc="Set or obtain the Vector mapset")
  100. def _get_organization(self):
  101. """Private method to obtain the Vector organization"""
  102. return utils.decode(libvect.Vect_get_organization(self.c_mapinfo))
  103. def _set_organization(self, org):
  104. """Private method to change the Vector organization"""
  105. libvect.Vect_set_organization(self.c_mapinfo, org)
  106. organization = property(fget=_get_organization, fset=_set_organization,
  107. doc="Set or obtain the Vector organization")
  108. def _get_date(self):
  109. """Private method to obtain the Vector date"""
  110. return utils.decode(libvect.Vect_get_date(self.c_mapinfo))
  111. def _set_date(self, date):
  112. """Private method to change the Vector date"""
  113. return libvect.Vect_set_date(self.c_mapinfo, date)
  114. date = property(fget=_get_date, fset=_set_date,
  115. doc="Set or obtain the Vector date")
  116. def _get_person(self):
  117. """Private method to obtain the Vector person"""
  118. return utils.decode(libvect.Vect_get_person(self.c_mapinfo))
  119. def _set_person(self, person):
  120. """Private method to change the Vector person"""
  121. libvect.Vect_set_person(self.c_mapinfo, person)
  122. person = property(fget=_get_person, fset=_set_person,
  123. doc="Set or obtain the Vector author")
  124. def _get_title(self):
  125. """Private method to obtain the Vector title"""
  126. return utils.decode(libvect.Vect_get_map_name(self.c_mapinfo))
  127. def _set_title(self, title):
  128. """Private method to change the Vector title"""
  129. libvect.Vect_set_map_name(self.c_mapinfo, title)
  130. title = property(fget=_get_title, fset=_set_title,
  131. doc="Set or obtain the Vector title")
  132. def _get_map_date(self):
  133. """Private method to obtain the Vector map date"""
  134. date_str = utils.decode(libvect.Vect_get_map_date(self.c_mapinfo))
  135. try:
  136. return datetime.datetime.strptime(date_str, self.date_fmt)
  137. except:
  138. return date_str
  139. def _set_map_date(self, datetimeobj):
  140. """Private method to change the Vector map date"""
  141. date_str = datetimeobj.strftime(self.date_fmt)
  142. libvect.Vect_set_map_date(self.c_mapinfo, date_str)
  143. map_date = property(fget=_get_map_date, fset=_set_map_date,
  144. doc="Set or obtain the Vector map date")
  145. def _get_scale(self):
  146. """Private method to obtain the Vector scale"""
  147. return libvect.Vect_get_scale(self.c_mapinfo)
  148. def _set_scale(self, scale):
  149. """Private method to set the Vector scale"""
  150. return libvect.Vect_set_scale(self.c_mapinfo, ctypes.c_int(scale))
  151. scale = property(fget=_get_scale, fset=_set_scale,
  152. doc="Set or obtain the Vector scale")
  153. def _get_comment(self):
  154. """Private method to obtain the Vector comment"""
  155. return utils.decode(libvect.Vect_get_comment(self.c_mapinfo))
  156. def _set_comment(self, comm):
  157. """Private method to set the Vector comment"""
  158. return libvect.Vect_set_comment(self.c_mapinfo, comm)
  159. comment = property(fget=_get_comment, fset=_set_comment,
  160. doc="Set or obtain the Vector comment")
  161. def _get_zone(self):
  162. """Private method to obtain the Vector projection zone"""
  163. return libvect.Vect_get_zone(self.c_mapinfo)
  164. def _set_zone(self, zone):
  165. """Private method to set the Vector projection zone"""
  166. return libvect.Vect_set_zone(self.c_mapinfo, ctypes.c_int(zone))
  167. zone = property(fget=_get_zone, fset=_set_zone,
  168. doc="Set or obtain the Vector projection zone")
  169. def _get_proj(self):
  170. """Private method to obtain the Vector projection code"""
  171. return libvect.Vect_get_proj(self.c_mapinfo)
  172. def _set_proj(self, proj):
  173. """Private method to set the Vector projection code"""
  174. libvect.Vect_set_proj(self.c_mapinfo, ctypes.c_int(proj))
  175. proj = property(fget=_get_proj, fset=_set_proj,
  176. doc="Set or obtain the Vector projection code")
  177. def _get_thresh(self):
  178. """Private method to obtain the Vector threshold"""
  179. return libvect.Vect_get_thresh(self.c_mapinfo)
  180. def _set_thresh(self, thresh):
  181. """Private method to set the Vector threshold"""
  182. return libvect.Vect_set_thresh(self.c_mapinfo, ctypes.c_double(thresh))
  183. thresh = property(fget=_get_thresh, fset=_set_thresh,
  184. doc="Set or obtain the Vector threshold")
  185. @property
  186. @must_be_open
  187. def full_name(self):
  188. """Return the full name of Vector"""
  189. return libvect.Vect_get_full_name(self.c_mapinfo)
  190. @property
  191. @must_be_open
  192. def maptype(self):
  193. """Return the map type of Vector"""
  194. return MAPTYPE[libvect.Vect_maptype(self.c_mapinfo)]
  195. @property
  196. @must_be_open
  197. def proj_name(self):
  198. """Return the project name of Vector"""
  199. return libvect.Vect_get_proj_name(self.c_mapinfo)
  200. def write_header(self):
  201. """Save the change in the C struct permanently to disk."""
  202. libvect.Vect_write_header(self.c_mapinfo)
  203. def rename(self, newname):
  204. """Method to rename the Vector map
  205. :param newname: the new name for the Vector map
  206. :type newname: str
  207. """
  208. if self.exist():
  209. if not self.is_open():
  210. utils.rename(self.name, newname, 'vect')
  211. else:
  212. raise GrassError("The map is open, not able to renamed it.")
  213. self._name = newname
  214. def is_3D(self):
  215. """Return if the Vector is 3D"""
  216. return bool(libvect.Vect_is_3d(self.c_mapinfo))
  217. def exist(self):
  218. """Return if the Vector exists or not"""
  219. if self.name:
  220. if self.mapset == '':
  221. mapset = utils.get_mapset_vector(self.name, self.mapset)
  222. self.mapset = mapset if mapset else ''
  223. return True if mapset else False
  224. return bool(utils.get_mapset_vector(self.name, self.mapset))
  225. else:
  226. return False
  227. def is_open(self):
  228. """Return if the Vector is open"""
  229. return is_open(self.c_mapinfo)
  230. def open(self, mode=None, layer=1, overwrite=None, with_z=None,
  231. # parameters valid only if mode == 'w'
  232. tab_name='', tab_cols=None, link_name=None, link_key='cat',
  233. link_db='$GISDBASE/$LOCATION_NAME/$MAPSET/sqlite/sqlite.db',
  234. link_driver='sqlite'):
  235. """Open a Vector map.
  236. :param mode: open a vector map in ``r`` in reading, ``w`` in writing
  237. and in ``rw`` read and write mode
  238. :type mode: str
  239. :param layer: specify the layer that you want to use
  240. :type layer: int
  241. :param overwrite: valid only for ``w`` mode
  242. :type overwrite: bool
  243. :param with_z: specify if vector map must be open with third dimension
  244. enabled or not. Valid only for ``w`` mode,
  245. default: False
  246. :type with_z: bool
  247. :param tab_name: define the name of the table that will be generate
  248. :type tab_name: str
  249. :param tab_cols: define the name and type of the columns of the
  250. attribute table of the vecto map
  251. :type tab_cols: list of pairs
  252. :param link_name: define the name of the link connecttion with the
  253. database
  254. :type link_name: str
  255. :param link_key: define the nema of the column that will be use as
  256. vector category
  257. :type link_key: str
  258. :param link_db: define the database connection parameters
  259. :type link_db: str
  260. :param link_driver: define witch database driver will be used
  261. :param link_driver: str
  262. Some of the parameters are valid only with mode ``w`` or ``rw``
  263. See more examples in the documentation of the ``read`` and ``write``
  264. methods
  265. """
  266. self.mode = mode if mode else self.mode
  267. with_z = libvect.WITH_Z if with_z else libvect.WITHOUT_Z
  268. # check if map exists or not
  269. if not self.exist() and self.mode != 'w':
  270. raise OpenError("Map <%s> not found." % self._name)
  271. if libvect.Vect_set_open_level(self._topo_level) != 0:
  272. raise OpenError("Invalid access level.")
  273. # update the overwrite attribute
  274. self.overwrite = overwrite if overwrite is not None else self.overwrite
  275. # check if the mode is valid
  276. if self.mode not in ('r', 'rw', 'w'):
  277. raise ValueError("Mode not supported. Use one of: 'r', 'rw', 'w'.")
  278. # check if the map exist
  279. if self.exist() and self.mode in ('r', 'rw'):
  280. # open in READ mode
  281. if self.mode == 'r':
  282. openvect = libvect.Vect_open_old2(self.c_mapinfo, self.name,
  283. self.mapset, str(layer))
  284. # open in READ and WRITE mode
  285. elif self.mode == 'rw':
  286. openvect = libvect.Vect_open_update2(self.c_mapinfo, self.name,
  287. self.mapset, str(layer))
  288. # instantiate class attributes
  289. self.dblinks = DBlinks(self.c_mapinfo)
  290. # If it is opened in write mode
  291. if self.mode == 'w':
  292. openvect = libvect.Vect_open_new(self.c_mapinfo, self.name, with_z)
  293. self.dblinks = DBlinks(self.c_mapinfo)
  294. if self.mode in ('w', 'rw') and tab_cols:
  295. # create a link
  296. link = Link(layer,
  297. link_name if link_name else self.name,
  298. tab_name if tab_name else self.name,
  299. link_key, link_db, link_driver)
  300. # add the new link
  301. self.dblinks.add(link)
  302. # create the table
  303. table = link.table()
  304. table.create(tab_cols, overwrite=overwrite)
  305. table.conn.commit()
  306. # check the C function result.
  307. if openvect == -1:
  308. str_err = "Not able to open the map, C function return %d."
  309. raise OpenError(str_err % openvect)
  310. if len(self.dblinks) == 0:
  311. self.layer = layer
  312. self.table = None
  313. self.n_lines = 0
  314. else:
  315. self.layer = self.dblinks.by_layer(layer).layer
  316. self.table = self.dblinks.by_layer(layer).table()
  317. self.n_lines = self.table.n_rows()
  318. self.writeable = self.mapset == utils.getenv("MAPSET")
  319. # Initialize the finder
  320. self.find = {'by_point': PointFinder(self.c_mapinfo, self.table,
  321. self.writeable),
  322. 'by_bbox': BboxFinder(self.c_mapinfo, self.table,
  323. self.writeable),
  324. 'by_polygon': PolygonFinder(self.c_mapinfo, self.table,
  325. self.writeable), }
  326. self.find_by_point = self.find["by_point"]
  327. self.find_by_bbox = self.find["by_bbox"]
  328. self.find_by_polygon = self.find["by_polygon"]
  329. def close(self, build=False):
  330. """Method to close the Vector
  331. :param build: True if the vector map should be build before close it
  332. :type build: bool
  333. """
  334. if hasattr(self, 'table') and self.table is not None:
  335. self.table.conn.close()
  336. if self.is_open():
  337. if libvect.Vect_close(self.c_mapinfo) != 0:
  338. str_err = 'Error when trying to close the map with Vect_close'
  339. raise GrassError(str_err)
  340. if ((self.c_mapinfo.contents.mode == libvect.GV_MODE_RW or
  341. self.c_mapinfo.contents.mode == libvect.GV_MODE_WRITE) and
  342. build):
  343. self.build()
  344. def remove(self):
  345. """Remove vector map"""
  346. if self.is_open():
  347. self.close()
  348. utils.remove(self.name, 'vect')
  349. def build(self):
  350. """Close the vector map and build vector Topology"""
  351. self.close()
  352. libvect.Vect_set_open_level(1)
  353. if libvect.Vect_open_old2(self.c_mapinfo, self.name,
  354. self.mapset, '0') != 1:
  355. str_err = 'Error when trying to open the vector map.'
  356. raise GrassError(str_err)
  357. # Vect_build returns 1 on success and 0 on error (bool approach)
  358. if libvect.Vect_build(self.c_mapinfo) != 1:
  359. str_err = 'Error when trying build topology with Vect_build'
  360. raise GrassError(str_err)
  361. libvect.Vect_close(self.c_mapinfo)
  362. if __name__ == "__main__":
  363. import doctest
  364. utils.create_test_vector_map(test_vector_name)
  365. doctest.testmod()