toolbox.py 6.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219
  1. import logging
  2. import pickle
  3. from collections import defaultdict
  4. from hashlib import sha1
  5. from flask import request, g
  6. from rdflib.term import Literal, URIRef, Variable
  7. from lakesuperior.dictionaries.namespaces import ns_collection as nsc
  8. class Toolbox:
  9. '''
  10. Utility class to translate and generate strings and other objects.
  11. '''
  12. _logger = logging.getLogger(__name__)
  13. ROOT_NODE_URN = nsc['fcsystem'].root
  14. def __init__(self):
  15. '''
  16. Set the base URL for the requests. This class has to be instantiated
  17. within a request context.
  18. '''
  19. self.base_url = request.host_url + g.url_prefix
  20. def camelcase(self, word):
  21. '''
  22. Convert a string with underscores with a camel-cased one.
  23. Ripped from https://stackoverflow.com/a/6425628
  24. '''
  25. return ''.join(x.capitalize() or '_' for x in word.split('_'))
  26. def uuid_to_uri(self, uuid):
  27. '''Convert a UUID to a URI.
  28. @return URIRef
  29. '''
  30. return URIRef('{}/{}'.format(self.base_url, uuid))
  31. def uri_to_uuid(self, uri):
  32. '''Convert an absolute URI (internal or external) to a UUID.
  33. @return string
  34. '''
  35. if uri.startswith(nsc['fcres']):
  36. return str(uri).replace(nsc['fcres'], '')
  37. else:
  38. return str(uri).replace(self.base_url, '')
  39. def localize_string(self, s):
  40. '''Convert URIs into URNs in a string using the application base URI.
  41. @param string s Input string.
  42. @return string
  43. '''
  44. return s.replace(self.base_url+'/', str(nsc['fcres']))\
  45. .replace(self.base_url, str(nsc['fcres']))
  46. def localize_term(self, uri):
  47. '''
  48. Convert an URI into an URN.
  49. @param rdflib.term.URIRef urn Input URI.
  50. @return rdflib.term.URIRef
  51. '''
  52. self._logger.debug('Input URI: {}'.format(uri))
  53. if uri.strip('/') == self.base_url:
  54. return self.ROOT_NODE_URN
  55. return URIRef(self.localize_string(str(uri)))
  56. def globalize_string(self, s):
  57. '''Convert URNs into URIs in a string using the application base URI.
  58. @param string s Input string.
  59. @return string
  60. '''
  61. return s.replace(str(nsc['fcres']), self.base_url + '/')
  62. def globalize_term(self, urn):
  63. '''
  64. Convert an URN into an URI using the application base URI.
  65. @param rdflib.term.URIRef urn Input URN.
  66. @return rdflib.term.URIRef
  67. '''
  68. if urn == self.ROOT_NODE_URN:
  69. urn = nsc['fcres']
  70. return URIRef(self.globalize_string(str(urn)))
  71. @staticmethod
  72. def globalize_graph(g):
  73. '''
  74. Globalize a graph.
  75. '''
  76. from lakesuperior.model.ldpr import Ldpr
  77. q = '''
  78. CONSTRUCT {{ ?s ?p ?o . }} WHERE {{
  79. {{
  80. ?s ?p ?o .
  81. FILTER (
  82. STRSTARTS(str(?s), "{0}")
  83. ||
  84. STRSTARTS(str(?o), "{0}")
  85. ||
  86. STRSTARTS(str(?s), "{1}")
  87. ||
  88. STRSTARTS(str(?o), "{1}")
  89. ) .
  90. }}
  91. }}'''.format(nsc['fcres'], self.ROOT_NODE_URN)
  92. flt_g = g.query(q)
  93. for t in flt_g:
  94. global_s = self.globalize_term(t[0])
  95. global_o = self.globalize_term(t[2]) \
  96. if isinstance(t[2], URIRef) \
  97. else t[2]
  98. g.remove(t)
  99. g.add((global_s, t[1], global_o))
  100. return g
  101. def globalize_rsrc(self, rsrc):
  102. '''
  103. Globalize a resource.
  104. '''
  105. g = rsrc.graph
  106. urn = rsrc.identifier
  107. global_g = self.globalize_graph(g)
  108. global_uri = self.globalize_term(urn)
  109. return global_g.resource(global_uri)
  110. def parse_rfc7240(self, h_str):
  111. '''
  112. Parse `Prefer` header as per https://tools.ietf.org/html/rfc7240
  113. The `cgi.parse_header` standard method does not work with all possible
  114. use cases for this header.
  115. @param h_str (string) The header(s) as a comma-separated list of Prefer
  116. statements, excluding the `Prefer: ` token.
  117. '''
  118. parsed_hdr = defaultdict(dict)
  119. # Split up headers by comma
  120. hdr_list = [ x.strip() for x in h_str.split(',') ]
  121. for hdr in hdr_list:
  122. parsed_pref = defaultdict(dict)
  123. # Split up tokens by semicolon
  124. token_list = [ token.strip() for token in hdr.split(';') ]
  125. prefer_token = token_list.pop(0).split('=')
  126. prefer_name = prefer_token[0]
  127. # If preference has a '=', it has a value, else none.
  128. if len(prefer_token)>1:
  129. parsed_pref['value'] = prefer_token[1].strip('"')
  130. for param_token in token_list:
  131. # If the token list had a ';' the preference has a parameter.
  132. print('Param token: {}'.format(param_token))
  133. param_parts = [ prm.strip().strip('"') \
  134. for prm in param_token.split('=') ]
  135. param_value = param_parts[1] if len(param_parts) > 1 else None
  136. parsed_pref['parameters'][param_parts[0]] = param_value
  137. parsed_hdr[prefer_name] = parsed_pref
  138. return parsed_hdr
  139. def rdf_cksum(self, g):
  140. '''
  141. Generate a checksum for a graph.
  142. This is not straightforward because a graph is derived from an
  143. unordered data structure (RDF).
  144. What this method does is ordering the graph by subject, predicate,
  145. object, then creating a pickle string and a checksum of it.
  146. N.B. The context of the triples is ignored, so isomorphic graphs would
  147. have the same checksum regardless of the context(s) they are found in.
  148. @TODO This can be later reworked to use a custom hashing algorithm.
  149. @param rdflib.Graph g The graph to be hashed.
  150. @return string SHA1 checksum.
  151. '''
  152. # Remove the messageDigest property, which very likely reflects the
  153. # previous state of the resource.
  154. g.remove((Variable('s'), nsc['premis'].messageDigest, Variable('o')))
  155. ord_g = sorted(list(g), key=lambda x : (x[0], x[1], x[2]))
  156. hash = sha1(pickle.dumps(ord_g)).hexdigest()
  157. return hash