A fork of hyde, the static site generation. Some patches will be pushed upstream.
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
 
 
 

347 lines
10 KiB

  1. # -*- coding: utf-8 -*-
  2. """
  3. Plugins related to structure
  4. """
  5. from hyde.ext.plugins.meta import Metadata
  6. from hyde.plugin import Plugin
  7. from hyde.site import Resource
  8. from hyde.util import pairwalk
  9. from fswrap import File, Folder
  10. import os
  11. from fnmatch import fnmatch
  12. import operator
  13. #
  14. # Folder Flattening
  15. #
  16. class FlattenerPlugin(Plugin):
  17. """
  18. The plugin class for flattening nested folders.
  19. """
  20. def __init__(self, site):
  21. super(FlattenerPlugin, self).__init__(site)
  22. def begin_site(self):
  23. """
  24. Finds all the folders that need flattening and changes the
  25. relative deploy path of all resources in those folders.
  26. """
  27. items = []
  28. try:
  29. items = self.site.config.flattener.items
  30. except AttributeError:
  31. pass
  32. for item in items:
  33. node = None
  34. target = ''
  35. try:
  36. node = self.site.content.node_from_relative_path(item.source)
  37. target = Folder(item.target)
  38. except AttributeError:
  39. continue
  40. if node:
  41. for resource in node.walk_resources():
  42. target_path = target.child(resource.name)
  43. self.logger.debug(
  44. 'Flattening resource path [%s] to [%s]' %
  45. (resource, target_path))
  46. resource.relative_deploy_path = target_path
  47. for child in node.walk():
  48. child.relative_deploy_path = target.path
  49. #
  50. # Combine
  51. #
  52. class CombinePlugin(Plugin):
  53. """
  54. To use this combine, the following configuration should be added
  55. to meta data::
  56. combine:
  57. sort: false #Optional. Defaults to true.
  58. root: content/media #Optional. Path must be relative to content
  59. folder - default current folder
  60. recurse: true #Optional. Default false.
  61. files:
  62. - ns1.*.js
  63. - ns2.*.js
  64. where: top
  65. remove: yes
  66. `files` is a list of resources (or just a resource) that should be
  67. combined. Globbing is performed. `where` indicate where the
  68. combination should be done. This could be `top` or `bottom` of the
  69. file. `remove` tell if we should remove resources that have been
  70. combined into the resource.
  71. """
  72. def __init__(self, site):
  73. super(CombinePlugin, self).__init__(site)
  74. def _combined(self, resource):
  75. """
  76. Return the list of resources to combine to build this one.
  77. """
  78. try:
  79. config = resource.meta.combine
  80. except AttributeError:
  81. return [] # Not a combined resource
  82. try:
  83. files = config.files
  84. except AttributeError:
  85. raise AttributeError("No resources to combine for [%s]" % resource)
  86. if type(files) is str:
  87. files = [files]
  88. # Grab resources to combine
  89. # select site root
  90. try:
  91. root = self.site.content.node_from_relative_path(
  92. resource.meta.combine.root)
  93. except AttributeError:
  94. root = resource.node
  95. # select walker
  96. try:
  97. recurse = resource.meta.combine.recurse
  98. except AttributeError:
  99. recurse = False
  100. walker = root.walk_resources() if recurse else root.resources
  101. # Must we sort?
  102. try:
  103. sort = resource.meta.combine.sort
  104. except AttributeError:
  105. sort = True
  106. if sort:
  107. resources = sorted([r for r in walker
  108. if any(fnmatch(r.name, f) for f in files)],
  109. key=operator.attrgetter('name'))
  110. else:
  111. resources = [(f, r)
  112. for r in walker for f in files if fnmatch(r.name, f)]
  113. resources = [r[1] for f in files for r in resources if f in r]
  114. if not resources:
  115. self.logger.debug("No resources to combine for [%s]" % resource)
  116. return []
  117. return resources
  118. def begin_site(self):
  119. """
  120. Initialize the plugin and search for the combined resources
  121. """
  122. for node in self.site.content.walk():
  123. for resource in node.resources:
  124. resources = self._combined(resource)
  125. if not resources:
  126. continue
  127. # Build depends
  128. if not hasattr(resource, 'depends'):
  129. resource.depends = []
  130. resource.depends.extend(
  131. [r.relative_path for r in resources
  132. if r.relative_path not in resource.depends])
  133. # Remove combined resources if needed
  134. if hasattr(resource.meta.combine, "remove") and \
  135. resource.meta.combine.remove:
  136. for r in resources:
  137. self.logger.debug(
  138. "Resource [%s] removed because combined" % r)
  139. r.is_processable = False
  140. def begin_text_resource(self, resource, text):
  141. """
  142. When generating a resource, add combined file if needed.
  143. """
  144. resources = self._combined(resource)
  145. if not resources:
  146. return
  147. where = "bottom"
  148. try:
  149. where = resource.meta.combine.where
  150. except AttributeError:
  151. pass
  152. if where not in ["top", "bottom"]:
  153. raise ValueError("%r should be either `top` or `bottom`" % where)
  154. self.logger.debug(
  155. "Combining %d resources for [%s]" % (len(resources),
  156. resource))
  157. if where == "top":
  158. return "".join([r.source.read_all() for r in resources] + [text])
  159. else:
  160. return "".join([text] + [r.source.read_all() for r in resources])
  161. #
  162. # Pagination
  163. #
  164. class Page:
  165. def __init__(self, posts, number):
  166. self.posts = posts
  167. self.number = number
  168. class Paginator:
  169. """
  170. Iterates resources which have pages associated with them.
  171. """
  172. file_pattern = 'page$PAGE/$FILE$EXT'
  173. def __init__(self, settings):
  174. self.sorter = getattr(settings, 'sorter', None)
  175. self.size = getattr(settings, 'size', 10)
  176. self.file_pattern = getattr(
  177. settings, 'file_pattern', self.file_pattern)
  178. def _relative_url(self, source_path, number, basename, ext):
  179. """
  180. Create a new URL for a new page. The first page keeps the same name;
  181. the subsequent pages are named according to file_pattern.
  182. """
  183. path = File(source_path)
  184. if number != 1:
  185. filename = self.file_pattern.replace('$PAGE', str(number)) \
  186. .replace('$FILE', basename) \
  187. .replace('$EXT', ext)
  188. path = path.parent.child(os.path.normpath(filename))
  189. return path
  190. def _new_resource(self, base_resource, node, page_number):
  191. """
  192. Create a new resource as a copy of a base_resource, with a page of
  193. resources associated with it.
  194. """
  195. res = Resource(base_resource.source_file, node)
  196. res.node.meta = Metadata(node.meta)
  197. res.meta = Metadata(base_resource.meta, res.node.meta)
  198. brs = base_resource.source_file
  199. path = self._relative_url(base_resource.relative_path,
  200. page_number,
  201. brs.name_without_extension,
  202. brs.extension)
  203. res.set_relative_deploy_path(path)
  204. return res
  205. @staticmethod
  206. def _attach_page_to_resource(page, resource):
  207. """
  208. Hook up a page and a resource.
  209. """
  210. resource.page = page
  211. page.resource = resource
  212. @staticmethod
  213. def _add_dependencies_to_resource(dependencies, resource):
  214. """
  215. Add a bunch of resources as dependencies to another resource.
  216. """
  217. if not hasattr(resource, 'depends'):
  218. resource.depends = []
  219. resource.depends.extend([dep.relative_path for dep in dependencies
  220. if dep.relative_path not in resource.depends])
  221. def _walk_pages_in_node(self, node):
  222. """
  223. Segregate each resource into a page.
  224. """
  225. walker = 'walk_resources'
  226. if self.sorter:
  227. walker = 'walk_resources_sorted_by_%s' % self.sorter
  228. walker = getattr(node, walker, getattr(node, 'walk_resources'))
  229. posts = list(walker())
  230. number = 1
  231. while posts:
  232. yield Page(posts[:self.size], number)
  233. posts = posts[self.size:]
  234. number += 1
  235. def walk_paged_resources(self, node, resource):
  236. """
  237. Group the resources and return the new page resources.
  238. """
  239. added_resources = []
  240. pages = list(self._walk_pages_in_node(node))
  241. if pages:
  242. deps = reduce(list.__add__, [page.posts for page in pages], [])
  243. Paginator._attach_page_to_resource(pages[0], resource)
  244. Paginator._add_dependencies_to_resource(deps, resource)
  245. for page in pages[1:]:
  246. # make new resource
  247. new_resource = self._new_resource(resource, node, page.number)
  248. Paginator._attach_page_to_resource(page, new_resource)
  249. new_resource.depends = resource.depends
  250. added_resources.append(new_resource)
  251. for prev, next in pairwalk(pages):
  252. next.previous = prev
  253. prev.next = next
  254. return added_resources
  255. class PaginatorPlugin(Plugin):
  256. """
  257. Paginator plugin.
  258. Configuration: in a resource's metadata:
  259. paginator:
  260. sorter: time
  261. size: 5
  262. file_pattern: page$PAGE/$FILE$EXT # optional
  263. then in the resource's content:
  264. {% for res in resource.page.posts %}
  265. {% refer to res.relative_path as post %}
  266. {{ post }}
  267. {% endfor %}
  268. {{ resource.page.previous }}
  269. {{ resource.page.next }}
  270. """
  271. def __init__(self, site):
  272. super(PaginatorPlugin, self).__init__(site)
  273. def begin_site(self):
  274. for node in self.site.content.walk():
  275. added_resources = []
  276. paged_resources = (res for res in node.resources
  277. if hasattr(res, "meta")
  278. and hasattr(res.meta, 'paginator'))
  279. for resource in paged_resources:
  280. paginator = Paginator(resource.meta.paginator)
  281. added_resources += paginator.walk_paged_resources(
  282. node, resource)
  283. node.resources += added_resources