ansi-to-src.py 1.7 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677
  1. #!/usr/bin/env python3
  2. import sys
  3. ##
  4. ## Convert ANSI art files to C++ header file.
  5. ##
  6. filenames = sys.argv
  7. filenames.pop(0)
  8. if not filenames:
  9. print("I need filename(s) to convert.")
  10. sys.exit(0)
  11. def my_repr(line):
  12. """ Given a latin1 line, output valid C++ string.
  13. if the character is < 0x20 or > 0x7e, output in hex format.
  14. if the character is ', " or ?, output \', \", or \?.
  15. """
  16. r = ""
  17. for c in line:
  18. o = ord(c)
  19. if ((o< 0x20) or (o > 0x7e)):
  20. r += "\\x{0:02x}".format(o)
  21. else:
  22. if c == "'":
  23. r += "\\'"
  24. elif c == '"':
  25. r += '\\"'
  26. elif c == '?':
  27. r += '\\?'
  28. else:
  29. r += c
  30. return r
  31. def readfile(filename):
  32. """ Reads the given ANSI file and outputs valid C++ code. """
  33. # basename will be the name of the array defined in the headerfile.
  34. basename = filename
  35. pos = basename.find('.')
  36. if pos != -1:
  37. basename = basename[:pos]
  38. pos = basename.rfind('/')
  39. if pos != -1:
  40. basename = basename[pos+1:]
  41. # Read the file into lines
  42. lines = []
  43. with open(filename, "r", encoding="latin1") as fp:
  44. for line in fp:
  45. line = line.rstrip("\r\n")
  46. lines.append(line)
  47. print("std::array<const char *,{1}> {0} = {{".format(basename, len(lines)))
  48. first = True
  49. for line in lines:
  50. if not first:
  51. print(",")
  52. else:
  53. first = False
  54. print(" \"{0}\"".format(my_repr(line)), end='')
  55. print(" };\n")
  56. # Begin the output process
  57. print("#include <array>\n")
  58. # Process each file given
  59. for filename in filenames:
  60. readfile(filename)