cache.py 5.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173
  1. import collections
  2. import hashlib
  3. import os
  4. import shutil
  5. import svg
  6. import util
  7. class Cache:
  8. """
  9. Implements a cache system for emoji.
  10. This cache is implemented based on a cache directory where files are placed
  11. in directories by the format they were exported to; the individual cache
  12. files are named by their key, which is generated from:
  13. - the source file of the emoji;
  14. - the colour modifiers applied to the emoji;
  15. This defines how the emoji looks, and makes it such that a change in either
  16. the source or the manifest palette will not reuse the file in cache.
  17. """
  18. cache_dir = None
  19. def __init__(self, cache_dir):
  20. """
  21. Initiate an export cache instance. Requires a directory path (which may
  22. or may not exist already) to function.
  23. """
  24. if not isinstance(cache_dir, str):
  25. raise ValueError("Cache dir must be a string path")
  26. self.cache_dir = cache_dir
  27. self.initiate_cache_dir()
  28. def initiate_cache_dir(self):
  29. """Make the cache directory if it does not exist already."""
  30. if not os.path.exists(self.cache_dir):
  31. try:
  32. os.mkdir(self.cache_dir)
  33. except OSError as exc:
  34. raise RuntimeError("Cannot create cache directory "
  35. "'{}'".format(self.cache_dir)) from exc
  36. elif not os.path.isdir(self.cache_dir):
  37. raise RuntimeError("Cache path '{}' exists but is not a "
  38. "directory".format(self.cache_dir))
  39. return True
  40. @staticmethod
  41. def get_cache_key(emoji, manifest, emoji_src):
  42. """
  43. Get the cache key for a given emoji.
  44. This needs to take into account multiple parts:
  45. - SVG source file: Allows tracking changes to the source
  46. - Colour modifiers, if applicable: Tracks changes in the manifest
  47. """
  48. if 'cache_key' in emoji:
  49. return emoji['cache_key']
  50. src = emoji_src
  51. if isinstance(src, collections.abc.ByteString):
  52. src = bytes(src, 'utf-8')
  53. src_hash = hashlib.sha256(bytes(emoji_src, 'utf-8')).digest()
  54. # Find which variable colours are in this emoji
  55. colors = None
  56. if 'color' in emoji:
  57. pal_src, pal_dst = util.get_color_palettes(emoji, manifest)
  58. colors = []
  59. changed = svg.translated_colors(emoji_src, pal_src, pal_dst)
  60. colors = sorted(changed.items())
  61. # Collect the parts
  62. key_parts = (
  63. ('src_hash', src_hash),
  64. ('colors', colors),
  65. )
  66. # Calculate a unique hash from the parts, building the data to feed
  67. # to the algorithm from the repr() encoded as UTF-8.
  68. # This should be stable as long as the inputs are the same, as we're
  69. # using data structures with an order guarantee.
  70. raw_key = bytes(repr(key_parts), 'utf-8')
  71. key = hashlib.sha256(raw_key).hexdigest()
  72. return key
  73. def build_emoji_cache_path(self, emoji, f):
  74. """
  75. Build the full path to the cache emoji file (regardless of presence).
  76. This requires the 'cache_key' field of the emoji object that is passed
  77. to be present.
  78. """
  79. if 'cache_key' not in emoji:
  80. raise RuntimeError("Emoji '{}' does not have a cache key "
  81. "set!".format(emoji['short']))
  82. dir_path = self.build_cache_dir_by_format(f)
  83. return os.path.join(dir_path, emoji['cache_key'])
  84. def build_cache_dir_by_format(self, f):
  85. """
  86. Checks if the build cache directory for the given format exists,
  87. attempting to create it if it doesn't, and returns its path.
  88. """
  89. if not self.cache_dir:
  90. raise RuntimeError("cache dir not set")
  91. dir_path = os.path.join(self.cache_dir, f)
  92. if os.path.isdir(dir_path):
  93. # Return immediately if it exists
  94. return dir_path
  95. if os.path.exists(dir_path): # Exists but is not directory
  96. raise RuntimeError("cache path '{}' exists, but it is not a "
  97. "directory".format(dir_path))
  98. # Create directory
  99. try:
  100. os.mkdir(dir_path)
  101. except OSError as exc:
  102. raise RuntimeError("Cannot create build cache directory "
  103. "'{}'".format(dir_path)) from exc
  104. return dir_path
  105. def get_cache(self, emoji, f):
  106. """
  107. Get the path to an existing emoji in a given format f that is in cache.
  108. """
  109. cache_file = self.build_emoji_cache_path(emoji, f)
  110. if os.path.exists(cache_file):
  111. return cache_file
  112. return False
  113. def save_to_cache(self, emoji, f, export_path):
  114. """Copy an exported path to the cache directory."""
  115. if not os.path.exists(export_path):
  116. raise RuntimeError("Could not find exported emoji '{}' at "
  117. "'{}'".format(emoji['short'], export_path))
  118. cache_file = self.build_emoji_cache_path(emoji, f)
  119. try:
  120. shutil.copy(export_path, cache_file)
  121. except OSError as exc:
  122. raise RuntimeError("Unable to save '{}' to cache ('{}'): "
  123. "{}.".format(emoji['short'], cache_file,
  124. str(exc)))
  125. return True
  126. def load_from_cache(self, emoji, f, export_path):
  127. """Copy an emoji from cache to its final path."""
  128. if not self.cache_dir:
  129. return False
  130. cache_file = self.get_cache(emoji, f)
  131. if not cache_file:
  132. return False
  133. try:
  134. shutil.copy(cache_file, export_path)
  135. except OSError as exc:
  136. raise RuntimeError("Unable to retrieve '{}' from cache ('{}'): "
  137. "{}".format(emoji['short'], cache_file,
  138. str(exc)))
  139. return True