mirror of
				https://github.com/s00500/ESPUI.git
				synced 2025-10-25 12:02:15 +00:00 
			
		
		
		
	
		
			
				
	
	
		
			203 lines
		
	
	
		
			9.0 KiB
		
	
	
	
		
			Python
		
	
	
		
			Executable File
		
	
	
	
	
			
		
		
	
	
			203 lines
		
	
	
		
			9.0 KiB
		
	
	
	
		
			Python
		
	
	
		
			Executable File
		
	
	
	
	
| #!/usr/bin/env python3
 | |
| 
 | |
| ### import always available modules
 | |
| import sys
 | |
| import os.path
 | |
| import argparse
 | |
| import re
 | |
| from glob import glob
 | |
| 
 | |
| ### import not always installed modules
 | |
| missing = []
 | |
| try:
 | |
|     from jsmin import jsmin as jsminify
 | |
| except ModuleNotFoundError as e:
 | |
|     missing.append(e)
 | |
| try:
 | |
|     from htmlmin import minify as htmlminify
 | |
| except ModuleNotFoundError as e:
 | |
|     missing.append(e)
 | |
| try:
 | |
|     from csscompressor import compress as cssminify
 | |
| except ModuleNotFoundError as e:
 | |
|     missing.append(e)
 | |
| try:
 | |
|     import gzip
 | |
| except ModuleNotFoundError as e:
 | |
|     missing.append(e)
 | |
| if len(missing) > 0:
 | |
|     # ERROR: at least one module is missing
 | |
|     for m in missing:
 | |
|         print("Cannot find module '%s'." % m.name)
 | |
|     print("Can't find %s required python module%s. Please install %s. If you're not sure how, a web search" % (len(missing), "s" if len(missing) > 1 else "", "them" if len(missing) > 1 else "it"))
 | |
|     print("for 'python', your operating system/python distribution and 'install modules' should help.")
 | |
|     print("For most people on unix-y systems, this line should work (possibly w/o the '3'):\n  pip3 install %s" % " ".join(m.name for m in missing))
 | |
|     print("Here's the long documentation: https://packaging.python.org/tutorials/installing-packages/")
 | |
|     sys.exit(0)
 | |
| 
 | |
| 
 | |
| ### String template for C header files
 | |
| TARGET_TEMPLATE = '''const char {constant}[] PROGMEM = R"=====(
 | |
| {minidata}
 | |
| )=====";
 | |
| 
 | |
| const uint8_t {constant}_GZIP[{gziplen}] PROGMEM = {{ {gzipdata} }};
 | |
| '''
 | |
| 
 | |
| 
 | |
| def parse_arguments(args=None):
 | |
|     """ Command line argument parser definitions """
 | |
|     parser = argparse.ArgumentParser(
 | |
|         description="Prepares ESPUI header files by minifying and gzipping HTML, JS and CSS source files.")
 | |
|     parser.add_argument("--auto", "--all", "-a", dest="auto", action="store_true",
 | |
|                         help="Automatically find all source files in examples/gui/data/ and write C header files to src/")
 | |
|     parser.add_argument("--source", "--sources", "-s", dest="sources", default=None,
 | |
|                         help="Sources directory containing CSS or JS files OR one specific file to minify")
 | |
|     parser.add_argument("--target", "-t", dest="target", default=None,
 | |
|                         help="Target directory containing C header files OR one C header file")
 | |
|     parser.add_argument("--nostoremini", "-m", action="store_false", dest="storemini",
 | |
|                         help="Do not store intermediate minified files next to the originals (i.e. only write to the C header files)")
 | |
|     args = parser.parse_args(args)
 | |
|     if not args.auto and (not args.sources or not args.target):
 | |
|         print("ERROR: You need to specify either --auto or both --source and --target\n")
 | |
|         parser.print_help()
 | |
|         sys.exit(1)
 | |
|     return args
 | |
| 
 | |
| def get_context(infile, outfile):
 | |
|     """ This function creates a 'context object': a dictionary containing all the data needed. 
 | |
|     Dictionary members:
 | |
|         infile:		Full path to the input file or directory as given or autodetected
 | |
|         indir:		Full path to the infile parent.
 | |
|         dir:		Full path to the input directory tree (indir or parent of indir).
 | |
|         name:		Filename of infile excluding extension (i.e. filename up until the first dot)
 | |
|         type:		Lowercase extension of infile; one of: html, js, css.
 | |
|         outfile:	Full path to the output file or directory as given or autodetected.
 | |
|         outdir:		Full path to output directory.
 | |
|         outfilename:	Filename of outfile.
 | |
|         minifile:	Full path and filename of the intermediary minified file.
 | |
|         constant:	C header file constant name derived from infile.
 | |
|     If infile == minifile, the input file already is minified (contains ".min.")
 | |
|     """
 | |
|     infile	= os.path.realpath(infile)
 | |
|     dir, name, type 	= (os.path.basename(os.path.dirname(infile)), os.path.basename(infile).split(os.path.extsep)[0], os.path.basename(infile).split(os.path.extsep)[-1] )
 | |
|     type = type.strip(".").lower()
 | |
|     if dir.lower() == type:
 | |
|         dir = os.path.basename(os.path.dirname(os.path.dirname(infile)))
 | |
|     if type == "htm":
 | |
|         type = 'html'
 | |
|     name = os.path.basename(name)
 | |
|     indir	= os.path.dirname(infile)
 | |
|     if os.path.isdir(outfile):
 | |
|         outdir 	= os.path.realpath(outfile)
 | |
|         outfilename	= "%s%s%s.h" % (dir, name.capitalize(), type.upper())
 | |
|         outfile	= os.path.realpath(os.path.sep.join([outdir, outfilename]))
 | |
|     else:
 | |
|         outfile	= os.path.realpath(outfile)
 | |
|         outdir	= os.path.dirname(outfile)
 | |
|         outfilename	= os.path.basename(outfile)
 | |
|     minifile	= re.sub('\.([^.]+)$', '.min.\\1', infile) if not ".min." in infile else infile
 | |
|     constant	= '%s_%s' % (type.upper(), name.upper())
 | |
|     return locals()
 | |
|     
 | |
| def perform_gzip(c):
 | |
|     """ Performs GZIP on c['minidata'].
 | |
|     The returned context object will contain additional fields:
 | |
|         gzipdata:	Comma-separated string of decimal byte values representing gzipped data.
 | |
|         gziplen:	Count of decimal byte values in gzipdata.
 | |
|     """
 | |
|     compressed = gzip.compress(bytes(c['minidata'], 'utf-8'))
 | |
|     c['gzipdata'] = ','.join([ str(b) for b in compressed ])
 | |
|     c['gziplen'] = len(compressed)
 | |
|     print("  GZIP data length: %s" % c['gziplen'])
 | |
|     return c
 | |
|     
 | |
| def perform_minify(c):
 | |
|     """ Performs minification on c['infile'].
 | |
|     The returned context object contains the additional field minidata: A string of minified file contents.
 | |
|     """
 | |
|     with open(c['infile']) as infile:
 | |
|         minifier = {
 | |
|             'css': cssminify, 
 | |
|             'js': jsminify, 
 | |
|             'html': htmlminify
 | |
|         }.get(c['type']) or htmlminify
 | |
|         print("  Using %s minifier" % c['type'])
 | |
|         c['minidata'] = minifier(infile.read())
 | |
|     return c
 | |
| 
 | |
| def process_file(infile, outdir, storemini=True):
 | |
|     """ Processes one file """
 | |
|     print("Processing file %s" % infile)
 | |
|     # Evaluate file and target context
 | |
|     c = get_context(infile, outdir)
 | |
|     # Minify file data
 | |
|     c = perform_minify(c)
 | |
|     # Gzip minified data
 | |
|     c = perform_gzip(c)
 | |
|     
 | |
|     if storemini:
 | |
|         # Write intermediary minified file
 | |
|         if c['infile'] == c['minifile']:
 | |
|             print("  Original file is already minified, refusing to overwrite it")
 | |
|         else:
 | |
|             print("  Writing minified file %s" % c['minifile'])
 | |
|             with open(c['minifile'], 'w+') as minifile:
 | |
|                 minifile.write(c['minidata'])
 | |
|     # Write minified and gzipped data to C header file
 | |
|     with open(c['outfile'], 'w+') as outfile:
 | |
|         print("  Using C constant names %s and %s_GZIP" % (c['constant'], c['constant']))
 | |
|         print("  Writing C header file %s" % c['outfile'])
 | |
|         outfile.write(TARGET_TEMPLATE.format(**c))
 | |
|         
 | |
| def filenamefilter(pattern, strings):
 | |
|     return filter(re.compile(pattern).search, strings)        
 | |
|         
 | |
| def process_dir(sourcedir, outdir, recursive=True, storemini=True):
 | |
|     """ Processes a directory tree, recursively. Calls process_file on each HTML/CSS/JS file found.
 | |
|     Skips intermediary minified files. Standalone minified files (i.e. files containing ".min." that
 | |
|     do not have a full version) are processed without minifying again.
 | |
|     """
 | |
|     pattern = r'/*\.(css|js|htm|html)$'
 | |
|     files = glob(sourcedir + "/**/*", recursive=True)+glob(sourcedir + "/*") if recursive else glob(sourcedir + "/*")
 | |
|     files = filenamefilter(pattern, files)
 | |
|     for f in set(files):
 | |
|         if not '.min.' in f:
 | |
|             process_file(f, outdir, storemini)
 | |
|         elif not os.path.isfile(f.replace(".min.", ".")):
 | |
|             process_file(f, outdir, storemini)
 | |
|             
 | |
| def check_args(args):
 | |
|     """ Checks argumental sanity and exits if the arguments are insane. """
 | |
|     abort = 0
 | |
|     if not os.path.exists(args.sources):
 | |
|         print("ERROR: Source %s does not exist" % args.sources)
 | |
|         abort += 2
 | |
|     if not os.path.isdir(os.path.dirname(args.target)):
 | |
|         print("ERROR: Parent directory of target %s does not exist" % args.target)
 | |
|         abort += 4
 | |
|     if os.path.isdir(args.sources) and not os.path.isdir(args.target):
 | |
|         print("ERROR: Source %s is a directory, target %s is not" % (args.sources, args.target))
 | |
|         abort += 8
 | |
|     if abort > 0:
 | |
|         print("Aborting.")
 | |
|         sys.exit(abort)
 | |
| 
 | |
| def main(args):
 | |
|     """ main entry point. """
 | |
|     # default source if not given: realpath(../examples/gui/data)
 | |
|     args.sources = os.path.realpath(args.sources or os.sep.join((os.path.dirname(os.path.realpath(__file__)), "..", "examples", "gui", "data")))
 | |
|     # default target if not given: realpath(../src)
 | |
|     args.target  = os.path.realpath(args.target  or os.sep.join((os.path.dirname(os.path.realpath(__file__)), "..", "src")))
 | |
|     # check arguments
 | |
|     check_args(args)
 | |
|     if os.path.isfile(args.sources):
 | |
|         print("Source %s is a file, will process one file only." % args.sources)
 | |
|         process_file(args.sources, args.target, storemini = args.storemini)
 | |
|     elif os.path.isdir(args.sources):
 | |
|         print("Source %s is a directory, searching for files recursively..." % args.sources)
 | |
|         process_dir(args.sources, args.target, recursive = True, storemini = args.storemini)
 | |
| 
 | |
| if __name__ == "__main__" and "get_ipython" not in dir():
 | |
|     main(parse_arguments())
 | 
