utils.py 9.7 KB

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