` element. |
+| `sidebar_content` | (Deprecated alias for `page_toc`.) |
diff --git a/dactyl/dactyl_build.py b/dactyl/dactyl_build.py
index 120efd8..9cce20a 100755
--- a/dactyl/dactyl_build.py
+++ b/dactyl/dactyl_build.py
@@ -30,8 +30,9 @@
# Necessary for prince
import subprocess
-# Used to fetch markdown sources from GitHub repos
+# Used to fetch markdown sources from the net
import requests
+from urllib.parse import urlparse
# Various content and template processing stuff
import jinja2
@@ -53,9 +54,7 @@
RESERVED_KEYS_TARGET = [
"name",
"display_name",
- "filters",
- "image_subs",
- "image_re_subs",
+ # "filters",
"pages",
]
ADHOC_TARGET = "__ADHOC__"
@@ -84,18 +83,18 @@ def load_config(config_file=DEFAULT_CONFIG_FILE):
traceback.print_tb(e.__traceback__)
exit("Fatal: Error parsing config file: %s"%e)
- config.update(loaded_config)
-
# Migrate legacy config fields
- if "pdf_template" in config:
- if "default_pdf_template" in config:
+ if "pdf_template" in loaded_config:
+ if "default_pdf_template" in loaded_config:
logger.warning("Ignoring redundant global config option "+
"pdf_template in favor of default_pdf_template")
else:
- config["default_pdf_template"] = config["pdf_template"]
+ loaded_config["default_pdf_template"] = loaded_config["pdf_template"]
logger.warning("Deprecation warning: Global field pdf_template has "
+"been renamed default_pdf_template")
+ config.update(loaded_config)
+
# Warn if any pages aren't part of a target
for page in config["pages"]:
if "targets" not in page:
@@ -155,17 +154,6 @@ def default_pdf_name(target):
return slugify(target["name"])+".pdf"
-# old default_pdf_name(target)
- # if {"product","version","guide"} <= set(target.keys()):
- # p_name = slugify(target["product"])
- # v_num = slugify(target["version"])
- # g_name = slugify(target["guide"])
- # return p_name+"-"+v_num+"-"+g_name+".pdf"
- # elif "display_name" in target:
- # return slugify(target["display_name"])+".pdf"
- # else:
- # return slugify(target["name"])+".pdf"
-
# Note: this regex means non-ascii characters get stripped from filenames,
# which is not preferable when making non-English filenames.
unacceptable_chars = re.compile(r"[^A-Za-z0-9._ ]+")
@@ -186,90 +174,6 @@ def temp_dir():
os.makedirs(run_dir)
return run_dir
-def substitute_links_for_target(soup, target):
- """Replaces local-html-links with appropriate substitutions
- for the given target, and images likewise"""
- target = get_target(target)
-
- logger.info("... modifying links for target: %s" % target["name"])
- # We actually want to get all pages, even the ones that aren't built as
- # part of this target, in case those pages have replacement links.
- pages = get_pages()
-
- links = soup.find_all("a", href=re.compile(r"^[^.]+\.html"))
- for link in links:
- for page in pages:
- if target["name"] in page:
- #There's a replacement link for this env
- local_url = page["html"]
- target_url = page[target["name"]]
- if link["href"][:len(local_url)] == local_url:
- link["href"] = link["href"].replace(local_url,
- target_url)
-
- if "image_subs" in target:
- images = soup.find_all("img")
- for img in images:
- local_path = img["src"]
- if local_path in target["image_subs"]:
- logger.info("... replacing image path '%s' with '%s'" %
- (local_path, target["image_subs"][local_path]))
- img["src"] = target["image_subs"][local_path]
-
- image_links = soup.find_all("a",
- href=re.compile(r"^[^.]+\.(png|jpg|jpeg|gif|svg)"))
- for img_link in image_links:
- local_path = img_link["href"]
- if local_path in target["image_subs"]:
- logger.info("... replacing image link '%s' with '%s'" %
- (local_path, target["image_subs"][local_path]))
- img_link["href"] = target["image_subs"][local_path]
-
- if "image_re_subs" in target:
- images = soup.find_all("img")
- for img in images:
- local_path = img["src"]
- for regex,replace_pattern in target["image_re_subs"].items():
- m = re.match(regex, local_path)
- if m:
- logging.debug("... matched pattern '%s' for image src '%s'" %
- (m, local_path))
- new_path = re.sub(regex, replace_pattern, local_path)
- logging.debug("... ... replacing with '%s'" % new_path)
- img["src"] = new_path
-
- image_links = soup.find_all("a",
- href=re.compile(r"^[^.]+\.(png|jpg|jpeg|gif|svg)"))
- for img_link in image_links:
- local_path = img_link["href"]
- for regex,replace_pattern in target["image_re_subs"].items():
- m = re.match(regex, local_path)
- if m:
- logging.debug("... matched pattern '%s' for image link '%s'" %
- (m, local_path))
- new_path = re.sub(regex, replace_pattern, local_path)
- logging.debug("... ... replacing with '%s'" % new_path)
- img_link["href"] = new_path
-
-def substitute_parameter_links(link_parameter, currentpage, target):
- """Some templates have links in page parameters. Do link substitution for
- the target on one of those parameters."""
- target = get_target(target)
- # We actually want to get all pages, even the ones that aren't built as
- # part of this target, in case those pages have replacement links.
- pages = get_pages()
-
- if link_parameter in currentpage:
- linked_page = next(p for p in pages
- if p["html"] == currentpage[link_parameter])
- if target["name"] in linked_page:
- #there's a link substitution available
- currentpage[link_parameter] = linked_page[target["name"]]
- ## We could warn here, but it would frequently be a false alarm
- # else:
- # logger.warning("No substitution for %s[%s] for this target" %
- # (currentpage["html"],link_parameter))
-
def get_target(target):
"""Get a target by name, or return the default target object.
We can't use default args in function defs because the default is
@@ -323,7 +227,7 @@ def make_adhoc_target(inpages):
"html": out_html_file,
"targets": [ADHOC_TARGET],
"category": "Pages",
- "pp_env": in_dir,
+ "pp_dir": in_dir,
}
config["pages"].append(new_page)
@@ -367,48 +271,26 @@ def get_filters_for_page(page, target=None):
return ffp
-def parse_markdown(page, target=None, pages=None, bypass_errors=False,
- categories=[], mode="html", current_time="TIME_UNKNOWN"):
- """Take a markdown string and output HTML for that content"""
+def parse_markdown(page, target=None, pages=None, categories=[], mode="html",
+ current_time=""):
+ """Takes a page object (must contain "md" attribute) and returns parsed
+ and filtered HTML."""
target = get_target(target)
- # if "pages" not in target:
- # target["pages"] = get_pages(target)
-
logger.info("Preparing page %s" % page["name"])
- # Preprocess Markdown using this Jinja environment
- pp_env = setup_pp_env(page)
-
# We'll apply these filters to the page
page_filters = get_filters_for_page(page, target)
- md = get_markdown_for_page(
- page["md"],
- pp_env=pp_env,
+ # Get the markdown, preprocess, and apply md filters
+ md = preprocess_markdown(page,
target=target,
- bypass_errors=bypass_errors,
- currentpage=page,
categories=categories,
mode=mode,
current_time=current_time,
+ page_filters=page_filters,
)
- # Apply markdown-based filters here
- for filter_name in page_filters:
- if "filter_markdown" in dir(filters[filter_name]):
- logger.info("... applying markdown filter %s" % filter_name)
- md = filters[filter_name].filter_markdown(
- md,
- currentpage=page,
- categories=categories,
- pages=pages,
- target=target,
- current_time=current_time,
- mode=mode,
- config=config,
- )
-
# Actually parse the markdown
logger.info("... parsing markdown...")
html = markdown(md, extensions=["markdown.extensions.extra",
@@ -428,6 +310,7 @@ def parse_markdown(page, target=None, pages=None, bypass_errors=False,
current_time=current_time,
mode=mode,
config=config,
+ logger=logger,
)
# Some filters would rather operate on a soup than a string.
@@ -447,63 +330,15 @@ def parse_markdown(page, target=None, pages=None, bypass_errors=False,
current_time=current_time,
mode=mode,
config=config,
+ logger=logger,
)
# ^ the soup filters apply to the same object, passed by reference
- # Replace links and images based on the target
- substitute_links_for_target(soup, target)
-
logger.info("... re-rendering HTML from soup...")
html2 = str(soup)
return html2
-def githubify_markdown(md, target=None, pages=None):
- """Github-friendly markdown has absolute links, no md in divs"""
- MARKDOWN_LINK_REGEX = re.compile(
- r"(\[([^\]]+)\]\(([^:)]+)\)|\[([^\]]+)\]:\s*(\S+)$)", re.MULTILINE)
-
- target = get_target(target)
- if not pages:
- pages = get_pages(target["name"])
-
- class MDLink:
- """A markdown link, either a reference link or inline link"""
- def __init__(self, fullmatch, label, url, label2, url2):
- self.fullmatch = fullmatch
- if label:
- self.label = label
- self.url = url
- self.is_reflink = False
- elif label2:
- self.label = label2
- self.url = url2
- self.is_reflink = True
-
- def to_markdown(self):
- """Re-represent self as a link in markdown syntax"""
- s = "[" + self.label + "]"
- if self.is_reflink:
- s += ": " + self.url
- else:
- s += "(" + self.url + ")"
- return s
-
- links = [MDLink(*m) for m in MARKDOWN_LINK_REGEX.findall(md)]
-
- for link in links:
- for page in pages:
- if target["name"] in page:
- #There's a replacement link for this
- local_url = page["html"]
- target_url = page[target["name"]]
- if link.url[:len(local_url)] == local_url:
- link.url = link.url.replace(local_url, target_url)
- md = md.replace(link.fullmatch, link.to_markdown())
-
- return md
-
-
def get_pages(target=None):
"""Read pages from config and return an object, optionally filtered
to just the pages that this target cares about"""
@@ -525,13 +360,26 @@ def should_include(page, target_name):
# Pages should inherit non-reserved keys from the target
for p in pages:
- for key,val in target.items():
- if key in RESERVED_KEYS_TARGET:
- continue
- elif key not in p:
- p[key] = val
+ merge_dicts(target, p, RESERVED_KEYS_TARGET)
+
return pages
+def merge_dicts(default_d, specific_d, reserved_keys_top=[]):
+ """
+ Extend specific_d with values from default_d (recursively), keeping values
+ from specific_d where they both exist. (This is like dict.update() but
+ without overwriting duplicate keys in the updated dict.)
+
+ reserved_keys_top is only used at the top level, not recursively
+ """
+ for key,val in default_d.items():
+ if key in reserved_keys_top:
+ continue
+ if key not in specific_d.keys():
+ specific_d[key] = val
+ elif type(specific_d[key]) == dict and type(val) == dict:
+ merge_dicts(val, specific_d[key])
+ #else leave the key in the specific_d
def get_categories(pages):
"""Produce an ordered, de-duplicated list of categories from
@@ -543,47 +391,115 @@ def get_categories(pages):
logger.debug("categories: %s" % categories)
return categories
-
-def read_markdown_local(filename, pp_env, target=None, bypass_errors=False,
- currentpage={}, categories=[], mode="html", current_time="TIME_UNKNOWN"):
- """Read in a markdown file and pre-process any templating lang in it,
- returning the parsed contents."""
- target = get_target(target)
- pages = get_pages(target)
- logger.info("reading markdown from file: %s" % filename)
+def preprocess_markdown(page, target=None, categories=[], page_filters=[],
+ mode="html", current_time="TIME_UNKNOWN"):
+ """Read a markdown file, local or remote, and preprocess it, returning the
+ preprocessed text."""
+ target=get_target(target)
+ pages=get_pages(target)
if config["skip_preprocessor"]:
- fpath = pp_env.loader.searchpath[0]
- with open(os.path.join(fpath,filename), "r") as f:
- md_out = f.read()
+ remote, basepath = get_page_where(page)
+ if remote:
+ logger.info("... reading markdown from URL.")
+ md = read_markdown_remote(page["md"])
+ else:
+ logger.info("... reading markdown from file")
+ with open(page["md"], "r") as f:
+ md = f.read()
+
else:
- try:
- #TODO: current_time, mode, categories
- md_raw = pp_env.get_template(filename)
- md_out = md_raw.render(
- currentpage=currentpage,
+ pp_env = setup_pp_env(page)
+ md_raw = pp_env.get_template(page["md"])
+ md = md_raw.render(
+ currentpage=page,
+ categories=categories,
+ pages=pages,
+ target=target,
+ current_time=current_time,
+ mode=mode,
+ config=config
+ )
+
+
+ # Apply markdown-based filters here
+ for filter_name in page_filters:
+ if "filter_markdown" in dir(filters[filter_name]):
+ logger.info("... applying markdown filter %s" % filter_name)
+ md = filters[filter_name].filter_markdown(
+ md,
+ currentpage=page,
categories=categories,
pages=pages,
target=target,
current_time=current_time,
mode=mode,
- config=config
+ config=config,
+ logger=logger,
)
- except jinja2.TemplateError as e:
- traceback.print_tb(e.__traceback__)
- if bypass_errors:
- logger.warning("Error pre-processing page %s; trying to load it raw"
- % filename)
- fpath = pp_env.loader.searchpath[0]
- with open(os.path.join(fpath,filename), "r") as f:
- md_out = f.read()
- else:
- exit("Error pre-processing page %s: %s" % (filename, e))
- return md_out
+
+ logger.info("... markdown is ready")
+ return md
+
+# def read_markdown_local(filename, pp_env, target=None, bypass_errors=False,
+# currentpage={}, categories=[], mode="html", current_time="TIME_UNKNOWN"):
+# """Read in a markdown file and pre-process any templating lang in it,
+# returning the parsed contents."""
+# target = get_target(target)
+# pages = get_pages(target)
+# logger.info("reading markdown from file: %s" % filename)
+#
+# if config["skip_preprocessor"]:
+# fpath = pp_env.loader.searchpath[0]
+# with open(os.path.join(fpath,filename), "r") as f:
+# md_out = f.read()
+# else:
+# try:
+# md_raw = pp_env.get_template(filename)
+# md_out = md_raw.render(
+# currentpage=currentpage,
+# categories=categories,
+# pages=pages,
+# target=target,
+# current_time=current_time,
+# mode=mode,
+# config=config
+# )
+# except jinja2.TemplateError as e:
+# traceback.print_tb(e.__traceback__)
+# if bypass_errors:
+# logger.warning("Error pre-processing page %s; trying to load it raw"
+# % filename)
+# fpath = pp_env.loader.searchpath[0]
+# with open(os.path.join(fpath,filename), "r") as f:
+# md_out = f.read()
+# else:
+# exit("Error pre-processing page %s: %s" % (filename, e))
+# return md_out
def read_markdown_remote(url):
"""Fetch a remote markdown file and return its contents"""
+ parsed_url = urlparse(url)
+
+ # save this base URL if it's new; that way we can try to let remote
+ # templates inherit from other templates at related URLs
+ if parsed_url.scheme or "baseurl" not in dir(read_markdown_remote):
+ base_path = os.path.dirname(parsed_url.path)
+ read_markdown_remote.baseurl = (
+ parsed_url[0],
+ parsed_url[1],
+ base_path,
+ parsed_url[3],
+ parsed_url[4],
+ parsed_url[5],
+ )
+ # if we're at read_markdown_remote without a scheme, it's probably a remote
+ # template trying to import another template, so let's assume it's from the
+ # base path of the imported template
+ if not parsed_url.scheme:
+ url = os.path.join(read_markdown_remote.baseurl, url)
+
response = requests.get(url)
if response.status_code == 200:
return response.text
@@ -591,33 +507,11 @@ def read_markdown_remote(url):
raise requests.RequestException("Status code for page was not 200")
-def get_markdown_for_page(md_where, pp_env=None, target=None,
- bypass_errors=False, currentpage={}, categories=[], mode="html",
- current_time="TIME_UNKNOWN"):
- """Read/Fetch and pre-process markdown file"""
- target = get_target(target)
- if "http:" in md_where or "https:" in md_where:
- try:
- mdr = read_markdown_remote(md_where)
- except requests.RequestException as e:
- if bypass_errors:
- mdr = ""
- else:
- traceback.print_tb(e.__traceback__)
- exit("Error fetching page %s: %s" % (md_where, e))
- return mdr
- else:
- return read_markdown_local(md_where, pp_env, target, bypass_errors,
- currentpage=currentpage, categories=categories, mode=mode,
- current_time=current_time)
-
-
def copy_static_files(template_static=True, content_static=True, out_path=None):
"""Copy static files to the output directory."""
if out_path == None:
out_path = config["out_path"]
-
if template_static:
template_static_src = config["template_static_path"]
@@ -654,11 +548,29 @@ def copy_static_files(template_static=True, content_static=True, out_path=None):
logger.debug("No content_static_path in conf; skipping copy")
+def get_page_where(page=None):
+ """Returns a (remote, path) tuple where remote is a boolean and path is the
+ URL or file path."""
+ if not page:
+ return False, config["content_path"]
+ elif "pp_dir" in page:
+ return False, page["pp_dir"]
+ elif "md" in page and (page["md"][:5] == "http:" or
+ page["md"][:6] == "https:"):
+ return True, os.path.dirname(page["md"])
+ else:
+ return False, config["content_path"]
+
+
def setup_pp_env(page=None):
- if not page or "pp_dir" not in page:
- pp_env = jinja2.Environment(loader=jinja2.FileSystemLoader(config["content_path"]))
+ remote, path = get_page_where(page)
+ if remote:
+ logger.debug("Using remote template loader for page %s" % page)
+ pp_env = jinja2.Environment(loader=jinja2.FunctionLoader(read_markdown_remote))
else:
- pp_env = jinja2.Environment(loader=jinja2.FileSystemLoader(page["pp_dir"]))
+ logger.debug("Using FileSystemLoader for page %s" % page)
+ pp_env = jinja2.Environment(loader=jinja2.FileSystemLoader(path))
+
#Example: if we want to add custom functions to the md files
#pp_env.globals['foo'] = lambda x: "FOO %s"%x
return pp_env
@@ -673,6 +585,7 @@ def setup_html_env():
env.trim_blocks = True
return env
+
def setup_fallback_env():
env = jinja2.Environment(loader=jinja2.PackageLoader(__name__))
env.lstrip_blocks = True
@@ -718,103 +631,167 @@ def safe_get_template(template_name, env, fallback_env):
t = fallback_env.get_template(template_name)
return t
-def render_pages(target=None, for_pdf=False, bypass_errors=False):
+def match_only_page(only_page, currentpage):
+ """Returns a boolean indicating whether currentpage (object) matches the
+ only_page parameter (string)"""
+ if not only_page:
+ return False
+ if only_page[-5:] == ".html":
+ if (currentpage["html"] == only_page or
+ os.path.basename(currentpage["html"]) == only_page):
+ return True
+ elif only_page[-3:] == ".md":
+ if "md" in currentpage and (currentpage["md"] == only_page or
+ os.path.basename(currentpage["md"]) == only_page):
+ return True
+ return False
+
+def render_page(currentpage, target, pages, mode, current_time, categories,
+ use_template, bypass_errors=False):
+ if "md" in currentpage:
+ # Read and parse the markdown
+ try:
+ html_content = parse_markdown(
+ currentpage,
+ target=target,
+ pages=pages,
+ mode=mode,
+ current_time=current_time,
+ categories=categories
+ )
+
+ except Exception as e:
+ traceback.print_tb(e.__traceback__)
+ if bypass_errors:
+ logger.warning( ("Skipping page %s " +
+ "due to error fetching contents: %s") %
+ (currentpage["name"], e) )
+ html_content = ""
+ else:
+ exit("Error when fetching page %s: %s" %
+ (currentpage["name"], e) )
+ else:
+ html_content = ""
+
+ # Prepare some parameters for rendering
+ page_toc = toc_from_headers(html_content)
+
+ # Render the content into the appropriate template
+ out_html = use_template.render(
+ currentpage=currentpage,
+ categories=categories,
+ pages=pages,
+ content=html_content,
+ target=target,
+ current_time=current_time,
+ sidebar_content=page_toc, # legacy
+ page_toc=page_toc,
+ mode=mode,
+ config=config
+ )
+ return out_html
+
+def render_pages(target=None, mode="html", bypass_errors=False,
+ only_page=False, temp_files_path=None):
"""Parse and render all pages in target, writing files to out_path."""
target = get_target(target)
pages = get_pages(target)
categories = get_categories(pages)
- mode = "pdf" if for_pdf else "html"
current_time = time.strftime(config["time_format"]) # Get time once only
- # Insert generated HTML into templates using this Jinja environment
- env = setup_html_env()
- fallback_env = setup_fallback_env()
-
- if for_pdf:
- if "pdf_template" in target:
- default_template = safe_get_template(target["pdf_template"], env, fallback_env)
- else:
- default_template = safe_get_template(config["default_pdf_template"], env, fallback_env)
+ if mode == "pdf" or mode == "html":
+ # Insert generated HTML into templates using this Jinja environment
+ env = setup_html_env()
+ fallback_env = setup_fallback_env()
+ if mode == "pdf":
+ out_path = temp_files_path or temp_dir()
+ default_template = safe_get_template(config["default_pdf_template"], env, fallback_env)
+ elif mode == "html":
+ out_path = config["out_path"]
+ default_template = safe_get_template(config["default_template"], env, fallback_env)
+ elif mode == "md":
+ out_path = config["out_path"]
else:
- if "template" in target:
- default_template = safe_get_template(target["template"], env, fallback_env)
- else:
- default_template = safe_get_template(config["default_template"], env, fallback_env)
+ exit("Unknown mode %s" % mode)
+ matched_only = False
for currentpage in pages:
- if "md" in currentpage:
- # Read and parse the markdown
+ if only_page:
+ if match_only_page(only_page, currentpage):
+ matched_only = True
+ else:
+ logger.debug("only_page mode: skipping page %s" % currentpage)
+ continue
+ if mode == "html":
+ filepath = currentpage["html"]
+ if "template" in currentpage:
+ use_template = safe_get_template(currentpage["template"], env, fallback_env)
+ else:
+ use_template = default_template
+ elif mode == "pdf":
+ filepath = currentpage["html"] # Used in the temp dir
+ if "pdf_template" in currentpage:
+ use_template = safe_get_template(currentpage["pdf_template"], env, fallback_env)
+ else:
+ use_template = default_template
+
+ if mode == "html" or mode == "pdf":
+ logger.debug("use_template is: %s" % use_template)
+ page_text = render_page(
+ currentpage,
+ target,
+ pages,
+ mode,
+ current_time,
+ categories,
+ use_template,
+ bypass_errors=bypass_errors
+ )
+ elif mode == "md":
+ if "md" not in currentpage:
+ logger.info("md mode: Skipping page (no md): %s" % currentpage)
+ continue
+ filepath = currentpage["md"]
try:
- html_content = parse_markdown(
- currentpage,
+ page_text = preprocess_markdown(currentpage,
target=target,
- pages=pages,
- bypass_errors=bypass_errors,
+ categories=categories,
mode=mode,
current_time=current_time,
- categories=categories
+ page_filters=get_filters_for_page(currentpage, target),
)
-
except Exception as e:
+ traceback.print_tb(e.__traceback__)
if bypass_errors:
- traceback.print_tb(e.__traceback__)
logger.warning( ("Skipping page %s " +
"due to error fetching contents: %s") %
(currentpage["name"], e) )
continue
else:
- traceback.print_tb(e.__traceback__)
exit("Error when fetching page %s: %s" %
(currentpage["name"], e) )
else:
- html_content = ""
-
-
- # Prepare some parameters for rendering
- substitute_parameter_links("doc_page", currentpage, target)
- page_toc = toc_from_headers(html_content)
-
- # Figure out which template to use
- if "template" in currentpage and not for_pdf:
- logger.debug("using template %s from page" % currentpage["template"])
- use_template = safe_get_template(currentpage["template"], env, fallback_env)
- elif "pdf_template" in currentpage and for_pdf:
- logger.debug("using pdf_template %s from page" % currentpage["pdf_template"])
- use_template = safe_get_template(currentpage["pdf_template"], env, fallback_env)
- else:
- use_template = default_template
+ exit("render_pages error: unknown mode: %s" % mode)
- # Render the content into the appropriate template
- out_html = use_template.render(
- currentpage=currentpage,
- categories=categories,
- pages=pages,
- content=html_content,
- target=target,
- current_time=current_time,
- sidebar_content=page_toc, # legacy
- page_toc=page_toc,
- mode=mode,
- config=config
- )
+ # Finally, write the rendered page
+ write_page(page_text, filepath, out_path)
+ if only_page and not matched_only:
+ exit("Didn't find requested 'only' page '%s'" % only_page)
- if for_pdf:
- #out_path = config["temporary_files_path"]
- out_path = temp_dir()
- else:
- out_path = config["out_path"]
- fileout = os.path.join(out_path, currentpage["html"])
- if not os.path.isdir(out_path):
- logger.info("creating build folder %s" % out_path)
- os.makedirs(out_path)
- with open(fileout, "w") as f:
- logger.info("writing to file: %s..." % fileout)
- f.write(out_html)
+def write_page(page_text, filepath, out_path):
+ out_folder = os.path.join(out_path, os.path.dirname(filepath))
+ if not os.path.isdir(out_folder):
+ logger.info("creating output folder %s" % out_folder)
+ os.makedirs(out_folder)
+ fileout = os.path.join(out_path, filepath)
+ with open(fileout, "w") as f:
+ logger.info("writing to file: %s..." % fileout)
+ f.write(page_text)
-def watch(pdf_file, target):
+def watch(mode, target, only_page="", pdf_file=DEFAULT_PDF_FILE):
"""Look for changed files and re-generate HTML (and optionally
PDF whenever there's an update. Runs until interrupted."""
target = get_target(target)
@@ -825,10 +802,10 @@ def on_any_event(self, event):
logger.info("got event!")
# bypass_errors=True because Watch shouldn't
# just die if a file is temporarily not found
- if pdf_file:
- make_pdf(pdf_file, target=target, bypass_errors=True)
+ if mode == "pdf":
+ make_pdf(pdf_file, target=target, bypass_errors=True, only_page=only_page)
else:
- render_pages(target, bypass_errors=True)
+ render_pages(target, mode=mode, bypass_errors=True, only_page=only_page)
logger.info("done rendering")
patterns = ["*template-*.html",
@@ -850,13 +827,14 @@ def on_any_event(self, event):
observer.join()
-def make_pdf(outfile, target=None, bypass_errors=False, remove_tmp=True):
+def make_pdf(outfile, target=None, bypass_errors=False, remove_tmp=True, only_page=""):
"""Use prince to convert several HTML files into a PDF"""
logger.info("rendering PDF-able versions of pages...")
target = get_target(target)
- render_pages(target=target, for_pdf=True, bypass_errors=bypass_errors)
temp_files_path = temp_dir()
+ render_pages(target=target, mode="pdf", bypass_errors=bypass_errors,
+ temp_files_path=temp_files_path, only_page=only_page)
# Choose a reasonable default filename if one wasn't provided yet
if outfile == DEFAULT_PDF_FILE:
@@ -876,8 +854,17 @@ def make_pdf(outfile, target=None, bypass_errors=False, remove_tmp=True):
# Change dir to the tempfiles path; this may avoid a bug in Prince
old_cwd = os.getcwd()
os.chdir(temp_files_path)
- # Each HTML output file in the target is another arg to prince
+
pages = get_pages(target)
+ if only_page:
+ pages = [p for p in pages if match_only_page(only_page, p)][:1]
+ if not len(pages):
+ if bypass_errors:
+ logger.warning("Couldn't find 'only' page %s" % only_page)
+ return
+ else:
+ exit("Error: couldn't find only page %s" % only_page)
+ # Each HTML output file in the target is another arg to prince
args += [p["html"] for p in pages]
logger.info("generating PDF: running %s..." % " ".join(args))
@@ -890,35 +877,6 @@ def make_pdf(outfile, target=None, bypass_errors=False, remove_tmp=True):
remove_tree(temp_files_path)
-def githubify(md_file_name, target=None):
- """Wrapper - make the markdown resemble GitHub flavor"""
- target = get_target(target)
- pages = get_pages()
-
- current_time = time.strftime(config["time_format"]) # Get time once only
- logger.info("getting markdown for page %s" % md_file_name)
- md = get_markdown_for_page(
- md_file_name,
- pp_env=setup_pp_env(),
- target=target,
- categories=[],
- mode="md",
- current_time=current_time,
- )
-
- logger.info("githubifying markdown...")
- rendered_md = githubify_markdown(md, target=target, pages=pages)
-
- if not os.path.isdir(config["out_path"]):
- logger.info("creating build folder %s" % config["out_path"])
- os.makedirs(config["out_path"])
-
- fileout = os.path.join(config["out_path"], md_file_name)
- logger.info("writing generated file to path: %s"%fileout)
- with open(fileout, "w") as f:
- f.write(rendered_md)
-
-
def main(cli_args):
if cli_args.debug:
logger.setLevel(logging.DEBUG)
@@ -938,13 +896,13 @@ def main(cli_args):
for t in config["targets"]:
if "display_name" in t:
display_name = t["display_name"]
- elif {"product","version","guide"} <= set(t.keys()):
- display_name = " ".join([t["product"],t["version"],t["guide"]])
else:
- display_name = ""
+ filename_field_vals = [t[f] for
+ f in config["pdf_filename_fields"]
+ if f in t.keys()]
+ display_name = " ".join(filename_field_vals)
print("%s\t\t%s" % (t["name"], display_name))
- #print(" ".join([t["name"] for t in config["targets"]]))
exit(0)
if cli_args.out_dir:
@@ -978,29 +936,43 @@ def main(cli_args):
if cli_args.title:
target["display_name"] = cli_args.title
- if cli_args.githubify:
- githubify(cli_args.githubify, target)
- if cli_args.copy_static:
- copy_static(template_static=False, content_static=True)
- exit(0)
-
if not cli_args.no_cover and not target.get("no_cover", False):
# Add the default cover as the first page of the target
coverpage = config["cover_page"]
coverpage["targets"] = [target["name"]]
config["pages"].insert(0, coverpage)
- if cli_args.pdf != NO_PDF:
+ if cli_args.md:
+ mode = "md"
+ logger.info("outputting markdown...")
+ render_pages(target=cli_args.target,
+ bypass_errors=cli_args.bypass_errors,
+ only_page=cli_args.only,
+ mode="md"
+ )
+ logger.info("done outputting md files")
+ if cli_args.copy_static:
+ logger.info("outputting static files...")
+ copy_static_files(template_static=False)
+
+ elif cli_args.pdf != NO_PDF:
+ mode = "pdf"
logger.info("making a pdf...")
- make_pdf(cli_args.pdf, target=target,
- bypass_errors=cli_args.bypass_errors,
- remove_tmp=(not cli_args.leave_temp_files))
+ make_pdf(cli_args.pdf,
+ target=target,
+ bypass_errors=cli_args.bypass_errors,
+ remove_tmp=(not cli_args.leave_temp_files),
+ only_page=cli_args.only,
+ )
logger.info("pdf done")
else:
+ mode = "html"
logger.info("rendering pages...")
render_pages(target=cli_args.target,
- bypass_errors=cli_args.bypass_errors)
+ bypass_errors=cli_args.bypass_errors,
+ only_page=cli_args.only,
+ mode="html")
logger.info("done rendering")
if cli_args.copy_static:
@@ -1009,32 +981,34 @@ def main(cli_args):
if cli_args.watch:
logger.info("watching for changes...")
- if cli_args.pdf != NO_PDF:
- # pdf_path = os.path.join(config["out_path"], cli_args.pdf)
- watch(cli_args.pdf, target)
- else:
- watch(None, target)
+ watch(mode, target, cli_args.only, cli_args.pdf)
def dispatch_main():
parser = argparse.ArgumentParser(
description='Generate static site from markdown and templates.')
- parser.add_argument("--watch", "-w", action="store_true",
- help="Watch for changes and re-generate output. "+\
- "This runs until force-quit.")
- parser.add_argument("--pdf", nargs="?", type=str,
+
+ build_mode = parser.add_mutually_exclusive_group(required=False)
+ build_mode.add_argument("--pdf", nargs="?", type=str,
const=DEFAULT_PDF_FILE, default=NO_PDF,
help="Output a PDF to this file. Requires Prince.")
- parser.add_argument("--githubify", "-g", type=str,
- help="Output md prepared for GitHub")
+ build_mode.add_argument("--md", action="store_true",
+ help="Output markdown only")
+ # HTML is the default mode
+
+ noisiness = parser.add_mutually_exclusive_group(required=False)
+ noisiness.add_argument("--quiet", "-q", action="store_true",
+ help="Suppress status messages")
+ noisiness.add_argument("--debug", action="store_true",
+ help="Print debug-level log messages")
+
+ parser.add_argument("--watch", "-w", action="store_true",
+ help="Watch for changes and re-generate output. "+\
+ "This runs until force-quit.")
parser.add_argument("--target", "-t", type=str,
help="Build for the specified target.")
parser.add_argument("--out_dir", "-o", type=str,
help="Output to this folder (overrides config file)")
- parser.add_argument("--quiet", "-q", action="store_true",
- help="Suppress status messages")
- parser.add_argument("--debug", action="store_true",
- help="Print debug-level log messages (overrides -q)")
parser.add_argument("--bypass_errors", "-b", action="store_true",
help="Continue building if some contents not found")
parser.add_argument("--config", "-c", type=str,
@@ -1042,7 +1016,9 @@ def dispatch_main():
parser.add_argument("--copy_static", "-s", action="store_true",
help="Copy static files to the out dir",
default=False)
- parser.add_argument("--pages", type=str, help="Build markdown page(s) "+\
+ parser.add_argument("--only", type=str, help=".md or .html filename of a "+
+ "single page in the config to build alone.")
+ parser.add_argument("--pages", type=str, help="Markdown file(s) to build "+\
"that aren't described in the config.", nargs="+")
parser.add_argument("--no_cover", "-n", action="store_true",
help="Don't automatically add a cover / index file.")
@@ -1050,9 +1026,6 @@ def dispatch_main():
help="Don't pre-process Jinja syntax in markdown files")
parser.add_argument("--title", type=str, help="Override target display "+\
"name. Useful when passing multiple args to --pages.")
- parser.add_argument("--list_targets_only", "-l", action="store_true",
- help="Don't build anything, just display list of "+
- "known targets from the config file.")
parser.add_argument("--leave_temp_files", action="store_true",
help="Leave temp files in place (for debugging or "+
"manual PDF generation). Ignored when using --watch",
@@ -1060,8 +1033,14 @@ def dispatch_main():
parser.add_argument("--vars", type=str, help="A YAML or JSON file with vars "+
"to add to the target so the preprocessor and "+
"templates can reference them.")
+
+ # The following options cause Dactyl to ignore basically everything else
parser.add_argument("--version", "-v", action="store_true",
help="Print version information and exit.")
+ parser.add_argument("--list_targets_only", "-l", action="store_true",
+ help="Don't build anything, just display list of "+
+ "known targets from the config file.")
+
cli_args = parser.parse_args()
main(cli_args)
diff --git a/dactyl/filter_add_version.py b/dactyl/filter_add_version.py
index cf635e2..d18d1cd 100644
--- a/dactyl/filter_add_version.py
+++ b/dactyl/filter_add_version.py
@@ -9,7 +9,7 @@
import re
import logging
-def filter_markdown(md, currentpage=currentpage, **kwargs):
+def filter_markdown(md, currentpage={}, **kwargs):
"""Finds the version number and adds it to the start of the page."""
version_regex = r"https://raw.githubusercontent.com/([A-Za-z0-9_.-]+)/([A-Za-z0-9_.-]+)/([A-Za-z0-9_-]+\.[A-Za-z0-9_.-]+)/.+\.md"
diff --git a/dactyl/filter_callouts.py b/dactyl/filter_callouts.py
index 017950a..60fc2b8 100644
--- a/dactyl/filter_callouts.py
+++ b/dactyl/filter_callouts.py
@@ -8,20 +8,34 @@
################################################################################
import re
-CALLOUT_CLASS_MAPPING = {
- "note": "dactyl-callout note",
- "warning": "dactyl-callout warning",
- "caution": "dactyl-callout caution",
- "tip": "dactyl-callout tip",
-}
+CALLOUT_TYPES_FIELD = "callout_types"
+CALLOUT_CLASS_FIELD = "callout_class"
+
+DEFAULT_CALLOUT_TYPES = [
+ "note",
+ "warning",
+ "tip",
+ "caution"
+]
+DEFAULT_CALLOUT_CLASS = "dactyl-callout"
+
+def filter_soup(soup, currentpage={}, config={}, **kwargs):
+ """
+ Find patterns that look like callouts, for example **Note:**, and add
+ callout classes to their parent elements (usually )
+ """
+ # callout classes are defined by page>target>config>default
+ callout_classes = currentpage.get(CALLOUT_TYPES_FIELD,
+ config.get(CALLOUT_TYPES_FIELD,
+ DEFAULT_CALLOUT_TYPES))
+ callout_intro = re.compile(r"("+"|".join(callout_classes)+"):?$", re.I)
+ callout_base_class = currentpage.get(CALLOUT_CLASS_FIELD,
+ config.get(CALLOUT_CLASS_FIELD,
+ DEFAULT_CALLOUT_CLASS))
-def filter_soup(soup, **kwargs):
- """replace underscores with dashes in h1,h2,etc. for backwards compatibility"""
- callout_intro = re.compile(r"(Note|Warning|Tip|Caution):?$", re.I)
callouts = soup.find_all(name=["strong","em"], string=callout_intro)
for c in callouts:
if not c.previous_sibling: #This callout starts a block
callout_type = c.string.replace(":","").lower()
- if callout_type in CALLOUT_CLASS_MAPPING:
- c.parent["class"] = CALLOUT_CLASS_MAPPING[callout_type]
- #c.parent["class"] = "callout %s" % callout_type
+ if callout_type in callout_classes:
+ c.parent["class"] = [callout_base_class, callout_type]
diff --git a/dactyl/filter_link_replacement.py b/dactyl/filter_link_replacement.py
new file mode 100644
index 0000000..9a55fea
--- /dev/null
+++ b/dactyl/filter_link_replacement.py
@@ -0,0 +1,212 @@
+################################################################################
+## Substitute Links filter ##
+## Author: Rome Reginelli ##
+## Copyright: Ripple Labs, Inc. 2017 ##
+## ##
+## Replaces the link substitution feature built into Dactyl < 0.4.0 with a ##
+## filter to do about the same. ##
+################################################################################
+
+import re
+
+LINK_SUBS_FIELD = "link_subs"
+LINK_RE_SUBS_FIELD = "link_re_subs"
+PARAMETER_REPLACE_FIELD = "replace_parameter_links"
+IMAGE_SUBS_FIELD = "image_subs"
+IMAGE_RE_SUBS_FIELD = "image_re_subs"
+IMAGE_LINK_REGEX = re.compile(r"^[^.]+\.(png|jpg|jpeg|gif|svg)", re.I)
+
+def filter_soup(soup, currentpage={}, target={}, pages=[], logger=None, **kwargs):
+ """
+ Replaces links and image hrefs in the current page, based on a substitution
+ map in the target or page settings. Also looks into values in the current
+ page's metadata and replaces links there, in case the template uses fields
+ from the current page's metadata key/values.
+ """
+ globals()["logger"] = logger
+ # currentpage already includes link subs inherited from the target
+ if LINK_SUBS_FIELD in currentpage:
+ link_subs = currentpage[LINK_SUBS_FIELD]
+
+ if (PARAMETER_REPLACE_FIELD in currentpage and
+ currentpage[PARAMETER_REPLACE_FIELD]):
+ substitute_parameter_links(currentpage, link_subs)
+ substitute_links(soup, link_subs)
+
+ if LINK_RE_SUBS_FIELD in currentpage:
+ link_re_subs = currentpage[LINK_RE_SUBS_FIELD]
+ re_sub_links(soup, link_re_subs)
+
+ if IMAGE_SUBS_FIELD in currentpage:
+ image_subs = currentpage[IMAGE_SUBS_FIELD]
+ substitute_images(soup, image_subs)
+ substitute_links(soup, image_subs)
+
+ if IMAGE_RE_SUBS_FIELD in currentpage:
+ image_re_subs = currentpage[IMAGE_RE_SUBS_FIELD]
+ re_sub_images(soup, image_re_subs)
+ re_sub_links(soup, image_re_subs)
+
+def substitute_links(soup, link_subs):
+ """
+ Takes a map of needle:replacement strings and changes the href values of
+ tags in the soup, so that any that start with the needle are changed to
+ start with the replacement instead (preserving the remainder).
+ """
+ links = soup.find_all("a", href=True)
+ for link in links:
+ for needle, replacement in link_subs.items():
+ if link["href"][:len(needle)] == needle:
+ new_href = replacement + link["href"][len(needle):]
+ logger.info("... replacing link '%s' with '%s'" %
+ (link["href"], new_href) )
+ link["href"] = new_href
+
+def substitute_images(soup, image_subs):
+ """
+ Takes a map of needle:replacement strings and changes the src of
+ tags in the soup so that any that match the needle are changed to use the
+ replacement instead.
+ """
+ images = soup.find_all("img")
+ for img in images:
+ for needle, replacement in image_subs.items():
+ if needle == img["src"]:
+ logger.info("... replacing image '%s' with '%s'" %
+ (img["src"], replacement) )
+ img["src"] = replacement
+
+
+def re_sub_images(soup, image_re_subs):
+ """
+ Takes a map of regular expressions to regular-expression replacements and
+ changes the src of any
tags in the soup by doing regular-expression
+ match/replace.
+ """
+ images = soup.find_all("img", src=True)
+ for img in images:
+ for regex,replace_pattern in image_re_subs.items():
+ m = re.match(regex, img["src"])
+ if m:
+ new_path = re.sub(regex, replace_pattern, img["src"])
+ logger.info("... replacing image '%s' with '%s'" %
+ (img["src"], new_path) )
+ img["src"] = new_path
+
+def re_sub_links(soup, link_re_subs):
+ """
+ Takes a map of regular expressions to regular-expression replacements and
+ changes the href of any tags in the soup by doing regular-expression
+ match/replace.
+ """
+ links = soup.find_all("a", href=True)
+ for link in links:
+ for regex,replace_pattern in link_re_subs.items():
+ m = re.match(regex, a["href"])
+ if m:
+ new_path = re.sub(regex, replace_pattern, link["href"])
+ logger.info("... replacing image link '%s' with '%s'" %
+ (link["href"], new_path) )
+ link["href"] = new_path
+
+RESERVED_PAGE_KEYS = [
+ "html",
+ "md",
+ "category",
+ "targets"
+]
+def substitute_parameter_links(currentpage, link_subs):
+ """
+ Takes a map of needle:replacement link substitutions and applies them to
+ string values in the current page's metadata parameters.
+ """
+ for field,val in currentpage.items():
+ if field in RESERVED_PAGE_KEYS:
+ continue;
+ if type(val) != str:
+ continue
+ for needle, replacement in link_subs:
+ if val[:len(needle)] == needle:
+ new_val = replacement + val[len(needle):]
+ logger.info(("... replacing field '%s'; replacing value "+
+ "'%s' with '%s'") % (field, val, new_val) )
+ currentpage[field] = new_val
+
+class MDLink: # Used for link substitution on markdown
+ """A markdown link, in one of the following formats:
+ - [label](url "title") — an inline link (title optional)
+ - data:image/s3,"s3://crabby-images/e060d/e060d20d9b060722cb365b822e2c960e96a1a7b3" alt="alt text" — an inline image link
+ - [ref]: url — a reference link definition (could be an image or not)
+
+
+ Affects, but does not include, reference link instances, such as:
+ - [ref][]
+ - [label][ref]
+ """
+
+ MD_LINK_REGEX = re.compile(
+ r"(\[([^\]]+)\]\(([^:)]+)\)|\[([^\]]+)\]:\s*(\S+)$)", re.MULTILINE)
+
+ MD_IMG_REGEX = re.compile(
+ r"!(\[([^\]]+)\]\(([^:)]+)\)|\[([^\]]+)\]:\s*(\S+)$)", re.MULTILINE)
+
+ def __init__(self, fullmatch, label, url, label2, url2):
+ self.fullmatch = fullmatch
+ if fullmatch[:1] == "!":
+ self.is_img = True
+ else:
+ self.is_img = False
+ if label:
+ self.label = label
+ self.url = url
+ self.is_reflink = False
+ elif label2:
+ self.label = label2
+ self.url = url2
+ self.is_reflink = True
+
+ def to_markdown(self):
+ """Re-represent self as a link in markdown syntax"""
+ s = "[" + self.label + "]"
+ if self.is_reflink:
+ s += ": " + self.url
+ else:
+ s += "(" + self.url + ")"
+ return s
+
+def filter_markdown(md, mode="html", currentpage={}, **kwargs):
+ """
+ In "Githubify" mode, we need to do link substitution on the Markdown itself
+ since we won't have an opportunity to do it on the HTML output.
+ """
+ if mode != "md":
+ return md
+
+ if LINK_SUBS_FIELD in currentpage:
+ link_subs = currentpage[LINK_SUBS_FIELD]
+ md = substitute_md_links(md, link_subs)
+
+ if IMAGE_SUBS_FIELD in currentpage:
+ image_subs = currentpage[IMAGE_SUBS_FIELD]
+ md = substitute_md_images(currentpage, image_subs)
+ md = substitute_md_links(currentpage, image_subs)
+
+ return md
+
+def substitute_md_links(md, link_subs, do_images=False):
+ if do_images:
+ regex = MDLink.MARKDOWN_LINK_REGEX
+ else:
+ regex = MDLink.MARKDOWN_IMG_REGEX
+ links = [MDLink(*m) for m in regex.findall(md)]
+
+ for link in links:
+ for needle, replacement in link_subs:
+ if link.url[:len(needle)] == needle:
+ link.url = replacement + link.url[len(needle):]
+ md = md.replace(link.fullmatch, link.to_markdown())
+
+ return md
+
+def substitute_md_images(md, image_subs):
+ return substitute_md_links(md, image_subs, do_images=True)
diff --git a/dactyl/templates/template-default.html b/dactyl/templates/template-default.html
index 2b18112..59af753 100644
--- a/dactyl/templates/template-default.html
+++ b/dactyl/templates/template-default.html
@@ -55,7 +55,7 @@
{{content}}
diff --git a/dactyl/version.py b/dactyl/version.py
index 9b1c187..abeeedb 100644
--- a/dactyl/version.py
+++ b/dactyl/version.py
@@ -1 +1 @@
-__version__ = '0.4.0a2'
+__version__ = '0.4.0'
diff --git a/examples/dactyl-config.yml b/examples/dactyl-config.yml
index ee82cc2..5908b26 100644
--- a/examples/dactyl-config.yml
+++ b/examples/dactyl-config.yml
@@ -1,4 +1,6 @@
content_path: .
+# Setting content_path to . is actually a bad idea because it makes watch mode
+# go into an infinite loop.
template_path: templates
template_static_path: template_assets
diff --git a/examples/filter-examples/xrefs.md b/examples/filter-examples/xrefs.md
index daeae80..1686b9c 100644
--- a/examples/filter-examples/xrefs.md
+++ b/examples/filter-examples/xrefs.md
@@ -1,6 +1,6 @@
# Intelligent Cross-References
-Here's some examples for testing. See how they get rendered based on whether the linked page is part of the same target.
+Intelligent cross-references are a feature designed to be a link when they can be, and text directing people to a different target (guide) if not. Here's some examples for testing:
[This should link to the callouts demo page.](XREF: filter-callouts.html)
diff --git a/examples/includes.md b/examples/includes.md
index 8df3e2f..a97a0e4 100644
--- a/examples/includes.md
+++ b/examples/includes.md
@@ -4,10 +4,14 @@ This page demonstrates including a file using the preprocessor syntax. The path
# Includes and Filters
-If you include a page that relies on a filter, you might get weird results if the current page / target don't run the filter. For example...
+If you include a page that is written to use a filter, you might get weird results if the current page / target don't run the filter. For example...
{% include 'filter-examples/callouts.md' %}
# Other Stuff
-Lorem ipsum dolor sit amet.
+Includes are part of preprocessing, so you can do things like making one file that has all your [Markdown reference links][], and including that in all your pages to make the reference links always available.
+
+[Markdown reference links]: https://daringfireball.net/projects/markdown/syntax#link
+
+Reader exercise: make your own filter to automatically include a page at the end of another page!
diff --git a/examples/templates/template-index.html b/examples/templates/template-index.html
index f35b9cc..3b54083 100644
--- a/examples/templates/template-index.html
+++ b/examples/templates/template-index.html
@@ -8,10 +8,12 @@
{% for cat in categories %}
-
+
{% for page in pages %}
- {% if page.category == cat %}
+ {% if page.category == cat and not page.section_header %}
- {{ page.name }}
{% endif %}
{% endfor %}