我有一个用Sphinx制作的文档项目。我通过配置键rst_epilog
使用全局变量。我的conf.py
文件包含以下内容:
rst_epilog = """
.. |MY_VERSION| replace:: 2.1.0
"""
然后,在第一页中,我使用以前定义的变量(VERSION
),如下所示:
The version of my repo is: |MY_VERSION|
.. sourcecode:: bash
git clone https://github.com/my-organization/my-repo.git
cd my-repo
git checkout |MY_VERSION|
在构建文档之后,在生成的HTML中,第一个变量被正确替换,而不是第二个变量:
显然,替换在格式化的源代码块中不起作用,这非常不方便。
是否可以解决此问题?
PS:我也尝试使用rst_prolog
得到相同的结果。
答案 0 :(得分:1)
这将使替换工作:
.. parsed-literal::
git clone https://github.com/my-organization/my-repo.git
cd my-repo
git checkout |MY_VERSION|
使用parsed-literal
指令,您可以进行替换(以及其他内联标记),但没有语法突出显示。
使用code-block
(或sourcecode
或highlight
),您可以使用语法突出显示,但不会处理内联标记。
答案 1 :(得分:0)
我创建了一个Sphinx扩展程序,为此提供了substitution-code-block
。
它允许您在substitutions
中定义conf.py
,然后在.. substitution-code-block
块中使用这些替换。
此扩展名位于https://github.com/adamtheturtle/sphinx-substitution-extensions。
但是,这是非常少量的代码。 要在没有第三方扩展的自己的代码库中启用此功能,请在代码库中创建一个包含以下内容的模块:
"""
Custom Sphinx extensions.
"""
from typing import List
from sphinx.application import Sphinx
from sphinx.directives.code import CodeBlock
class SubstitutionCodeBlock(CodeBlock): # type: ignore
"""
Similar to CodeBlock but replaces placeholders with variables.
"""
def run(self) -> List:
"""
Replace placeholders with given variables.
"""
app = self.state.document.settings.env.app
new_content = []
self.content = self.content # type: List[str]
existing_content = self.content
for item in existing_content:
for pair in app.config.substitutions:
original, replacement = pair
item = item.replace(original, replacement)
new_content.append(item)
self.content = new_content
return list(CodeBlock.run(self))
def setup(app: Sphinx) -> None:
"""
Add the custom directives to Sphinx.
"""
app.add_config_value('substitutions', [], 'html')
app.add_directive('substitution-code-block', SubstitutionCodeBlock)
然后,使用此模块extensions
中定义的conf.py
。
然后,在substitutions
中设置conf.py
变量,例如到[('|foo|', 'bar')]
中,以在每个|foo|
中将bar
替换为substitution-code-block
。