models.py 14 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344
  1. # -*- coding: utf-8 -*-
  2. from __future__ import unicode_literals, division, print_function
  3. import subprocess
  4. import os
  5. from math import radians, degrees, sin, cos, asin, atan2, sqrt, ceil
  6. from django.db import models
  7. from django.conf import settings
  8. from django.core.exceptions import ValidationError
  9. from django.core.validators import MinValueValidator, MaxValueValidator
  10. from django.core.urlresolvers import reverse
  11. from django.utils.encoding import python_2_unicode_compatible
  12. from django.utils.translation import ugettext_lazy as _
  13. from .tasks import generate_tiles
  14. from .utils import makedirs, path_exists
  15. EARTH_RADIUS = 6371009
  16. class Point(models.Model):
  17. """Geographical point, with altitude."""
  18. latitude = models.FloatField(verbose_name=_("latitude"), help_text=_("In degrees"),
  19. validators=[MinValueValidator(-90),
  20. MaxValueValidator(90)])
  21. longitude = models.FloatField(verbose_name=_("longitude"), help_text=_("In degrees"),
  22. validators=[MinValueValidator(-180),
  23. MaxValueValidator(180)])
  24. altitude = models.FloatField(verbose_name=_("altitude"), help_text=_("In meters"),
  25. validators=[MinValueValidator(0.)])
  26. @property
  27. def latitude_rad(self):
  28. return radians(self.latitude)
  29. @property
  30. def longitude_rad(self):
  31. return radians(self.longitude)
  32. @property
  33. def altitude_abs(self):
  34. """Absolute distance to the center of Earth (in a spherical model)"""
  35. return EARTH_RADIUS + self.altitude
  36. def great_angle(self, other):
  37. """Returns the great angle, in radians, between the two given points. The
  38. great angle is the angle formed by the two points when viewed from
  39. the center of the Earth.
  40. """
  41. lon_delta = other.longitude_rad - self.longitude_rad
  42. a = (cos(other.latitude_rad) * sin(lon_delta)) ** 2 \
  43. + (cos(self.latitude_rad) * sin(other.latitude_rad) \
  44. - sin(self.latitude_rad) * cos(other.latitude_rad) * cos(lon_delta)) ** 2
  45. b = sin(self.latitude_rad) * sin(other.latitude_rad) \
  46. + cos(self.latitude_rad) * cos(other.latitude_rad) * cos(lon_delta)
  47. angle = atan2(sqrt(a), b)
  48. return angle
  49. def great_circle_distance(self, other):
  50. """Returns the great circle distance between two points, without taking
  51. into account their altitude. Don't use this to compute
  52. line-of-sight distance, see [line_distance] instead.
  53. """
  54. return EARTH_RADIUS * self.great_angle(other)
  55. def line_distance(self, other):
  56. """Distance of the straight line between two points on Earth, in meters.
  57. Note that this is only useful because we are considering
  58. line-of-sight links, where straight-line distance is the relevant
  59. distance. For arbitrary points on Earth, great-circle distance
  60. would most likely be preferred.
  61. """
  62. delta_lon = other.longitude_rad - self.longitude_rad
  63. # Cosine of the angle between the two points on their great circle.
  64. cos_angle = sin(self.latitude_rad) * sin(other.latitude_rad) \
  65. + cos(self.latitude_rad) * cos(other.latitude_rad) * cos(delta_lon)
  66. # Al-Kashi formula
  67. return sqrt(self.altitude_abs ** 2 \
  68. + other.altitude_abs ** 2 \
  69. - 2 * self.altitude_abs * other.altitude_abs * cos_angle)
  70. def bearing(self, other):
  71. """Bearing, in degrees, between this point and another point."""
  72. delta_lon = other.longitude_rad - self.longitude_rad
  73. y = sin(delta_lon) * cos(other.latitude_rad)
  74. x = cos(self.latitude_rad) * sin(other.latitude_rad) \
  75. - sin(self.latitude_rad) * cos(other.latitude_rad) * cos(delta_lon)
  76. return degrees(atan2(y, x))
  77. def elevation(self, other):
  78. """Elevation, in degrees, between this point and another point."""
  79. d = self.line_distance(other)
  80. sin_elev = (other.altitude_abs ** 2 - self.altitude_abs ** 2 - d ** 2) \
  81. / (2 * self.altitude_abs * d)
  82. return degrees(asin(sin_elev))
  83. class Meta:
  84. abstract = True
  85. @python_2_unicode_compatible
  86. class ReferencePoint(Point):
  87. """Reference point, to be used"""
  88. name = models.CharField(verbose_name=_("name"), max_length=255,
  89. help_text=_("Name of the point"))
  90. KIND_OTHER = 'other'
  91. KIND_SUBSCRIBER = 'subscriber'
  92. KIND_WAITING = 'waiting'
  93. KIND_CHOICES = (
  94. (KIND_WAITING, _('waiting')),
  95. (KIND_SUBSCRIBER, _('subscriber')),
  96. (KIND_OTHER, _('other')),
  97. )
  98. kind = models.CharField(verbose_name=_('kind'), max_length=255,
  99. choices=KIND_CHOICES, default=KIND_WAITING)
  100. def __str__(self):
  101. return self.name
  102. class Meta:
  103. verbose_name = _("reference point")
  104. verbose_name_plural = _("reference points")
  105. class Panorama(ReferencePoint):
  106. loop = models.BooleanField(default=False, verbose_name=_("360° panorama"),
  107. help_text=_("Whether the panorama loops around the edges"))
  108. image = models.ImageField(verbose_name=_("image"), upload_to="pano",
  109. width_field="image_width",
  110. height_field="image_height")
  111. image_width = models.PositiveIntegerField(default=0, verbose_name=_("image width"))
  112. image_height = models.PositiveIntegerField(default=0, verbose_name=_("image height"))
  113. # Set of references, i.e. reference points with information on how
  114. # they relate to this panorama.
  115. references = models.ManyToManyField(ReferencePoint, through='Reference',
  116. related_name="referenced_panorama",
  117. verbose_name=_("references"))
  118. def tiles_dir(self):
  119. return os.path.join(settings.MEDIA_ROOT, settings.PANORAMA_TILES_DIR,
  120. str(self.pk))
  121. def tiles_url(self):
  122. return os.path.join(settings.MEDIA_URL, settings.PANORAMA_TILES_DIR,
  123. str(self.pk))
  124. def has_tiles(self):
  125. return path_exists(self.tiles_dir()) and len(os.listdir(self.tiles_dir())) > 0
  126. has_tiles.boolean = True
  127. has_tiles.short_description = _("Tiles available?")
  128. def delete_tiles(self):
  129. """Delete all tiles and the tiles dir"""
  130. # If the directory doesn't exist, do nothing
  131. if not path_exists(self.tiles_dir()):
  132. return
  133. # Delete all tiles
  134. for filename in os.listdir(self.tiles_dir()):
  135. os.unlink(os.path.join(self.tiles_dir(), filename))
  136. os.rmdir(self.tiles_dir())
  137. def generate_tiles(self):
  138. makedirs(self.tiles_dir(), exist_ok=True)
  139. generate_tiles.delay(self.image.path, self.tiles_dir())
  140. def get_absolute_url(self, cap=None, ele=None, zoom=None):
  141. base_url = reverse('panorama:view_pano', args=[str(self.pk)])
  142. # Add parameters to point to the given direction, interpreted by
  143. # the js frontend
  144. if zoom is None:
  145. zoom = 0
  146. if not None in (zoom, cap, ele):
  147. return base_url + "#zoom={}/cap={}/ele={}".format(zoom, cap, ele)
  148. else:
  149. return base_url
  150. def tiles_data(self):
  151. """Hack to feed the current js code with tiles data (we should use the
  152. JSON API instead, and get rid of this function)"""
  153. data = dict()
  154. for zoomlevel in range(9):
  155. width = self.image_width >> zoomlevel
  156. height = self.image_height >> zoomlevel
  157. d = dict()
  158. d["tile_width"] = d["tile_height"] = 256
  159. # Python3-style division
  160. d["ntiles_x"] = int(ceil(width / 256))
  161. d["ntiles_y"] = int(ceil(height / 256))
  162. d["last_tile_width"] = width % 256
  163. d["last_tile_height"] = height % 256
  164. data[zoomlevel] = d
  165. return data
  166. def refpoints_data(self):
  167. """Similar hack, returns all reference points around the panorama."""
  168. def get_url(refpoint):
  169. """If the refpoint is also a panorama, returns its canonical URL"""
  170. if hasattr(refpoint, "panorama"):
  171. # Point towards the current panorama
  172. return refpoint.panorama.get_absolute_url(refpoint.bearing(self),
  173. refpoint.elevation(self))
  174. else:
  175. return ""
  176. refpoints = [refpoint for refpoint in ReferencePoint.objects.all()
  177. if self.great_circle_distance(refpoint) <= settings.PANORAMA_MAX_DISTANCE and refpoint.pk != self.pk]
  178. refpoints.sort(key=lambda r: self.line_distance(r))
  179. return enumerate([{"id": r.pk,
  180. "name": r.name,
  181. "url": get_url(r),
  182. "cap": self.bearing(r),
  183. "elevation": self.elevation(r),
  184. "distance": self.line_distance(r) / 1000}
  185. for r in refpoints])
  186. def references_data(self):
  187. """Similar hack, returns all references currently associated to the
  188. panorama."""
  189. return [{"id": r.pk,
  190. "name": r.reference_point.name,
  191. # Adapt to js-based coordinates (x between 0 and 1, y
  192. # between -0.5 and 0.5)
  193. "x": r.x / r.panorama.image_width,
  194. "y": (r.y / r.panorama.image_height) - 0.5,
  195. "cap": self.bearing(r.reference_point),
  196. "elevation": self.elevation(r.reference_point)}
  197. for r in self.panorama_references.all()]
  198. def is_visible(self, point):
  199. """Return True if the Panorama can see the point."""
  200. if self.great_circle_distance(point) > settings.PANORAMA_MAX_DISTANCE:
  201. return False
  202. if self.loop:
  203. return True
  204. cap = self.bearing(point) % 360
  205. cap_min = self.cap_min()
  206. cap_max = self.cap_max()
  207. # Not enough references
  208. if cap_min is None or cap_max is None:
  209. return False
  210. if cap_min < cap_max:
  211. # Nominal case
  212. return cap_min <= cap <= cap_max
  213. else:
  214. return cap_min <= cap or cap <= cap_max
  215. def cap_min(self):
  216. return self._cap_minmax(True)
  217. def cap_max(self):
  218. return self._cap_minmax(False)
  219. def _cap_minmax(self, ismin=True):
  220. """Return the cap on the border of the image.
  221. :param ismin: True if the min cap should be processed False if it is the
  222. max.
  223. @return None if the image is looping or if the image have less than two
  224. references.
  225. """
  226. if self.loop:
  227. return None
  228. it = self.panorama_references.order_by(
  229. 'x' if ismin else '-x').iterator()
  230. try:
  231. ref1 = next(it)
  232. ref2 = next(it)
  233. except StopIteration:
  234. return None
  235. cap1 = self.bearing(ref1.reference_point)
  236. cap2 = self.bearing(ref2.reference_point)
  237. target_x = 0 if ismin else self.image_width
  238. # For circulary issues
  239. if ismin and cap2 < cap1:
  240. cap2 += 360
  241. if (not ismin) and cap1 < cap2:
  242. cap1 += 360
  243. target_cap = cap1 + (target_x - ref1.x) * (cap2 - cap1) / \
  244. (ref2.x - ref1.x)
  245. return target_cap % 360
  246. class Meta:
  247. verbose_name = _("panorama")
  248. verbose_name_plural = _("panoramas")
  249. @python_2_unicode_compatible
  250. class Reference(models.Model):
  251. """A reference is made of a Panorama, a Reference Point, and the position
  252. (x, y) of the reference point inside the image. With enough
  253. references, the panorama is calibrated. That is, we can build a
  254. mapping between pixels of the image and directions in 3D space, which
  255. are represented by (azimuth, elevation) couples."""
  256. # Components of the ManyToMany relation
  257. reference_point = models.ForeignKey(ReferencePoint, related_name="refpoint_references",
  258. verbose_name=_("reference point"))
  259. panorama = models.ForeignKey(Panorama, related_name="panorama_references",
  260. verbose_name=_("panorama"))
  261. # Position of the reference point in the panorama image
  262. x = models.PositiveIntegerField()
  263. y = models.PositiveIntegerField()
  264. class Meta:
  265. # It makes no sense to have multiple references of the same
  266. # reference point on a given panorama.
  267. unique_together = (("reference_point", "panorama"),)
  268. def clean(self):
  269. # Check that the reference point and the panorama are different
  270. # (remember that panoramas can *also* be seen as reference points)
  271. if self.panorama.pk == self.reference_point.pk:
  272. raise ValidationError(_("A panorama can't reference itself."))
  273. # Check than the position is within the bounds of the image.
  274. w = self.panorama.image_width
  275. h = self.panorama.image_height
  276. if self.x >= w or self.y >= h:
  277. raise ValidationError(_("Position {xy} is outside the bounds "
  278. "of the image ({width}, {height}).").format(
  279. xy=(self.x, self.y),
  280. width=w,
  281. height=h))
  282. def __str__(self):
  283. return _('{refpoint} at {xy} in {pano}').format(
  284. pano=self.panorama.name,
  285. xy=(self.x, self.y),
  286. refpoint=self.reference_point.name,
  287. )
  288. class Meta:
  289. verbose_name = _("reference")
  290. verbose_name_plural = _("references")