utils.py 4.0 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130
  1. # -*- coding: utf-8 -*-
  2. from flask import current_app
  3. from flask.globals import _request_ctx_stack
  4. from collections import OrderedDict
  5. from datetime import datetime
  6. from urlparse import urlunsplit
  7. import pytz
  8. import json
  9. import sys
  10. from . import db
  11. def dict_to_geojson(d_in):
  12. """
  13. Encode a dict representing a GeoJSON object into a JSON string.
  14. This is needed because spatialite's GeoJSON parser is not really
  15. JSON-compliant and it fails when keys are not in the right order.
  16. """
  17. d = OrderedDict()
  18. d['type'] = d_in['type']
  19. if 'crs' in d_in:
  20. d['crs'] = d_in['crs']
  21. # our spatialite geo column is defined with EPSG SRID 4326 (WGS 84)
  22. d['crs'] = {'type': 'name', 'properties': {'name': 'urn:ogc:def:crs:EPSG:4326'}}
  23. if 'bbox' in d_in:
  24. d['bbox'] = d_in['bbox']
  25. d['coordinates'] = d_in['coordinates']
  26. return json.dumps(d)
  27. def check_geojson_spatialite(_gjson):
  28. """
  29. Checks if a GeoJSON dict is understood by spatialite
  30. >>> check_geojson_spatialite({'type': 'NOPE', 'coordinates': []})
  31. False
  32. >>> check_geojson_spatialite({'type': 'Polygon', 'coordinates': [
  33. ... [[0.0, 0.0], [0.0, 1.0], [1.0, 1.0], [1.0, 0.0]]
  34. ... ]})
  35. True
  36. """
  37. gjson = dict_to_geojson(_gjson)
  38. return bool(db.session.query(db.func.GeomFromGeoJSON(gjson) != None).first()[0])
  39. def utcnow():
  40. """
  41. Return the current UTC date and time as a datetime object with proper tzinfo.
  42. """
  43. return datetime.utcnow().replace(tzinfo=pytz.utc)
  44. def tosystemtz(d):
  45. """
  46. Convert the UTC datetime ``d`` to the system time zone defined in the settings
  47. """
  48. return d.astimezone(pytz.timezone(current_app.config['SYSTEM_TIME_ZONE']))
  49. def filesize_fmt(num):
  50. fmt = lambda num, unit: "%s %s" % (format(num, '.2f').rstrip('0').rstrip('.'), unit)
  51. for x in ['bytes', 'KiB', 'MiB', 'GiB']:
  52. if num < 1024.0:
  53. return fmt(num, x)
  54. num /= 1024.0
  55. return fmt(num, 'TiB')
  56. def stream_with_ctx_and_exc(generator_or_function):
  57. """
  58. taken from flask's code, added exception logging
  59. """
  60. try:
  61. gen = iter(generator_or_function)
  62. except TypeError:
  63. def decorator(*args, **kwargs):
  64. gen = generator_or_function()
  65. return stream_with_context(gen)
  66. return update_wrapper(decorator, generator_or_function)
  67. def generator():
  68. ctx = _request_ctx_stack.top
  69. if ctx is None:
  70. raise RuntimeError('Attempted to stream with context but '
  71. 'there was no context in the first place to keep around.')
  72. with ctx:
  73. # Dummy sentinel. Has to be inside the context block or we're
  74. # not actually keeping the context around.
  75. yield None
  76. # The try/finally is here so that if someone passes a WSGI level
  77. # iterator in we're still running the cleanup logic. Generators
  78. # don't need that because they are closed on their destruction
  79. # automatically.
  80. try:
  81. for item in gen:
  82. yield item
  83. except Exception as e:
  84. exc_type, exc_value, tb = sys.exc_info()
  85. current_app.log_exception((exc_type, exc_value, tb))
  86. finally:
  87. if hasattr(gen, 'close'):
  88. gen.close()
  89. # The trick is to start the generator. Then the code execution runs until
  90. # the first dummy None is yielded at which point the context was already
  91. # pushed. This item is discarded. Then when the iteration continues the
  92. # real generator is executed.
  93. wrapped_g = generator()
  94. next(wrapped_g)
  95. return wrapped_g
  96. def make_ispjson_url(split_url):
  97. """
  98. Take a tuple as returned by urlsplit and return the
  99. isp.json url for that domain
  100. >>> from urlparse import urlsplit
  101. >>> make_ispjson_url(urlsplit('http://isp.com'))
  102. 'http://isp.com/isp.json'
  103. """
  104. u = list(split_url)
  105. u[2] = '/isp.json' # new path
  106. return urlunsplit(u)