1.4. Sphinx 配置#

简单来说, Sphinx 项目中的 conf.py 文件就是该项目的配置文件,而例如 .readthedocs.yamlrequirement.txt 文件是在部署在 Read The Docs 网站上是的项目运行环境配置文件。

配置文件:

  • .readthedocs.yaml : Sphinx 项目的运行环境的宏观配置

  • requirement.txt : Sphinx 项目的 python 依赖包 的运行环境配置。当然这类依赖导入文件的命名是无所谓的,只要是 .txt 并在 .readthedocs.yaml 中引用即可。

  • conf.py : Sphinx 项目的内部配置

1.4.1. .readthedocs.yaml#

Sphinx 项目的运行环境的宏观配置,包括指向Sphinx 项目的 python 依赖包 的运行环境配置文件。这是推荐的设置项目的方法。在使用此配置文件时, Read The Docs 项目的 管理 --> 高级设置 --> Default settings 列出的设置将被忽略。

Read The Docs 支持使用 YAML 文件配置文档构建。 该配置文件必须在你的项目的根目录下 ,并命名 .readthedocs.yaml

Listing 1.4.1 YAML 文件配置示例#
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
# .readthedocs.yaml
# Read the Docs configuration file
# See https://docs.readthedocs.io/en/stable/config-file/v2.html for details

# Required
version: 2

# Set the version of Python and other tools you might need
build:
  os: ubuntu-20.04
  tools:
    python: "3.9"
    # You can also specify other tool versions:
    # nodejs: "16"
    # rust: "1.55"
    # golang: "1.17"

# Build documentation in the docs/ directory with Sphinx
sphinx:
   configuration: docs/conf.py

# If using Sphinx, optionally build your docs in additional formats such as PDF
# formats:
#    - pdf

# Optionally declare the Python requirements required to build your docs
python:
   install:
   - requirements: docs/requirements.txt

如果想要了解更多关于 YAML 文件配置, 点击前往

需要注意文件的路径问题。在官方的文档中,Sphinx 项目是在项目文件夹下名为 docs 文件夹下新建的,所以在项目最外层与 README.md 同级的情况下, requirement.txt 放在项目最外层,那么它的路径为 docs/requirement.txt

1.4.2. requirement.txt#

Sphinx 项目的 python 依赖包 的运行环境配置。当然这类依赖导入文件的命名是无所谓的,只要是 .txt 并在 .readthedocs.yaml 中引用即可。

因为我们在推送到 Read The Docs 平台时,它是不知道我们项目所需要的 Python 依赖模块的,所以需要我们添加 pip 要求文件 来构建文档; 点击查看pip 要求文件样式要求

Listing 1.4.2 requirement.txt 文件配置示例#
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
###### Requirements without Version Specifiers ######
pytest
pytest-cov
beautifulsoup4

###### Requirements with Version Specifiers ######
#   See https://www.python.org/dev/peps/pep-0440/#version-specifiers
docopt == 0.6.1             # Version Matching. Must be version 0.6.1
keyring >= 4.1.1            # Minimum version 4.1.1
coverage != 3.5             # Version Exclusion. Anything except version 3.5
Mopidy-Dirble ~= 1.1        # Compatible release. Same as >= 1.1, == 1.*

###### Refer to other requirements files ######
-r other-requirements.txt

###### A particular file ######
./downloads/numpy-1.9.2-cp34-none-win32.whl
http://wxpython.org/Phoenix/snapshot-builds/wxPython_Phoenix-3.0.3.dev1820+49a8884-cp34-none-win_amd64.whl

###### Additional Requirements without Version Specifiers ######
#   Same as 1st section, just here to show that you can put things in any order.
rejected
green

1.4.3. conf.py#

以下文本项目的实际配置文件。

Important

更多详细内容请学习官方文档的 配置篇

Listing 1.4.3 项目的实际 conf.py#
  1
  2
  3
  4
  5
  6
  7
  8
  9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
# Configuration file for the Sphinx documentation builder.
#
# This file only contains a selection of the most common options. For a full
# list see the documentation:
# https://www.sphinx-doc.org/en/master/usage/configuration.html

# -- Path setup --------------------------------------------------------------

# If extensions (or modules to document with autodoc) are in another directory,
# add these directories to sys.path here. If the directory is relative to the
# documentation root, use os.path.abspath to make it absolute, like shown here.
#
# import os
# import sys
# sys.path.insert(0, os.path.abspath('.'))

#

import sys
import os
import shlex

# If extensions (or modules to document with autodoc) are in another directory,
# add these directories to sys.path here. If the directory is relative to the
# documentation root, use os.path.abspath to make it absolute, like shown here.
sys.path.insert(0, os.path.abspath('../src'))
# sys.path.insert(0, os.path.abspath('../../..'))
# sys.path.insert(0, os.path.abspath('.'))

# import recommonmark
# from recommonmark.transform import AutoStructify
# from recommonmark.parser import CommonMarkParser;

from datetime import date

from sphinx.application import Sphinx
from myst_nb import __version__ as myst_nb_version

source_suffix = ['.rst', '.md', '.MD', '.ipynb', '.myst']
source_suffix = {
    '.rst': 'restructuredtext',
    '.ipynb': 'myst-nb',
    '.myst': 'myst-nb',
    '.md': 'myst-nb',
}

#

read_the_docs_build = os.environ.get("READTHEDOCS", None) == "True"
travis_build = os.environ.get("TRAVIS_CI", None) == "True"

# # Get version of Doxygen and save it as a tuple

# doxygen_test = subprocess.run(["doxygen", "--version"], capture_output=True)
# if doxygen_test.returncode < 0:
#     raise RuntimeError(
#         "doxygen --version reported the following error:\n\t"
#         + str(doxygen_test.stderr, encoding="utf-8")
#     )
# doxygen_version = tuple(
#     int(x) for x in str(doxygen_test.stdout, encoding="utf-8").split()[0].split(".")
# )
# print("Using Doxygen v%d.%d.%d" % doxygen_version)

# # Get a description of the current position. Use Popen for 2.6 compat
# git_tag = subprocess.Popen(["git", "describe", "--tags"], stdout=subprocess.PIPE).communicate()[0]

# # convert from bytes to string
# git_tag = git_tag.decode("ascii")

# -- Project information -----------------------------------------------------

project = 'HZNB'
copyright = '2022, hedzr'
author = 'hedzr'

# The short X.Y version
version = '0.1.1'

# The full version, including alpha/beta/rc tags
release = '0.1.1'

brief = u'cmdr-cxx is a POSIX-compliant command-line arguments parser in C++, its part of cmdr series.'

github_url = 'https://github.com/hedzr/sphinx-study'
github_doc_root = 'https://github.com/hedzr/sphinx-study/tree/master/source/'

# The master toctree document.
master_doc = 'index'
language = "en"
# language = 'zh_CN'

locale_dirs = ['../locale']  # path is example but recommended.
gettext_compact = False  # optional.

#

# -- General configuration ---------------------------------------------------

# Add any Sphinx extension module names here, as strings. They can be
# extensions coming with Sphinx (named 'sphinx.ext.*') or your custom
# ones.
extensions = [
    'sphinx.ext.autodoc',
    'sphinx.ext.doctest',
    'sphinx.ext.intersphinx',
    'sphinx.ext.todo',
    'sphinx.ext.coverage',
    #  'sphinx.ext.imgmath',
    'sphinx.ext.mathjax',
    'sphinx.ext.ifconfig',
    'sphinx.ext.viewcode',
    'sphinx.ext.githubpages',

    # "myst_parser",
    "myst_nb",
    "sphinx_design",  # 用于设计美观、视图大小的响应式 Web 组件。
    'sphinx_tabs.tabs',
    "sphinxext.rediraffe",
    "sphinxcontrib.mermaid",  # 美人鱼,通过代码生成时序图等
    "sphinxext.opengraph",
    "sphinx.ext.autosectionlabel",  # Auto-generate section labels. label 标签自动选中确保唯一性,并允许引用节使用其标题,同时自动为标题创建label
    #
    # 'sphinx.ext.napoleon',
    # 'recommonmark',
    #
    "sphinx_thebe",  # 使您的代码单元与Thebe和Binder提供的内核进行交互。
    #
    "sphinx_copybutton",  # 代码块复制按钮扩展
    "sphinx_togglebutton",  # 折叠警告(注释、警告等)的功能按钮
    # 评论区
    # "sphinx_comments",
    'breathe',
]

# Add any paths that contain templates here, relative to this directory.
templates_path = ['_templates']

# The language for content autogenerated by Sphinx. Refer to documentation
# for a list of supported languages.
#
# This is also used if you do content translation via gettext catalogs.
# Usually you set "language" from the command line for these cases.
# language = 'en'

# List of patterns, relative to source directory, that match files and
# directories to ignore when looking for source files.
# This pattern also affects html_static_path and html_extra_path.
# exclude_patterns = []
exclude_patterns = ["_build", "Thumbs.db", ".DS_Store"]

# The encoding of source files.
source_encoding = 'utf-8-sig'

# # imgmath_image_format = 'svg'
# imgmath_image_format = 'svg'
# imgmath_latex = 'xelatex'
# imgmath_latex_args = ['--no-pdf']
# imgmath_latex_preamble = '\\usepackage{unicode-math}\\setmathfont{XITS Math}'

# -- Options for HTML output -------------------------------------------------

# The theme to use for HTML and HTML Help pages.  See the documentation for
# a list of builtin themes.
#
# html_theme = 'alabaster'

# Add any paths that contain custom static files (such as style sheets) here,
# relative to this directory. They are copied after the builtin static files,
# so a file named "default.css" will overwrite the builtin "default.css".
html_static_path = ['_static']
html_css_files = ["custom.css"]
html_js_files = [
    'js/mermaid-8.9.1.js',
]

html_theme = 'sphinx_book_theme'
# html_theme = 'sphinx_rtd_theme'
# html_theme = 'default'
html_theme = 'furo'  # https://github.com/pradyunsg/furo , https://pradyunsg.me/furo/recommendations/
html_logo = "_static/logo-wide.svg"
html_favicon = "_static/logo-square.svg"
# html_logo = "_static/notebook-badge.svg"
# html_favicon = "_static/logo-square.svg"
# html_title = ""
html_theme_options = {}
if html_theme == 'furo':
    html_theme_options = {
        "sidebar_hide_name": True,
        "navigation_with_keys": True,
    }
elif html_theme == 'sphinx_rtd_theme':
    html_theme_options = {
        'analytics_id': ga_account[
            "mediaid"],  # 'G-XXXXXXXXXX',  #  Provided by Google in your dashboard
        'analytics_anonymize_ip': True,
        'logo_only': False,
        'display_version': True,
        'prev_next_buttons_location': 'both',
        'style_external_links': True,
        'vcs_pageview_mode': '',
        'style_nav_header_background': '#65afff',
        # 'style_nav_header_background': 'white',
        # Toc options
        'collapse_navigation': False,
        'sticky_navigation': True,
        'navigation_depth': 4,
        'includehidden': True,
        'titles_only': False,

        # file-wide only,
        #   'github_url': github_url,
        #   'repository_url': github_url,
        #   'bitbucket_url': '',
        #   'gitlab_url': ''
    }
elif html_theme == 'sphinx_rtd_theme' or html_theme == 'sphinx_book_theme':
    html_theme_options = {
        "home_page_in_toc": True,
        "github_url": github_url,
        "repository_url": github_url,
        "repository_branch": "master",
        "path_to_docs": "./source",
        "use_repository_button": True,
        "use_edit_page_button": True,

        # (仅限开发人员)触发一些功能,使开发主题更容易。默认 `False`
        # "theme_dev_mode": False,

        # ----------------主题内容中导航栏的功能按钮配置--------
        # 添加存储库链接
        # "repository_url": github_url,
        # 添加按钮以链接到存储库
        # "use_repository_button": True,
        # 要添加按钮以打开有关当前页面的问题
        "use_issues_button": True,
        # 添加一个按钮来建议编辑
        # "use_edit_page_button": True,
        # 在导航栏添加一个按钮来切换全屏的模式。
        "use_fullscreen_button": True,  # 默认 `True`
        # 默认情况下,编辑按钮将指向master分支,但如果您想更改此设置,请使用以下配置
        # "repository_branch": "main",
        # 默认情况下,编辑按钮将指向存储库的根目录;而我们 sphinx项目的 doc文件其实是在 source 文件夹下的,包括 conf.py 和 index(.rst) 主目录
        # "path_to_docs": "source",
        # 您可以添加 use_download_button 按钮,允许用户以多种格式下载当前查看的页面
        # "use_download_button": False,
        'style_nav_header_background': '#65afff',
        'display_version': True,

        # --------------------------右侧辅助栏配置---------
        # 重命名右侧边栏页内目录名,标题的默认值为Contents。
        # "toc_title": "导航",
        # -- 在导航栏中显示子目录,向下到这里列出的深度。 ----
        "show_toc_level": 2,
        # --------------------------左侧边栏配置--------------
        # -- 只显示标识,不显示 `html_title`,如果它存在的话。-----
        "logo_only": True,
        # 控制左侧边栏列表的深度展开,默认值为1,它仅显示文档的顶级部分
        "show_navbar_depth": 1,
        # 自定义侧边栏页脚,默认为 Theme by the Executable Book Project
        # "extra_navbar": "<p>Your HTML</p>",
        # "home_page_in_toc": False,  # 是否将主页放在导航栏(顶部)
        # ------------------------- 单页模式 -----------------
        # 如果您的文档只有一个页面,并且您不需要左侧导航栏,那么您可以 使用以下配置将其配置sphinx-book-theme 为以单页模式运行
        # "single_page": True,

        # 用于交互的启动按钮
        # Thebe将您的静态代码块转换 为由 Jupyter 内核提供支持的交互式代码块。它通过要求一个BinderHub内核做到这一点 的引擎盖下,您的所有代码细胞转换成互动码单元。这允许用户在不离开页面的情况下在您的页面上运行代码。
        # "launch_buttons": {
        #     "binderhub_url": "https://mybinder.org",
        #     # 控制打开的用户界面
        #     "notebook_interface": "jupyterlab",
        #     "thebe": True,
        # },
        # -- 在每个页面的页脚添加额外的 HTML。---
        # "extra_footer": '',
    }
# OpenGraph metadata
ogp_site_url = "https://hz-sphinx-study.readthedocs.io/en/latest"
# This is the image that GitHub stores for our social media previews
ogp_image = "https://repository-images.githubusercontent.com/240151150/316bc480-cc23-11eb-96fc-4ab2f981a65d"  # noqa: E501
ogp_custom_meta_tags = [
    '<meta name="twitter:card" content="summary_large_image">',
]

# If not '', a 'Last updated on:' timestamp is inserted at every page bottom,
# using the given strftime format.
html_last_updated_fmt = '%b %d, %Y'

# If true, SmartyPants will be used to convert quotes and dashes to
# typographically correct entities.
#html_use_smartypants = True

# Custom sidebar templates, maps document names to template names.
# 通过html文件定制主侧栏
#html_sidebars = {}

# Additional templates that should be rendered to pages, maps page names to
# template names.
#html_additional_pages = {}

# If false, no module index is generated.
#html_domain_indices = True

# If false, no index is generated.
#html_use_index = True

# If true, the index is split into individual pages for each letter.
#html_split_index = False

# If true, links to the reST sources are added to the pages.
#html_show_sourcelink = True

# If true, "Created using Sphinx" is shown in the HTML footer. Default is True.
#html_show_sphinx = True

# If true, "(C) Copyright ..." is shown in the HTML footer. Default is True.
#html_show_copyright = True

# If true, an OpenSearch description file will be output, and all pages will
# contain a <link> tag referring to it.  The value of this option must be the
# base URL from which the finished HTML is served.
#html_use_opensearch = ''

# This is the file name suffix for HTML files (e.g. ".xhtml").
#html_file_suffix = None

# Output file base name for HTML help builder.
# htmlhelp_basename = 'NoteBookdoc'

# The language for content autogenerated by Sphinx. Refer to documentation
# for a list of supported languages.
#
# This is also used if you do content translation via gettext catalogs.
# Usually you set "language" from the command line for these cases.
# language = "en"

# # The reST default role (used for this markup: `text`) to use for all
# # documents.
# default_role = None

# # The name of the Pygments (syntax highlighting) style to use.
# pygments_style = 'sphinx'

# -- Extension configuration -------------------------------------------------

# -- Options for intersphinx extension ---------------------------------------

# Example configuration for intersphinx: refer to the Python standard library.
intersphinx_mapping = {
    # 'python': ('https://docs.python.org/3', None),
    "python": ("https://docs.python.org/3.7", None),
    "sphinx": ("https://www.sphinx-doc.org/en/master", None),
    "markdown_it": ("https://markdown-it-py.readthedocs.io/en/latest", None),
}

# -- Options for todo extension ----------------------------------------------

# If true, `todo` and `todoList` produce output, else they produce nothing.
todo_include_todos = True

# Prefix document path to section labels, otherwise autogenerated labels would look like 'heading'
# rather than 'path/to/file:heading'
autosectionlabel_prefix_document = True

# 控制切换按钮悬停文本
# togglebutton_hint = "展示隐藏内容"

thebe_config = {
    "repository_url": github_url,
    "repository_branch": "master",
}

# -- Options for MyST output -------------------------------------------------

myst_enable_extensions = [
    "amsmath",
    "colon_fence",
    "deflist",
    "dollarmath",
    "fieldlist",
    "html_admonition",
    "html_image",
    "linkify",
    "replacements",
    "smartquotes",
    "strikethrough",
    "substitution",
    "tasklist",
]
myst_number_code_blocks = ["typescript"]
myst_heading_anchors = 2
# 在 myst 0.17.0 (0.16.1) 版本中才有语法删除线 "strikethrough",
# 禁止显示myst.strikethrough警告
suppress_warnings = ["myst.strikethrough"]

# 如果为false,只有包含方案(例如http)的链接才会被识别为外部链接
myst_linkify_fuzzy_links = False
# myst_footnote_transition = True

# 数学公式语法 $ (dollar math) 设置
myst_dmath_allow_labels = True
myst_dmath_double_inline = True
# myst_dmath_allow_space = False, will cause inline math to only be parsed if there are no initial / final spaces, e.g. $a$ but not $ a$ or $a $.
# myst_dmath_allow_digits = False, will cause inline math to only be parsed if there are no initial / final digits, e.g. $a$ but not 1$a$ or $a$2.

# substitution 的扩展的全局替换,作用于 .md
myst_substitutions = {
    "sphinx": "4.3.2",
    "sphinx_autobuild": "2021.3.14",
    "sphinx_book_theme": "0.1.7",
    "myst_parser": "0.15.2",
    "myst_nb_version": myst_nb_version,
    "markdown": "3.3.4",
    "markdown_it_py": "1.1.0",
    "sphinx_tabs": "3.2.0",
    "sphinx_thebe": "0.0.10",
    "sphinx_togglebutton": "0.2.3",
    "sphinx_design": "0.0.13",
    "sphinx_copybutton": "0.4.0",
}
# default is ['{', '}'],替换指令分隔符,不建议更改
# myst_sub_delimiters = ["|", "|"]

# 评论区扩展功能配置样例
# comments_config = {
#     "hypothesis": True,
#     "dokieli": False,
#     "utterances": {
#         "repo": "xinetzone/sphinx-demo",
#         "optional": "config",
#     }
# }

rediraffe_redirects = {
    #     "using/intro.md": "sphinx/intro.md",
    #     "sphinx/intro.md": "intro.md",
    #     "using/use_api.md": "api/index.md",
    #     "api/index.md": "api/reference.rst",
    #     "using/syntax.md": "syntax/syntax.md",
    #     "using/syntax-optional.md": "syntax/optional.md",
    #     "using/reference.md": "syntax/reference.md",
    #     "sphinx/reference.md": "configuration.md",
    #     "sphinx/index.md": "faq/index.md",
    #     "sphinx/use.md": "faq/index.md",
    #     "sphinx/faq.md": "faq/index.md",
    #     "explain/index.md": "develop/background.md",
}

# -- Options for Breathe/Doxygen output -------------------------------------------------

import subprocess, os


def configureDoxyfile(base_dir, proj_dir, input_dir, output_dir):
    f = base_dir + '/Doxyfile.in'
    if os.path.isfile(f):
        with open(f, 'r') as file:
            filedata = file.read()

            filedata = filedata.replace('@DOXYGEN_INPUT_DIR@', input_dir)
            filedata = filedata.replace('@DOXYGEN_OUTPUT_DIR@', output_dir)

            filedata = filedata.replace('@PROJECT_NAME@', project)
            filedata = filedata.replace('@PROJECT_VERSION@', version)
            filedata = filedata.replace('@PROJECT_BRIEF@', brief)
            filedata = filedata.replace('@PROJECT_LOGO@', 'logo-wide.svg')
            filedata = filedata.replace('@CMAKE_CURRENT_SOURCE_DIR@', '..')
            filedata = filedata.replace('@PROJECT_SOURCE_DIR@', '../..')
            filedata = filedata.replace('@CMAKE_CURRENT_SOURCE_DIR_LINUX@',
                                        '..')

            with open(proj_dir + '/Doxyfile', 'w') as file:
                file.write(filedata)
            return True
    return False


breathe_projects = {}
if read_the_docs_build:
    base_dir = '../..'
    proj_dir = base_dir + '/doxygen'
    input_dir = '..'
    output_dir = input_dir + '/build'
    if configureDoxyfile(base_dir, proj_dir, input_dir, output_dir):
        subprocess.call('doxygen', cwd=proj_dir, shell=True)
        breathe_projects[project] = '../' + output_dir + '/xml'
        breathe_default_project = project
else:
    dir = '../../build/xml'
    if os.path.isdir(dir) and os.path.isfile(dir + '/namespacecmdr.xml'):
        breathe_projects[project] = dir
        breathe_default_project = project

#
# -- Options for More output ---------------------------------------------

# autodoc_default_options = {
#     "show-inheritance": True,
#     "special-members": "__init__, __enter__, __exit__",
#     "members": True,
#     # 'exclude-members': '',
#     "undoc-members": True,
#     # 'inherited-members': True
# }
autodoc_member_order = "bysource"
nitpicky = True
nitpick_ignore = [
    ("py:class", "docutils.nodes.document"),
    ("py:class", "docutils.nodes.docinfo"),
    ("py:class", "docutils.nodes.Element"),
    ("py:class", "docutils.nodes.Node"),
    ("py:class", "docutils.nodes.field_list"),
    ("py:class", "docutils.nodes.problematic"),
    ("py:class", "docutils.nodes.pending"),
    ("py:class", "docutils.nodes.system_message"),
    ("py:class", "docutils.statemachine.StringList"),
    ("py:class", "docutils.parsers.rst.directives.misc.Include"),
    ("py:class", "docutils.parsers.rst.Parser"),
    ("py:class", "docutils.utils.Reporter"),
    ("py:class", "nodes.Element"),
    ("py:class", "nodes.Node"),
    ("py:class", "nodes.system_message"),
    ("py:class", "Directive"),
    ("py:class", "Include"),
    ("py:class", "StringList"),
    ("py:class", "DocutilsRenderer"),
    ("py:class", "MockStateMachine"),
]

# -- Options for LaTeX output ---------------------------------------------

latex_elements = {
    # The paper size ('letterpaper' or 'a4paper').
    #'papersize': 'letterpaper',

    # The font size ('10pt', '11pt' or '12pt').
    #'pointsize': '10pt',

    # Additional stuff for the LaTeX preamble.
    #'preamble': '',

    # Latex figure (float) alignment
    #'figure_align': 'htbp',
}

# Grouping the document tree into LaTeX files. List of tuples
# (source start file, target name, title,
#  author, documentclass [howto, manual, or own class]).
latex_documents = [
    (master_doc, 'cmdr-cxx.tex', u'cmdr-cxx Documentation',
     u'hedzr, and contributors', 'manual'),
]

# The name of an image file (relative to this directory) to place at the top of
# the title page.
#latex_logo = None

# For "manual" documents, if this is true, then toplevel headings are parts,
# not chapters.
#latex_use_parts = False

# If true, show page references after internal links.
#latex_show_pagerefs = False

# If true, show URL addresses after external links.
#latex_show_urls = False

# Documents to append as an appendix to all manuals.
#latex_appendices = []

# If false, no module index is generated.
#latex_domain_indices = True

# -- Options for manual page output ---------------------------------------

# One entry per manual page. List of tuples
# (source start file, name, description, authors, manual section).
man_pages = [(master_doc, 'cmdr-cxx', u'cmdr-cxx Documentation', [author], 1)]

# If true, show URL addresses after external links.
#man_show_urls = False

# -- Options for Texinfo output -------------------------------------------

# Grouping the document tree into Texinfo files. List of tuples
# (source start file, target name, title, author,
#  dir menu entry, description, category)
texinfo_documents = [
    (master_doc, 'cmdr-cxx', u'cmdr-cxx Documentation', author, 'cmdr-cxx',
     'One line description of project.', 'Miscellaneous'),
]

# Documents to append as an appendix to all manuals.
#texinfo_appendices = []

# If false, no module index is generated.
#texinfo_domain_indices = True

# How to display URL addresses: 'footnote', 'no', or 'inline'.
#texinfo_show_urls = 'footnote'

# If true, do not generate a @detailmenu in the "Top" node's menu.
#texinfo_no_detailmenu = False

# -- Options for Epub output -------------------------------------------------

# Bibliographic Dublin Core info.
epub_title = project

# The unique identifier of the text. This can be a ISBN number
# or the project homepage.
#
# epub_identifier = ''

# A unique identification for the text.
#
# epub_uid = ''

# A list of files that should not be packed into the epub file.
epub_exclude_files = ['search.html']

# -- global replace order configuration are as follows---
# 全局字符串替换指令
# 需要注意的是,全局加入替换的功能要谨慎使用,要酌情使用;因为在这里添加后会影响到项目所有的 rst 文件(在所有 rst 文件中添加定义的替换指令)
# 一串 reStructuredText,它将包含在每个读取的源文件的末尾。 这是一个可以添加应该在每个文件中可用的替换的地方
rst_prolog = """
.. |15| raw:: html
      
      <hr width='15%'>

.. |30| raw:: html
      
      <hr width='30%'>
      
.. |50| raw:: html
      
      <hr width='50%'>

.. |75| raw:: html
      
      <hr width='75%'>

.. |mysql| replace:: **MySQL**

.. |mssql| replace:: **SQL Server**

"""

# ".. |java| replace::  **Java**"
# ".. |centos| replace:: **CentOS 7.x**"
# ".. |idea| replace:: **IntelliJ IDEA**"

# 图片编号功能
# -- numfig configuration are as follows---
# 表格和代码块如果有标题则会自动编号
numfig = True
# -- numfig_secnum_depth configuration are as follows---
# 如果设置为“0”,则数字,表格和代码块从“1”开始连续编号。
# 如果“1”(默认),数字将是“x.1”。“x.2”,… 与“x”的节号(顶级切片;没有“x”如果没有部分)。只有当通过 toctree 指令的“:numbered:”选项激活了段号时,这才自然适用。
# 如果“2”,表示数字将是“x.y.1”,“x.y.2”,…如果位于子区域(但仍然是 x.1 ,x.2 ,… 如果直接位于一个部分和 1 ,2 , … 如果不在任何顶级部分。)
numfig_secnum_depth = 2
# -- numfig_format configuration are as follows---
# 一个字典将“‘figure’”,“‘table’”,“‘code-block’”和“‘section’”映射到用于图号格式的字符串。作为一个特殊字符,“%s”将被替换为图号。
# 默认是使用“‘Fig.%s’”为“‘figure’”, “‘Table%s’”为“‘table’”,“‘Listing%s’”为“‘code-block’”和“‘Section’”为 “‘section’”。
# numfig_format = {'code-block': '代码块 %s', }
# -- html_codeblock_linenos_style configuration are as follows---
# 代码块的行号样式
html_codeblock_linenos_style = 'table'

# html_codeblock_linenos_style = 'inline'


# app setup hook
def setup(app):
    # app.add_config_value('recommonmark_config', {
    #     #'url_resolver': lambda url: github_doc_root + url,
    #     'auto_toc_tree_section': 'Contents',
    #     'enable_math': False,
    #     'enable_inline_math': False,
    #     'enable_eval_rst': True,
    #     # 'enable_auto_doc_ref': True,
    # }, True)
    # app.add_transform(AutoStructify)

    # """Add functions to the Sphinx setup."""
    # from myst_parser._docs import (
    #     DirectiveDoc,
    #     DocutilsCliHelpDirective,
    #     MystConfigDirective,
    # )

    app.add_css_file("custom.css")
    # app.add_directive("myst-config", MystConfigDirective)
    # app.add_directive("docutils-cli-help", DocutilsCliHelpDirective)
    # app.add_directive("doc-directive", DirectiveDoc)




###########################################################################
#          auto-created readthedocs.org specific configuration            #
###########################################################################


#
# The following code was added during an automated build on readthedocs.org
# It is auto created and injected for every build. The result is based on the
# conf.py.tmpl file found in the readthedocs.org codebase:
# https://github.com/rtfd/readthedocs.org/blob/main/readthedocs/doc_builder/templates/doc_builder/conf.py.tmpl
#
# Note: this file shouldn't rely on extra dependencies.

import importlib
import sys
import os.path

# Borrowed from six.
PY3 = sys.version_info[0] == 3
string_types = str if PY3 else basestring

from sphinx import version_info

# Get suffix for proper linking to GitHub
# This is deprecated in Sphinx 1.3+,
# as each page can have its own suffix
if globals().get('source_suffix', False):
    if isinstance(source_suffix, string_types):
        SUFFIX = source_suffix
    elif isinstance(source_suffix, (list, tuple)):
        # Sphinx >= 1.3 supports list/tuple to define multiple suffixes
        SUFFIX = source_suffix[0]
    elif isinstance(source_suffix, dict):
        # Sphinx >= 1.8 supports a mapping dictionary for multiple suffixes
        SUFFIX = list(source_suffix.keys())[0]  # make a ``list()`` for py2/py3 compatibility
    else:
        # default to .rst
        SUFFIX = '.rst'
else:
    SUFFIX = '.rst'

# Add RTD Static Path. Add to the end because it overwrites previous files.
if not 'html_static_path' in globals():
    html_static_path = []
if os.path.exists('_static'):
    html_static_path.append('_static')

# Add RTD Theme only if they aren't overriding it already
using_rtd_theme = (
    (
        'html_theme' in globals() and
        html_theme in ['default'] and
        # Allow people to bail with a hack of having an html_style
        'html_style' not in globals()
    ) or 'html_theme' not in globals()
)
if using_rtd_theme:
    theme = importlib.import_module('sphinx_rtd_theme')
    html_theme = 'sphinx_rtd_theme'
    html_style = None
    html_theme_options = {}
    if 'html_theme_path' in globals():
        html_theme_path.append(theme.get_html_theme_path())
    else:
        html_theme_path = [theme.get_html_theme_path()]

if globals().get('websupport2_base_url', False):
    websupport2_base_url = 'https://readthedocs.org/websupport'
    websupport2_static_url = 'https://assets.readthedocs.org/static/'


#Add project information to the template context.
context = {
    'using_theme': using_rtd_theme,
    'html_theme': html_theme,
    'current_version': "stable",
    'version_slug': "stable",
    'MEDIA_URL': "https://media.readthedocs.org/",
    'STATIC_URL': "https://assets.readthedocs.org/static/",
    'PRODUCTION_DOMAIN': "readthedocs.org",
    'proxied_static_path': "/_/static/",
    'versions': [
    ("latest", "/en/latest/"),
    ("stable", "/en/stable/"),
    ("v0.5.3", "/en/v0.5.3/"),
    ("v0.5.1", "/en/v0.5.1/"),
    ("v0.5", "/en/v0.5/"),
    ("v0.3", "/en/v0.3/"),
    ],
    'downloads': [ 
    ("epub", "//hz-sphinx-study.readthedocs.io/_/downloads/en/stable/epub/"),
    ],
    'subprojects': [ 
    ],
    'slug': 'hz-sphinx-study',
    'name': u'hz-sphinx-study',
    'rtd_language': u'en',
    'programming_language': u'cpp',
    'canonical_url': 'https://hz-sphinx-study.readthedocs.io/en/stable/',
    'analytics_code': 'None',
    'single_version': False,
    'conf_py_path': '/source/',
    'api_host': 'https://readthedocs.org',
    'github_user': 'hedzr',
    'proxied_api_host': '/_',
    'github_repo': 'sphinx-study',
    'github_version': '73888385e6ae386327d9aae0db5a4959b18d0fbf',
    'display_github': True,
    'bitbucket_user': 'None',
    'bitbucket_repo': 'None',
    'bitbucket_version': '73888385e6ae386327d9aae0db5a4959b18d0fbf',
    'display_bitbucket': False,
    'gitlab_user': 'None',
    'gitlab_repo': 'None',
    'gitlab_version': '73888385e6ae386327d9aae0db5a4959b18d0fbf',
    'display_gitlab': False,
    'READTHEDOCS': True,
    'using_theme': (html_theme == "default"),
    'new_theme': (html_theme == "sphinx_rtd_theme"),
    'source_suffix': SUFFIX,
    'ad_free': False,
    'docsearch_disabled': False,
    'user_analytics_code': '',
    'global_analytics_code': 'UA-17997319-1',
    'commit': '73888385',
}

# For sphinx >=1.8 we can use html_baseurl to set the canonical URL.
# https://www.sphinx-doc.org/en/master/usage/configuration.html#confval-html_baseurl
if version_info >= (1, 8):
    if not globals().get('html_baseurl'):
        html_baseurl = context['canonical_url']
    context['canonical_url'] = None





if 'html_context' in globals():
    
    html_context.update(context)
    
else:
    html_context = context

# Add custom RTD extension
if 'extensions' in globals():
    # Insert at the beginning because it can interfere
    # with other extensions.
    # See https://github.com/rtfd/readthedocs.org/pull/4054
    extensions.insert(0, "readthedocs_ext.readthedocs")
else:
    extensions = ["readthedocs_ext.readthedocs"]

# Add External version warning banner to the external version documentation
if 'tag' == 'external':
    extensions.insert(1, "readthedocs_ext.external_version_warning")
    readthedocs_vcs_url = 'None'
    readthedocs_build_url = 'https://readthedocs.org/projects/hz-sphinx-study/builds/17623175/'

project_language = 'en'

# User's Sphinx configurations
language_user = globals().get('language', None)
latex_engine_user = globals().get('latex_engine', None)
latex_elements_user = globals().get('latex_elements', None)

# Remove this once xindy gets installed in Docker image and XINDYOPS
# env variable is supported
# https://github.com/rtfd/readthedocs-docker-images/pull/98
latex_use_xindy = False

chinese = any([
    language_user in ('zh_CN', 'zh_TW'),
    project_language in ('zh_CN', 'zh_TW'),
])

japanese = any([
    language_user == 'ja',
    project_language == 'ja',
])

if chinese:
    latex_engine = latex_engine_user or 'xelatex'

    latex_elements_rtd = {
        'preamble': '\\usepackage[UTF8]{ctex}\n',
    }
    latex_elements = latex_elements_user or latex_elements_rtd
elif japanese:
    latex_engine = latex_engine_user or 'platex'

# Make sure our build directory is always excluded
exclude_patterns = globals().get('exclude_patterns', [])
exclude_patterns.extend(['_build'])