font-add-border.py 2.3 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071
  1. #!/usr/bin/env python3
  2. # SuperTux
  3. # Copyright (C) 2014 Ingo Ruhnke <grumbel@gmail.com>
  4. #
  5. # This program is free software: you can redistribute it and/or modify
  6. # it under the terms of the GNU General Public License as published by
  7. # the Free Software Foundation, either version 3 of the License, or
  8. # (at your option) any later version.
  9. #
  10. # This program is distributed in the hope that it will be useful,
  11. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  12. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  13. # GNU General Public License for more details.
  14. #
  15. # You should have received a copy of the GNU General Public License
  16. # along with this program. If not, see <http://www.gnu.org/licenses/>.
  17. from PIL import Image
  18. import argparse
  19. import tempfile
  20. # Add a 1 pixel border around every glyph in a font
  21. def fix_font_file(filename, glyph_width, glyph_height):
  22. print("Processing %s %dx%d" % (filename, glyph_width, glyph_height))
  23. img = Image.open(filename)
  24. w, h = img.size
  25. print("Image size: %dx%d" % (w, h))
  26. assert w % glyph_width == 0, "image not multiple of glyph width"
  27. assert h % glyph_height == 0, "image not multiple of glyph height"
  28. w_g = w // glyph_width
  29. h_g = h // glyph_height
  30. print("Glyphs: %ax%a" % (w_g, h_g))
  31. out = Image.new("RGBA", (w_g * (glyph_width + 2), h_g * (glyph_height + 2)), color=5)
  32. for y in range(0, h_g):
  33. for x in range(0, w_g):
  34. ix = x * glyph_width
  35. iy = y * glyph_height
  36. ox = x * (glyph_width + 2) + 1
  37. oy = y * (glyph_height + 2) + 1
  38. glyph = img.crop((ix, iy, ix + glyph_width, iy + glyph_height))
  39. out.paste(glyph, (ox, oy))
  40. with tempfile.NamedTemporaryFile(suffix=".png", delete=False) as f:
  41. out.save(f)
  42. print("File saved as %s" % f.name)
  43. if __name__ == "__main__":
  44. parser = argparse.ArgumentParser(description='rFactor MAS packer')
  45. parser.add_argument('FILE', action='store', type=str,
  46. help='font image to change')
  47. parser.add_argument('GLYPH_WIDTH', action='store', type=int,
  48. help='glyph width')
  49. parser.add_argument('GLYPH_HEIGHT', action='store', type=int,
  50. help='glyph height')
  51. args = parser.parse_args()
  52. fix_font_file(args.FILE, args.GLYPH_WIDTH, args.GLYPH_HEIGHT)
  53. # EOF #