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.
 
 
 

476 lines
15 KiB

  1. # -*- coding: utf-8 -*-
  2. """
  3. Contains definition for a plugin protocol and other utiltities.
  4. """
  5. from hyde.exceptions import HydeException
  6. from hyde.util import first_match, discover_executable
  7. from hyde.model import Expando
  8. import abc
  9. from functools import partial
  10. import fnmatch
  11. import os
  12. import re
  13. import subprocess
  14. import traceback
  15. from commando.util import getLoggerWithNullHandler, load_python_object
  16. from fswrap import File
  17. logger = getLoggerWithNullHandler('hyde.engine')
  18. class PluginProxy(object):
  19. """
  20. A proxy class to raise events in registered plugins
  21. """
  22. def __init__(self, site):
  23. super(PluginProxy, self).__init__()
  24. self.site = site
  25. def __getattr__(self, method_name):
  26. if hasattr(Plugin, method_name):
  27. def __call_plugins__(*args):
  28. # logger.debug("Calling plugin method [%s]", method_name)
  29. res = None
  30. if self.site.plugins:
  31. for plugin in self.site.plugins:
  32. if hasattr(plugin, method_name):
  33. # logger.debug(
  34. # "\tCalling plugin [%s]",
  35. # plugin.__class__.__name__)
  36. checker = getattr(plugin, 'should_call__' + method_name)
  37. if checker(*args):
  38. function = getattr(plugin, method_name)
  39. res = function(*args)
  40. targs = list(args)
  41. if len(targs):
  42. last = targs.pop()
  43. res = res if res else last
  44. targs.append(res)
  45. args = tuple(targs)
  46. return res
  47. return __call_plugins__
  48. raise HydeException(
  49. "Unknown plugin method [%s] called." % method_name)
  50. class Plugin(object):
  51. """
  52. The plugin protocol
  53. """
  54. __metaclass__ = abc.ABCMeta
  55. def __init__(self, site):
  56. super(Plugin, self).__init__()
  57. self.site = site
  58. self.logger = getLoggerWithNullHandler(
  59. 'hyde.engine.%s' % self.__class__.__name__)
  60. self.template = None
  61. def template_loaded(self, template):
  62. """
  63. Called when the template for the site has been identified.
  64. Handles the template loaded event to keep
  65. a reference to the template object.
  66. """
  67. self.template = template
  68. def __getattribute__(self, name):
  69. """
  70. Syntactic sugar for template methods
  71. """
  72. result = None
  73. if name.startswith('t_') and self.template:
  74. attr = name[2:]
  75. if hasattr(self.template, attr):
  76. result = self.template[attr]
  77. elif attr.endswith('_close_tag'):
  78. tag = attr.replace('_close_tag', '')
  79. result = partial(self.template.get_close_tag, tag)
  80. elif attr.endswith('_open_tag'):
  81. tag = attr.replace('_open_tag', '')
  82. result = partial(self.template.get_open_tag, tag)
  83. elif name.startswith('should_call__'):
  84. (_, _, method) = name.rpartition('__')
  85. if (method in ('begin_text_resource', 'text_resource_complete',
  86. 'begin_binary_resource', 'binary_resource_complete')):
  87. result = self._file_filter
  88. elif (method in ('begin_node', 'node_complete')):
  89. result = self._dir_filter
  90. else:
  91. def always_true(*args, **kwargs):
  92. return True
  93. result = always_true
  94. return result if result else super(Plugin, self).__getattribute__(name)
  95. @property
  96. def settings(self):
  97. """
  98. The settings for this plugin the site config.
  99. """
  100. opts = Expando({})
  101. try:
  102. opts = getattr(self.site.config, self.plugin_name)
  103. except AttributeError:
  104. pass
  105. return opts
  106. @property
  107. def plugin_name(self):
  108. """
  109. The name of the plugin. Makes an intelligent guess.
  110. This is used to lookup the settings for the plugin.
  111. """
  112. return self.__class__.__name__.replace('Plugin', '').lower()
  113. def begin_generation(self):
  114. """
  115. Called when generation is about to take place.
  116. """
  117. pass
  118. def begin_site(self):
  119. """
  120. Called when the site is loaded completely. This implies that all the
  121. nodes and resources have been identified and are accessible in the
  122. site variable.
  123. """
  124. pass
  125. def begin_node(self, node):
  126. """
  127. Called when a node is about to be processed for generation.
  128. This method is called only when the entire node is generated.
  129. """
  130. pass
  131. def _file_filter(self, resource, *args, **kwargs):
  132. """
  133. Returns True if the resource path matches the filter property in
  134. plugin settings.
  135. """
  136. if not self._dir_filter(resource.node, *args, **kwargs):
  137. return False
  138. try:
  139. filters = self.settings.include_file_pattern
  140. if not isinstance(filters, list):
  141. filters = [filters]
  142. except AttributeError:
  143. filters = None
  144. result = any(fnmatch.fnmatch(resource.path, f)
  145. for f in filters) if filters else True
  146. return result
  147. def _dir_filter(self, node, *args, **kwargs):
  148. """
  149. Returns True if the node path is a descendant of the include_paths property in
  150. plugin settings.
  151. """
  152. try:
  153. node_filters = self.settings.include_paths
  154. if not isinstance(node_filters, list):
  155. node_filters = [node_filters]
  156. node_filters = [self.site.content.node_from_relative_path(f)
  157. for f in node_filters]
  158. except AttributeError:
  159. node_filters = None
  160. result = any(node.source == f.source or
  161. node.source.is_descendant_of(f.source)
  162. for f in node_filters if f) \
  163. if node_filters else True
  164. return result
  165. def begin_text_resource(self, resource, text):
  166. """
  167. Called when a text resource is about to be processed for generation.
  168. The `text` parameter contains the resource text at this point
  169. in its lifecycle. It is the text that has been loaded and any
  170. plugins that are higher in the order may have tampered with it.
  171. But the text has not been processed by the template yet. Note that
  172. the source file associated with the text resource may not be modifed
  173. by any plugins.
  174. If this function returns a value, it is used as the text for further
  175. processing.
  176. """
  177. return text
  178. def begin_binary_resource(self, resource):
  179. """
  180. Called when a binary resource is about to be processed for generation.
  181. Plugins are free to modify the contents of the file.
  182. """
  183. pass
  184. def text_resource_complete(self, resource, text):
  185. """
  186. Called when a resource has been processed by the template.
  187. The `text` parameter contains the resource text at this point
  188. in its lifecycle. It is the text that has been processed by the
  189. template and any plugins that are higher in the order may have
  190. tampered with it. Note that the source file associated with the
  191. text resource may not be modifed by any plugins.
  192. If this function returns a value, it is used as the text for further
  193. processing.
  194. """
  195. return text
  196. def binary_resource_complete(self, resource):
  197. """
  198. Called when a binary resource has already been processed.
  199. Plugins are free to modify the contents of the file.
  200. """
  201. pass
  202. def node_complete(self, node):
  203. """
  204. Called when all the resources in the node have been processed.
  205. This method is called only when the entire node is generated.
  206. """
  207. pass
  208. def site_complete(self):
  209. """
  210. Called when the entire site has been processed. This method is called
  211. only when the entire site is generated.
  212. """
  213. pass
  214. def generation_complete(self):
  215. """
  216. Called when generation is completed.
  217. """
  218. pass
  219. @staticmethod
  220. def load_all(site):
  221. """
  222. Loads plugins based on the configuration. Assigns the plugins to
  223. 'site.plugins'
  224. """
  225. site.plugins = [load_python_object(name)(site)
  226. for name in site.config.plugins]
  227. @staticmethod
  228. def get_proxy(site):
  229. """
  230. Returns a new instance of the Plugin proxy.
  231. """
  232. return PluginProxy(site)
  233. class CLTransformer(Plugin):
  234. """
  235. Handy class for plugins that simply call a command line app to
  236. transform resources.
  237. """
  238. @property
  239. def defaults(self):
  240. """
  241. Default command line options. Can be overridden
  242. by specifying them in config.
  243. """
  244. return {}
  245. @property
  246. def executable_name(self):
  247. """
  248. The executable name for the plugin. This can be overridden in the
  249. config. If a configuration option is not provided, this is used
  250. to guess the complete path of the executable.
  251. """
  252. return self.plugin_name
  253. @property
  254. def executable_not_found_message(self):
  255. """
  256. Message to be displayed if the command line application
  257. is not found.
  258. """
  259. return ("%(name)s executable path not configured properly. "
  260. "This plugin expects `%(name)s.app` to point "
  261. "to the full path of the `%(exec)s` executable." %
  262. {
  263. "name":self.plugin_name, "exec": self.executable_name
  264. })
  265. @property
  266. def app(self):
  267. """
  268. Gets the application path from the site configuration.
  269. If the path is not configured, attempts to guess the path
  270. from the sytem path environment variable.
  271. """
  272. try:
  273. app_path = getattr(self.settings, 'app')
  274. except AttributeError:
  275. app_path = self.executable_name
  276. # Honour the PATH environment variable.
  277. if app_path is not None and not os.path.isabs(app_path):
  278. app_path = discover_executable(app_path, self.site.sitepath)
  279. if app_path is None:
  280. raise self.template.exception_class(
  281. self.executable_not_found_message)
  282. app = File(app_path)
  283. if not app.exists:
  284. raise self.template.exception_class(
  285. self.executable_not_found_message)
  286. return app
  287. def option_prefix(self, option):
  288. """
  289. Return the prefix for the given option.
  290. Defaults to --.
  291. """
  292. return "--"
  293. def process_args(self, supported):
  294. """
  295. Given a list of supported arguments, consutructs an argument
  296. list that could be passed on to the call_app function.
  297. """
  298. args = {}
  299. args.update(self.defaults)
  300. try:
  301. args.update(self.settings.args.to_dict())
  302. except AttributeError:
  303. pass
  304. params = []
  305. for option in supported:
  306. if isinstance(option, tuple):
  307. (descriptive, short) = option
  308. else:
  309. descriptive = short = option
  310. options = [descriptive.rstrip("="), short.rstrip("=")]
  311. match = first_match(lambda arg: arg in options, args)
  312. if match:
  313. val = args[match]
  314. param = "%s%s" % (self.option_prefix(descriptive),
  315. descriptive)
  316. if descriptive.endswith("="):
  317. param += val
  318. val = None
  319. params.append(param)
  320. if val:
  321. params.append(val)
  322. return params
  323. def call_app(self, args):
  324. """
  325. Calls the application with the given command line parameters.
  326. """
  327. try:
  328. self.logger.debug(
  329. "Calling executable [%s] with arguments %s" %
  330. (args[0], unicode(args[1:])))
  331. return subprocess.check_output(args)
  332. except subprocess.CalledProcessError, error:
  333. self.logger.error(traceback.format_exc())
  334. self.logger.error(error.output)
  335. raise
  336. class TextyPlugin(Plugin):
  337. """
  338. Base class for text preprocessing plugins.
  339. Plugins that desire to provide syntactic sugar for
  340. commonly used hyde functions for various templates
  341. can inherit from this class.
  342. """
  343. __metaclass__ = abc.ABCMeta
  344. def __init__(self, site):
  345. super(TextyPlugin, self).__init__(site)
  346. self.open_pattern = self.default_open_pattern
  347. self.close_pattern = self.default_close_pattern
  348. self.template = None
  349. config = getattr(site.config, self.plugin_name, None)
  350. if config and hasattr(config, 'open_pattern'):
  351. self.open_pattern = config.open_pattern
  352. if self.close_pattern and config and hasattr(config, 'close_pattern'):
  353. self.close_pattern = config.close_pattern
  354. @property
  355. def plugin_name(self):
  356. """
  357. The name of the plugin. Makes an intelligent guess.
  358. """
  359. return self.__class__.__name__.replace('Plugin', '').lower()
  360. @abc.abstractproperty
  361. def tag_name(self):
  362. """
  363. The tag that this plugin tries add syntactic sugar for.
  364. """
  365. return self.plugin_name
  366. @abc.abstractproperty
  367. def default_open_pattern(self):
  368. """
  369. The default pattern for opening the tag.
  370. """
  371. return None
  372. @abc.abstractproperty
  373. def default_close_pattern(self):
  374. """
  375. The default pattern for closing the tag.
  376. """
  377. return None
  378. def get_params(self, match, start=True):
  379. """
  380. Default implementation for getting template args.
  381. """
  382. return match.groups(1)[0] if match.lastindex else ''
  383. @abc.abstractmethod
  384. def text_to_tag(self, match, start=True):
  385. """
  386. Replaces the matched text with tag statement
  387. given by the template.
  388. """
  389. params = self.get_params(match, start)
  390. return (self.template.get_open_tag(self.tag_name, params)
  391. if start
  392. else self.template.get_close_tag(self.tag_name, params))
  393. def begin_text_resource(self, resource, text):
  394. """
  395. Replace a text base pattern with a template statement.
  396. """
  397. text_open = re.compile(self.open_pattern, re.UNICODE|re.MULTILINE)
  398. text = text_open.sub(self.text_to_tag, text)
  399. if self.close_pattern:
  400. text_close = re.compile(self.close_pattern, re.UNICODE|re.MULTILINE)
  401. text = text_close.sub(
  402. partial(self.text_to_tag, start=False), text)
  403. return text