Skip to content

Commit

Permalink
New feature: support for {include} syntax. Fixes getpelican#1902.
Browse files Browse the repository at this point in the history
The new {include} syntax makes it possible to include
frequently used text snippets into your content.
  • Loading branch information
atodorov committed Dec 14, 2016
1 parent d13d57e commit 82e41e4
Show file tree
Hide file tree
Showing 12 changed files with 284 additions and 16 deletions.
5 changes: 5 additions & 0 deletions docs/changelog.rst
@@ -1,6 +1,11 @@
Release history
###############

3.7.1 (unknown)
===============

* Add support for the ``{include}`` syntax

3.7.0 (2016-12-12)
==================

Expand Down
39 changes: 39 additions & 0 deletions docs/content.rst
Expand Up @@ -337,6 +337,45 @@ Linking to authors, categories, index and tags
You can link to authors, categories, index and tags using the ``{author}name``,
``{category}foobar``, ``{index}`` and ``{tag}tagname`` syntax.

Including common text into your content
---------------------------------------

From Pelican 3.7.1 you can include common text snippets into your content using
the ``{include}file.ext`` syntax. You can specify semi-absolute paths starting
from the ``PATH`` directory, e.g. ``{include}/pages/disclaimer.html`` or use
relative paths, e.g. ``{include}notice.html``. Relativity is
calculated based on the location of the file containing the ``{include}``.
For example when you have the following content layout::

content
└── notice2.html
└── pages
├── page1.html
└── notice1.html

Then the includes may look like::

<html>
<head>
<title>PAGE 1</title>
</head>
<body>
This is the content of page 1

{include}../notice2.html
</body>
</html>


``notice2.html`` looks like::

{include}pages/notice1.html
This is the second warning about relative paths

When using ``{include}`` it is best to blacklist the included files using the
``IGNORE_FILES`` setting. Otherwise Pelican will try to render them as regular
content and will most likely fail!

Deprecated internal link syntax
-------------------------------

Expand Down
95 changes: 81 additions & 14 deletions pelican/contents.py
Expand Up @@ -11,7 +11,7 @@
import pytz

import six
from six.moves.urllib.parse import urlparse, urlunparse
from six.moves.urllib.parse import unquote, urlparse, urlunparse

from pelican import signals
from pelican.settings import DEFAULT_CONFIG
Expand Down Expand Up @@ -150,8 +150,20 @@ def __init__(self, content, metadata=None, settings=None,
if 'summary' in metadata:
self._summary = metadata['summary']

# used for rendering {includes}
self._readers = None

signals.content_object_init.send(self)

@property
def readers(self):
if self._readers is None:
# import here due to circular imports
from pelican.readers import Readers
self._readers = Readers(self.settings)

return self._readers

def __str__(self):
return self.source_path or repr(self)

Expand Down Expand Up @@ -187,6 +199,30 @@ def get_url_setting(self, key):
key = key if self.in_default_lang else 'lang_%s' % key
return self._expand_settings(key)

def _path_replacer(self, path, relative_dir=None):
"""
Update path depending on whether this is an absolute
or relative value.
"""
if not relative_dir:
relative_dir = self.relative_dir

if path.startswith('/'):
path = path[1:]
else:
# relative to the source path of this content
path = self.get_relative_source_path(
os.path.join(relative_dir, path)
)

if path not in self._context['filenames']:
unquoted_path = unquote(path)

if unquoted_path in self._context['filenames']:
path = unquoted_path

return path

def _update_content(self, content, siteurl):
"""Update the content attribute.
Expand Down Expand Up @@ -218,19 +254,7 @@ def replacer(m):

# XXX Put this in a different location.
if what in {'filename', 'attach'}:
if path.startswith('/'):
path = path[1:]
else:
# relative to the source path of this content
path = self.get_relative_source_path(
os.path.join(self.relative_dir, path)
)

if path not in self._context['filenames']:
unquoted_path = path.replace('%20', ' ')

if unquoted_path in self._context['filenames']:
path = unquoted_path
path = self._path_replacer(path)

linked_content = self._context['filenames'].get(path)
if linked_content:
Expand Down Expand Up @@ -277,12 +301,55 @@ def replacer(m):
def get_siteurl(self):
return self._context.get('localsiteurl', '')

def _update_includes(self, content, source_path=None):
"""
Replace {include}some.file with the
contents of this file.
"""
regex = r"""[{|]include[|}](?P<path>[\w./]+)"""
hrefs = re.compile(regex, re.X)

def replacer(m):
path = m.group('path')
path = self._path_replacer(path, source_path)
path = posixize_path(
os.path.abspath(
os.path.join(self.settings['PATH'], path)
)
)

if not os.path.isfile(path):
logger.warning("Unable to find `%s`, skipping include.", path)
return ''.join(('{include}', m.group('path')))

_, ext = os.path.splitext(path)
# remove leading dot
ext = ext[1:]

if ext not in self.readers.reader_classes.keys():
logger.warning("Unable to read `%s`, skipping include.", path)
return ''.join(('{include}', m.group('path')))

reader = self.readers.reader_classes[ext](self.settings)
text, meta = reader.read(path)

# if we recurse into another file to perform more includes
# self._path_replacer needs to know in which directory
# it operates otherwise it produces wrong paths
source_dir = posixize_path(os.path.dirname(path))

text = self._update_includes(text, source_dir)
return text

return hrefs.sub(replacer, content)

@memoized
def get_content(self, siteurl):
if hasattr(self, '_get_content'):
content = self._get_content()
else:
content = self._content
content = self._update_includes(content)
return self._update_content(content, siteurl)

@property
Expand Down
7 changes: 6 additions & 1 deletion pelican/readers.py
Expand Up @@ -432,7 +432,12 @@ def read(self, filename):
metadata = {}
for k in parser.metadata:
metadata[k] = self.process_metadata(k, parser.metadata[k])
return parser.body, metadata

if parser.body:
return parser.body, metadata
else:
# in case we're parsing HTML includes
return content, metadata


class Readers(FileStampDataCacher):
Expand Down
2 changes: 2 additions & 0 deletions pelican/tests/content/include.markdown
@@ -0,0 +1,2 @@
**this is Markdown**
Here is a [link](http://MrSenko.com).
2 changes: 2 additions & 0 deletions pelican/tests/content/include.unknown
@@ -0,0 +1,2 @@
**this is Markdown**
Here is a [link](http://MrSenko.com).
2 changes: 2 additions & 0 deletions pelican/tests/content/include/include3.html
@@ -0,0 +1,2 @@
this file includes another in a different directory
{include}../include1.html
2 changes: 2 additions & 0 deletions pelican/tests/content/include/include4.html
@@ -0,0 +1,2 @@
this file includes another via absolute path
{include}/include1.html
1 change: 1 addition & 0 deletions pelican/tests/content/include1.html
@@ -0,0 +1 @@
<span>this content has been included</span>
2 changes: 2 additions & 0 deletions pelican/tests/content/include2.html
@@ -0,0 +1,2 @@
this file includes another
{include}include1.html
5 changes: 4 additions & 1 deletion pelican/tests/test_cache.py
Expand Up @@ -157,8 +157,11 @@ def test_article_object_caching(self):
- 2012-11-30_md_w_filename_meta#foo-bar.md
- empty.md
- empty_with_bom.md
There are 5 more include* files which are HTML or Markdown snippets
and also not valid.
"""
self.assertEqual(generator.readers.read_file.call_count, 6)
self.assertEqual(generator.readers.read_file.call_count, 11)

@unittest.skipUnless(MagicMock, 'Needs Mock module')
def test_article_reader_content_caching(self):
Expand Down
138 changes: 138 additions & 0 deletions pelican/tests/test_contents.py
Expand Up @@ -22,6 +22,8 @@
TEST_CONTENT = str(generate_lorem_ipsum(n=1))
TEST_SUMMARY = generate_lorem_ipsum(n=1, html=False)

CONTENT_PATH = os.path.join(os.path.dirname(__file__), 'content')


class TestPage(LoggedTestCase):

Expand Down Expand Up @@ -418,6 +420,142 @@ def test_intrasite_link_markdown_spaces(self):
'<a href="http://notmyidea.org/article-spaces.html">link</a>'
)

def test_includes(self):
args = self.page_kwargs.copy()
args['settings'] = get_settings()
args['source_path'] = CONTENT_PATH
args['context']['filenames'] = {}
settings = get_settings()
settings['PATH'] = CONTENT_PATH
args['settings'] = settings

# test inclusion b/w files of different types
# HTML includes Markdown
args['content'] = (
'HTML includes Markdown '
'{include}include.markdown'
' Included content is above'
)
content = Page(**args).get_content('http://notmyidea.org')
self.assertEqual(
content,
'HTML includes Markdown '
'<p><strong>this is Markdown</strong>\n'
'Here is a <a href="http://MrSenko.com">link</a>.</p>'
' Included content is above'
)

# test inclusion b/w files of different types
# where we don't know how to render the included type
args['content'] = (
'HTML includes Unknown '
'{include}include.unknown'
)
content = Page(**args).get_content('http://notmyidea.org')
# we have a warning in this case
self.assertLogCountEqual(
count=1,
msg="Unable to read `.*`, skipping include\.",
level=logging.WARNING)
self.assertEqual(
content,
'HTML includes Unknown '
'{include}include.unknown'
)

# one include via relative path
args['content'] = (
'There is a simple include here '
'{include}include1.html'
' Included content is above'
)
content = Page(**args).get_content('http://notmyidea.org')
self.assertEqual(
content,
'There is a simple include here '
'<span>this content has been included</span>'
' Included content is above'
)

# two nested includes via relative paths
args['content'] = (
'There is a simple include here '
'{include}include2.html'
' Included content is above'
)
content = Page(**args).get_content('http://notmyidea.org')
self.assertEqual(
content,
'There is a simple include here '
'this file includes another\n'
'<span>this content has been included</span>'
' Included content is above'
)

# include via full path
args['content'] = (
'There is a simple include here '
'{include}/include1.html'
' Included content is above'
)
content = Page(**args).get_content('http://notmyidea.org')
self.assertEqual(
content,
'There is a simple include here '
'<span>this content has been included</span>'
' Included content is above'
)

# 2nd include is in different directory
# include paths are relative to the caller directory
args['content'] = (
'There is a simple include here '
'{include}include/include3.html'
' Included content is above'
)
content = Page(**args).get_content('http://notmyidea.org')
self.assertEqual(
content,
'There is a simple include here '
'this file includes another in a different directory\n'
'<span>this content has been included</span>'
' Included content is above'
)

# 2nd include using absolute path in the included file
args['content'] = (
'There is a simple include here '
'{include}include/include4.html'
' Included content is above'
)
content = Page(**args).get_content('http://notmyidea.org')
self.assertEqual(
content,
'There is a simple include here '
'this file includes another via absolute path\n'
'<span>this content has been included</span>'
' Included content is above'
)

# include non-existing file => inclusion is skipped
args['content'] = (
'There is a simple include here '
'{include}missing.html'
' Included content is above'
)
content = Page(**args).get_content('http://notmyidea.org')
# we have a warning in this case
self.assertLogCountEqual(
count=1,
msg="Unable to find `.*`, skipping include\.",
level=logging.WARNING)
self.assertEqual(
content,
'There is a simple include here '
'{include}missing.html'
' Included content is above'
)

def test_multiple_authors(self):
"""Test article with multiple authors."""
args = self.page_kwargs.copy()
Expand Down

0 comments on commit 82e41e4

Please sign in to comment.