gen_cfb_font_header.py 8.6 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263
  1. #!/usr/bin/env python3
  2. #
  3. # Copyright (c) 2018 Henrik Brix Andersen <henrik@brixandersen.dk>
  4. #
  5. # SPDX-License-Identifier: Apache-2.0
  6. import argparse
  7. import sys
  8. from PIL import ImageFont
  9. from PIL import Image
  10. from PIL import ImageDraw
  11. PRINTABLE_MIN = 32
  12. PRINTABLE_MAX = 126
  13. def generate_element(image, charcode):
  14. """Generate CFB font element for a given character code from an image"""
  15. blackwhite = image.convert("1", dither=Image.NONE)
  16. pixels = blackwhite.load()
  17. width, height = image.size
  18. if args.dump:
  19. blackwhite.save("{}_{}.png".format(args.name, charcode))
  20. if PRINTABLE_MIN <= charcode <= PRINTABLE_MAX:
  21. char = " ({:c})".format(charcode)
  22. else:
  23. char = ""
  24. args.output.write("""\t/* {:d}{} */\n\t{{\n""".format(charcode, char))
  25. glyph = []
  26. if args.hpack:
  27. for row in range(0, height):
  28. packed = []
  29. for octet in range(0, int(width / 8)):
  30. value = ""
  31. for bit in range(0, 8):
  32. col = octet * 8 + bit
  33. if pixels[col, row]:
  34. value = value + "0"
  35. else:
  36. value = value + "1"
  37. packed.append(value)
  38. glyph.append(packed)
  39. else:
  40. for col in range(0, width):
  41. packed = []
  42. for octet in range(0, int(height / 8)):
  43. value = ""
  44. for bit in range(0, 8):
  45. row = octet * 8 + bit
  46. if pixels[col, row]:
  47. value = value + "0"
  48. else:
  49. value = value + "1"
  50. packed.append(value)
  51. glyph.append(packed)
  52. for packed in glyph:
  53. args.output.write("\t\t")
  54. bits = []
  55. for value in packed:
  56. bits.append(value)
  57. if not args.msb_first:
  58. value = value[::-1]
  59. args.output.write("0x{:02x},".format(int(value, 2)))
  60. args.output.write(" /* {} */\n".format(''.join(bits).replace('0', ' ').replace('1', '#')))
  61. args.output.write("\t},\n")
  62. def extract_font_glyphs():
  63. """Extract font glyphs from a TrueType/OpenType font file"""
  64. font = ImageFont.truetype(args.input, args.size)
  65. # Figure out the bounding box for the desired glyphs
  66. fw_max = 0
  67. fh_max = 0
  68. for i in range(args.first, args.last + 1):
  69. fw, fh = font.getsize(chr(i))
  70. if fw > fw_max:
  71. fw_max = fw
  72. if fh > fh_max:
  73. fh_max = fh
  74. # Round the packed length up to pack into bytes.
  75. if args.hpack:
  76. width = 8 * int((fw_max + 7) / 8)
  77. height = fh_max + args.y_offset
  78. else:
  79. width = fw_max
  80. height = 8 * int((fh_max + args.y_offset + 7) / 8)
  81. # Diagnose inconsistencies with arguments
  82. if width != args.width:
  83. raise Exception('text width {} mismatch with -x {}'.format(width, args.width))
  84. if height != args.height:
  85. raise Exception('text height {} mismatch with -y {}'.format(height, args.height))
  86. for i in range(args.first, args.last + 1):
  87. image = Image.new('1', (width, height), 'white')
  88. draw = ImageDraw.Draw(image)
  89. fw, fh = draw.textsize(chr(i), font=font)
  90. xpos = 0
  91. if args.center_x:
  92. xpos = (width - fw) / 2 + 1
  93. ypos = args.y_offset
  94. draw.text((xpos, ypos), chr(i), font=font)
  95. generate_element(image, i)
  96. def extract_image_glyphs():
  97. """Extract font glyphs from an image file"""
  98. image = Image.open(args.input)
  99. x_offset = 0
  100. for i in range(args.first, args.last + 1):
  101. glyph = image.crop((x_offset, 0, x_offset + args.width, args.height))
  102. generate_element(glyph, i)
  103. x_offset += args.width
  104. def generate_header():
  105. """Generate CFB font header file"""
  106. caps = []
  107. if args.hpack:
  108. caps.append('MONO_HPACKED')
  109. else:
  110. caps.append('MONO_VPACKED')
  111. if args.msb_first:
  112. caps.append('MSB_FIRST')
  113. caps = ' | '.join(['CFB_FONT_' + f for f in caps])
  114. clean_cmd = []
  115. for arg in sys.argv:
  116. if arg.startswith("--bindir"):
  117. # Drop. Assumes --bindir= was passed with '=' sign.
  118. continue
  119. if args.bindir and arg.startswith(args.bindir):
  120. # +1 to also strip '/' or '\' separator
  121. striplen = min(len(args.bindir)+1, len(arg))
  122. clean_cmd.append(arg[striplen:])
  123. continue
  124. if args.zephyr_base is not None:
  125. clean_cmd.append(arg.replace(args.zephyr_base, '"${ZEPHYR_BASE}"'))
  126. else:
  127. clean_cmd.append(arg)
  128. args.output.write("""/*
  129. * This file was automatically generated using the following command:
  130. * {cmd}
  131. *
  132. */
  133. #include <zephyr.h>
  134. #include <display/cfb.h>
  135. static const uint8_t cfb_font_{name:s}_{width:d}{height:d}[{elem:d}][{b:.0f}] = {{\n"""
  136. .format(cmd=" ".join(clean_cmd),
  137. name=args.name,
  138. width=args.width,
  139. height=args.height,
  140. elem=args.last - args.first + 1,
  141. b=args.width / 8 * args.height))
  142. if args.type == "font":
  143. extract_font_glyphs()
  144. elif args.type == "image":
  145. extract_image_glyphs()
  146. elif args.input.name.lower().endswith((".otf", ".otc", ".ttf", ".ttc")):
  147. extract_font_glyphs()
  148. else:
  149. extract_image_glyphs()
  150. args.output.write("""
  151. }};
  152. FONT_ENTRY_DEFINE({name}_{width}{height},
  153. {width},
  154. {height},
  155. {caps},
  156. cfb_font_{name}_{width}{height},
  157. {first},
  158. {last}
  159. );
  160. """ .format(name=args.name, width=args.width, height=args.height,
  161. caps=caps, first=args.first, last=args.last))
  162. def parse_args():
  163. """Parse arguments"""
  164. global args
  165. parser = argparse.ArgumentParser(
  166. description="Character Frame Buffer (CFB) font header file generator",
  167. formatter_class=argparse.RawDescriptionHelpFormatter)
  168. parser.add_argument(
  169. "-z", "--zephyr-base",
  170. help="Zephyr base directory")
  171. parser.add_argument(
  172. "-d", "--dump", action="store_true",
  173. help="dump generated CFB font elements as images for preview")
  174. group = parser.add_argument_group("input arguments")
  175. group.add_argument(
  176. "-i", "--input", required=True, type=argparse.FileType('rb'), metavar="FILE",
  177. help="TrueType/OpenType file or image input file")
  178. group.add_argument(
  179. "-t", "--type", default="auto", choices=["auto", "font", "image"],
  180. help="Input file type (default: %(default)s)")
  181. group = parser.add_argument_group("font arguments")
  182. group.add_argument(
  183. "-s", "--size", type=int, default=10, metavar="POINTS",
  184. help="TrueType/OpenType font size in points (default: %(default)s)")
  185. group = parser.add_argument_group("output arguments")
  186. group.add_argument(
  187. "-o", "--output", type=argparse.FileType('w'), default="-", metavar="FILE",
  188. help="CFB font header file (default: stdout)")
  189. group.add_argument(
  190. "--bindir", type=str,
  191. help="CMAKE_BINARY_DIR for pure logging purposes. No trailing slash.")
  192. group.add_argument(
  193. "-x", "--width", required=True, type=int,
  194. help="width of the CFB font elements in pixels")
  195. group.add_argument(
  196. "-y", "--height", required=True, type=int,
  197. help="height of the CFB font elements in pixels")
  198. group.add_argument(
  199. "-n", "--name", default="custom",
  200. help="name of the CFB font entry (default: %(default)s)")
  201. group.add_argument(
  202. "--first", type=int, default=PRINTABLE_MIN, metavar="CHARCODE",
  203. help="character code mapped to the first CFB font element (default: %(default)s)")
  204. group.add_argument(
  205. "--last", type=int, default=PRINTABLE_MAX, metavar="CHARCODE",
  206. help="character code mapped to the last CFB font element (default: %(default)s)")
  207. group.add_argument(
  208. "--center-x", action='store_true',
  209. help="center character glyphs horizontally")
  210. group.add_argument(
  211. "--y-offset", type=int, default=0,
  212. help="vertical offset for character glyphs (default: %(default)s)")
  213. group.add_argument(
  214. "--hpack", dest='hpack', default=False, action='store_true',
  215. help="generate bytes encoding row data rather than column data (default: %(default)s)")
  216. group.add_argument(
  217. "--msb-first", action='store_true',
  218. help="packed content starts at high bit of each byte (default: lsb-first)")
  219. args = parser.parse_args()
  220. def main():
  221. """Parse arguments and generate CFB font header file"""
  222. parse_args()
  223. generate_header()
  224. if __name__ == "__main__":
  225. main()