utils.py 9.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316
  1. import datetime
  2. import json
  3. from collections import OrderedDict
  4. from django.core.serializers import serialize
  5. from django.db.models import Count, OuterRef, Subquery
  6. from jinja2 import Environment
  7. from dcim.choices import CableLengthUnitChoices
  8. from extras.utils import is_taggable
  9. from utilities.constants import HTTP_REQUEST_META_SAFE_COPY
  10. def csv_format(data):
  11. """
  12. Encapsulate any data which contains a comma within double quotes.
  13. """
  14. csv = []
  15. for value in data:
  16. # Represent None or False with empty string
  17. if value is None or value is False:
  18. csv.append('')
  19. continue
  20. # Convert dates to ISO format
  21. if isinstance(value, (datetime.date, datetime.datetime)):
  22. value = value.isoformat()
  23. # Force conversion to string first so we can check for any commas
  24. if not isinstance(value, str):
  25. value = '{}'.format(value)
  26. # Double-quote the value if it contains a comma or line break
  27. if ',' in value or '\n' in value:
  28. value = value.replace('"', '""') # Escape double-quotes
  29. csv.append('"{}"'.format(value))
  30. else:
  31. csv.append('{}'.format(value))
  32. return ','.join(csv)
  33. def foreground_color(bg_color):
  34. """
  35. Return the ideal foreground color (black or white) for a given background color in hexadecimal RGB format.
  36. """
  37. bg_color = bg_color.strip('#')
  38. r, g, b = [int(bg_color[c:c + 2], 16) for c in (0, 2, 4)]
  39. if r * 0.299 + g * 0.587 + b * 0.114 > 186:
  40. return '000000'
  41. else:
  42. return 'ffffff'
  43. def dynamic_import(name):
  44. """
  45. Dynamically import a class from an absolute path string
  46. """
  47. components = name.split('.')
  48. mod = __import__(components[0])
  49. for comp in components[1:]:
  50. mod = getattr(mod, comp)
  51. return mod
  52. def get_subquery(model, field):
  53. """
  54. Return a Subquery suitable for annotating a child object count.
  55. """
  56. subquery = Subquery(
  57. model.objects.filter(
  58. **{field: OuterRef('pk')}
  59. ).order_by().values(
  60. field
  61. ).annotate(
  62. c=Count('*')
  63. ).values('c')
  64. )
  65. return subquery
  66. def serialize_object(obj, extra=None, exclude=None):
  67. """
  68. Return a generic JSON representation of an object using Django's built-in serializer. (This is used for things like
  69. change logging, not the REST API.) Optionally include a dictionary to supplement the object data. A list of keys
  70. can be provided to exclude them from the returned dictionary. Private fields (prefaced with an underscore) are
  71. implicitly excluded.
  72. """
  73. json_str = serialize('json', [obj])
  74. data = json.loads(json_str)[0]['fields']
  75. # Include custom_field_data as "custom_fields"
  76. if hasattr(obj, 'custom_field_data'):
  77. data['custom_fields'] = data.pop('custom_field_data')
  78. # Include any tags. Check for tags cached on the instance; fall back to using the manager.
  79. if is_taggable(obj):
  80. tags = getattr(obj, '_tags', obj.tags.all())
  81. data['tags'] = [tag.name for tag in tags]
  82. # Append any extra data
  83. if extra is not None:
  84. data.update(extra)
  85. # Copy keys to list to avoid 'dictionary changed size during iteration' exception
  86. for key in list(data):
  87. # Private fields shouldn't be logged in the object change
  88. if isinstance(key, str) and key.startswith('_'):
  89. data.pop(key)
  90. # Explicitly excluded keys
  91. if isinstance(exclude, (list, tuple)) and key in exclude:
  92. data.pop(key)
  93. return data
  94. def dict_to_filter_params(d, prefix=''):
  95. """
  96. Translate a dictionary of attributes to a nested set of parameters suitable for QuerySet filtering. For example:
  97. {
  98. "name": "Foo",
  99. "rack": {
  100. "facility_id": "R101"
  101. }
  102. }
  103. Becomes:
  104. {
  105. "name": "Foo",
  106. "rack__facility_id": "R101"
  107. }
  108. And can be employed as filter parameters:
  109. Device.objects.filter(**dict_to_filter(attrs_dict))
  110. """
  111. params = {}
  112. for key, val in d.items():
  113. k = prefix + key
  114. if isinstance(val, dict):
  115. params.update(dict_to_filter_params(val, k + '__'))
  116. else:
  117. params[k] = val
  118. return params
  119. def normalize_querydict(querydict):
  120. """
  121. Convert a QueryDict to a normal, mutable dictionary, preserving list values. For example,
  122. QueryDict('foo=1&bar=2&bar=3&baz=')
  123. becomes:
  124. {'foo': '1', 'bar': ['2', '3'], 'baz': ''}
  125. This function is necessary because QueryDict does not provide any built-in mechanism which preserves multiple
  126. values.
  127. """
  128. return {
  129. k: v if len(v) > 1 else v[0] for k, v in querydict.lists()
  130. }
  131. def deepmerge(original, new):
  132. """
  133. Deep merge two dictionaries (new into original) and return a new dict
  134. """
  135. merged = OrderedDict(original)
  136. for key, val in new.items():
  137. if key in original and isinstance(original[key], dict) and isinstance(val, dict):
  138. merged[key] = deepmerge(original[key], val)
  139. else:
  140. merged[key] = val
  141. return merged
  142. def to_meters(length, unit):
  143. """
  144. Convert the given length to meters.
  145. """
  146. length = int(length)
  147. if length < 0:
  148. raise ValueError("Length must be a positive integer")
  149. valid_units = CableLengthUnitChoices.values()
  150. if unit not in valid_units:
  151. raise ValueError(
  152. "Unknown unit {}. Must be one of the following: {}".format(unit, ', '.join(valid_units))
  153. )
  154. if unit == CableLengthUnitChoices.UNIT_METER:
  155. return length
  156. if unit == CableLengthUnitChoices.UNIT_CENTIMETER:
  157. return length / 100
  158. if unit == CableLengthUnitChoices.UNIT_FOOT:
  159. return length * 0.3048
  160. if unit == CableLengthUnitChoices.UNIT_INCH:
  161. return length * 0.3048 * 12
  162. raise ValueError("Unknown unit {}. Must be 'm', 'cm', 'ft', or 'in'.".format(unit))
  163. def render_jinja2(template_code, context):
  164. """
  165. Render a Jinja2 template with the provided context. Return the rendered content.
  166. """
  167. return Environment().from_string(source=template_code).render(**context)
  168. def prepare_cloned_fields(instance):
  169. """
  170. Compile an object's `clone_fields` list into a string of URL query parameters. Tags are automatically cloned where
  171. applicable.
  172. """
  173. params = []
  174. for field_name in getattr(instance, 'clone_fields', []):
  175. field = instance._meta.get_field(field_name)
  176. field_value = field.value_from_object(instance)
  177. # Swap out False with URL-friendly value
  178. if field_value is False:
  179. field_value = ''
  180. # Omit empty values
  181. if field_value not in (None, ''):
  182. params.append((field_name, field_value))
  183. # Copy tags
  184. if is_taggable(instance):
  185. for tag in instance.tags.all():
  186. params.append(('tags', tag.pk))
  187. # Concatenate parameters into a URL query string
  188. param_string = '&'.join([f'{k}={v}' for k, v in params])
  189. return param_string
  190. def shallow_compare_dict(source_dict, destination_dict, exclude=None):
  191. """
  192. Return a new dictionary of the different keys. The values of `destination_dict` are returned. Only the equality of
  193. the first layer of keys/values is checked. `exclude` is a list or tuple of keys to be ignored.
  194. """
  195. difference = {}
  196. for key in destination_dict:
  197. if source_dict.get(key) != destination_dict[key]:
  198. if isinstance(exclude, (list, tuple)) and key in exclude:
  199. continue
  200. difference[key] = destination_dict[key]
  201. return difference
  202. def flatten_dict(d, prefix='', separator='.'):
  203. """
  204. Flatten netsted dictionaries into a single level by joining key names with a separator.
  205. :param d: The dictionary to be flattened
  206. :param prefix: Initial prefix (if any)
  207. :param separator: The character to use when concatenating key names
  208. """
  209. ret = {}
  210. for k, v in d.items():
  211. key = separator.join([prefix, k]) if prefix else k
  212. if type(v) is dict:
  213. ret.update(flatten_dict(v, prefix=key))
  214. else:
  215. ret[key] = v
  216. return ret
  217. # Taken from django.utils.functional (<3.0)
  218. def curry(_curried_func, *args, **kwargs):
  219. def _curried(*moreargs, **morekwargs):
  220. return _curried_func(*args, *moreargs, **{**kwargs, **morekwargs})
  221. return _curried
  222. #
  223. # Fake request object
  224. #
  225. class NetBoxFakeRequest:
  226. """
  227. A fake request object which is explicitly defined at the module level so it is able to be pickled. It simply
  228. takes what is passed to it as kwargs on init and sets them as instance variables.
  229. """
  230. def __init__(self, _dict):
  231. self.__dict__ = _dict
  232. def copy_safe_request(request):
  233. """
  234. Copy selected attributes from a request object into a new fake request object. This is needed in places where
  235. thread safe pickling of the useful request data is needed.
  236. """
  237. meta = {
  238. k: request.META[k]
  239. for k in HTTP_REQUEST_META_SAFE_COPY
  240. if k in request.META and isinstance(request.META[k], str)
  241. }
  242. return NetBoxFakeRequest({
  243. 'META': meta,
  244. 'POST': request.POST,
  245. 'GET': request.GET,
  246. 'FILES': request.FILES,
  247. 'user': request.user,
  248. 'path': request.path,
  249. 'id': getattr(request, 'id', None), # UUID assigned by middleware
  250. })