images.py 2.0 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566
  1. """
  2. A module for handling base64 encoded images and other assets.
  3. """
  4. import cStringIO, wx, re
  5. def addURIPrefix(text, mimeType):
  6. """ Adds the Data URI MIME prefix to the base64 data"""
  7. # SVG MIME-type is the same for both images and fonts
  8. mimeType = mimeType.lower()
  9. if mimeType in 'gif|jpg|jpeg|png|webp|svg':
  10. mimeGroup = "image/"
  11. elif mimeType == 'woff':
  12. mimeGroup = "application/font-"
  13. elif mimeType in 'ttf|otf':
  14. mimeGroup = "application/x-font-"
  15. else:
  16. mimeGroup = "application/octet-stream"
  17. # Correct certain MIME types
  18. if mimeType == "jpg":
  19. mimeType = "jpeg"
  20. elif mimeType == "svg":
  21. mimeType += "+xml"
  22. return "data:" + mimeGroup + mimeType + ";base64," + text
  23. def removeURIPrefix(text):
  24. """Removes the Data URI part of the base64 data"""
  25. index = text.find(';base64,')
  26. return text[index+8:] if index else text
  27. def base64ToBitmap(text):
  28. """Converts the base64 data URI back into a bitmap"""
  29. try:
  30. # Remove data URI prefix and MIME type
  31. text = removeURIPrefix(text)
  32. # Convert to bitmap
  33. imgData = text.decode('base64')
  34. stream = cStringIO.StringIO(imgData)
  35. return wx.BitmapFromImage(wx.ImageFromStream(stream))
  36. except:
  37. pass
  38. def bitmapToBase64PNG(bmp):
  39. img = bmp.ConvertToImage()
  40. # "PngZL" in wxPython 2.9 is equivalent to wx.IMAGE_OPTION_PNG_COMPRESSION_LEVEL in wxPython Phoenix
  41. img.SetOptionInt("PngZL", 9)
  42. stream = cStringIO.StringIO()
  43. try:
  44. img.SaveStream(stream, wx.BITMAP_TYPE_PNG)
  45. return "data:image/png;base64," + stream.getvalue().encode('base64')
  46. except:
  47. pass
  48. def getImageType(text):
  49. """Returns the part of the Data URI's MIME type that refers to the type of the image."""
  50. # By using (\w+), "svg+xml" becomes "svg"
  51. search = re.search(r"data:image/(\w+)", text)
  52. if search:
  53. return "." + search.group(1)
  54. #Fallback
  55. search = re.search(r"application:x-(\w+)", text)
  56. if search:
  57. return "." + search.group(1)
  58. return ""