diff --git a/gendocs_mkdocs.py b/gendocs_mkdocs.py new file mode 100644 index 0000000000000000000000000000000000000000..4083264458b4c2595ebe15bf42bda2f9276527f7 --- /dev/null +++ b/gendocs_mkdocs.py @@ -0,0 +1,642 @@ +#!/usr/bin/env python3 +""" +Enhanced documentation generator for the mrdna package using MkDocs with Material theme. + +This script: +1. Scans the mrdna package structure +2. Generates markdown documentation files +3. Creates a navigable documentation website using MkDocs with Material theme +4. Adds support for API reference documentation through mkdocstrings +""" + +import os +import sys +import inspect +import importlib +import subprocess +from pathlib import Path +import shutil +import yaml +import re +from textwrap import dedent +from collections import defaultdict + +# Configure documentation paths +DOCS_DIR = Path("docs") +SITE_DIR = Path("site") +CONFIG_FILE = Path("mkdocs.yml") + +# Core modules to document +MODULES_TO_DOCUMENT = { + "core": [ + "mrdna.config", + "mrdna.coords", + "mrdna.reporting", + "mrdna.segmentmodel", + "mrdna.simulate", + "mrdna.version" + ], + "model": [ + "mrdna.model.CanonicalNucleotideAtoms", + "mrdna.model.dna_sequence", + "mrdna.model.nbPot", + "mrdna.model.spring_from_lp" + ], + "readers": [ + "mrdna.readers.cadnano_segments", + "mrdna.readers.polygon_mesh", + "mrdna.readers.segmentmodel_from_cadnano", + "mrdna.readers.segmentmodel_from_lists", + "mrdna.readers.segmentmodel_from_oxdna", + "mrdna.readers.segmentmodel_from_pdb", + "mrdna.readers.segmentmodel_from_scadnano" + ], + "arbdmodel": [ + "mrdna.arbdmodel.coords", + "mrdna.arbdmodel.grid", + "mrdna.arbdmodel.interactions", + "mrdna.arbdmodel.polymer" + ] +} + +def check_command_exists(command): + """Check if a command exists in the system path.""" + try: + subprocess.run([command, "--version"], stdout=subprocess.PIPE, stderr=subprocess.PIPE, check=False) + return True + except FileNotFoundError: + return False + +def extract_module_info(module_name): + """Extract useful information from a module.""" + try: + module = importlib.import_module(module_name) + docstring = module.__doc__ or "" + + # If the module has a __version__ attribute, include it + version = getattr(module, "__version__", None) + + # Extract classes + classes = {} + for name, obj in inspect.getmembers(module, inspect.isclass): + if obj.__module__ == module_name: + classes[name] = { + "docstring": obj.__doc__ or "", + "methods": {} + } + + # Extract methods + for method_name, method in inspect.getmembers(obj, inspect.isfunction): + if not method_name.startswith("_") or method_name == "__init__": + classes[name]["methods"][method_name] = { + "docstring": method.__doc__ or "", + "signature": str(inspect.signature(method)) + } + + # Extract functions + functions = {} + for name, obj in inspect.getmembers(module, inspect.isfunction): + if obj.__module__ == module_name and not name.startswith("_"): + functions[name] = { + "docstring": obj.__doc__ or "", + "signature": str(inspect.signature(obj)) + } + + return { + "docstring": docstring, + "version": version, + "classes": classes, + "functions": functions, + "module_name": module_name + } + except (ImportError, AttributeError) as e: + print(f"Error extracting info from {module_name}: {e}") + return { + "docstring": f"Module documentation for {module_name}. (Error: {e})", + "version": None, + "classes": {}, + "functions": {}, + "module_name": module_name + } + +def create_module_md(module_name, docs_dir): + """Create Markdown documentation for a Python module.""" + try: + # Extract module name and subpackage for organization + parts = module_name.split('.') + simple_name = parts[-1] + subpackage = parts[1] if len(parts) > 2 else 'core' + + # Get module information + module_info = extract_module_info(module_name) + + # Start building the Markdown content + content = [ + f"# {simple_name}", + "", + ] + + # Add module docstring + if module_info["docstring"]: + content.append(module_info["docstring"].strip()) + content.append("") + else: + content.append(f"Module documentation for {simple_name}.") + content.append("") + + # Add version if available + if module_info["version"]: + content.append(f"**Version:** {module_info['version']}") + content.append("") + + # Add mkdocstrings directive for API docs + content.extend([ + "## API Reference", + "", + f"::: {module_name}", + " handler: python", + " selection:", + " docstring_style: google", + " rendering:", + " show_source: true", + "" + ]) + + # Create directory for module documentation + output_dir = docs_dir / "api" / subpackage + output_dir.mkdir(exist_ok=True, parents=True) + + # Write the Markdown file + output_path = output_dir / f"{simple_name}.md" + with open(output_path, 'w') as f: + f.write('\n'.join(content)) + + print(f"Created module documentation: {output_path}") + return output_path.relative_to(docs_dir), simple_name + + except Exception as e: + print(f"Error processing module {module_name}: {e}") + return None, None + +def create_subpackage_index(subpackage, module_names, docs_dir): + """Create an index Markdown file for a subpackage.""" + # Create index content + subpackage_title = subpackage.capitalize() + content = [ + f"# {subpackage_title} Modules", + "", + f"This section covers the modules in the {subpackage} subpackage.", + "", + "## Modules", + "", + ] + + # Process each module in the subpackage + module_info = [] + for module_name in sorted(module_names): + rel_path, simple_name = create_module_md(module_name, docs_dir) + if rel_path and simple_name: + full_module_name = module_name + brief_desc = "" + try: + mod = importlib.import_module(module_name) + if mod.__doc__: + brief_desc = mod.__doc__.strip().split('\n')[0] + except: + pass + module_info.append((rel_path, simple_name, full_module_name, brief_desc)) + + # If no modules were successfully processed, skip creating the index + if not module_info: + print(f"No modules were successfully processed for {subpackage}, skipping index") + return None + + # Add module links to index with descriptions + for rel_path, simple_name, full_module_name, brief_desc in sorted(module_info, key=lambda x: x[1]): + # Fix the relative path to ensure it's correct from the packages directory + # This ensures links are properly resolved by MkDocs + fixed_path = f"../{rel_path}" + content.append(f"- [{simple_name}]({fixed_path}): {brief_desc}") + + # Create directory for subpackage documentation + output_dir = docs_dir / "packages" + output_dir.mkdir(exist_ok=True, parents=True) + + # Write the index file + index_path = output_dir / f"{subpackage}.md" + with open(index_path, 'w') as f: + f.write('\n'.join(content)) + + print(f"Created subpackage index: {index_path}") + return index_path.relative_to(docs_dir) + +def create_main_index(subpackages, docs_dir): + """Create the main index.md file.""" + content = [ + "# mrDNA Documentation", + "", + "Welcome to the documentation for mrDNA!", + "", + "mrDNA is a molecular dynamics package for DNA modeling and simulation.", + "", + "## Package Structure", + "", + "The package is organized into the following subpackages:", + "", + ] + + # Add each subpackage to the list + for subpackage in sorted(subpackages): + subpackage_title = subpackage.capitalize() + content.append(f"- [{subpackage_title}](packages/{subpackage}.md)") + + # Write the index file + index_path = docs_dir / "index.md" + with open(index_path, 'w') as f: + f.write('\n'.join(content)) + + print(f"Created main index: {index_path}") + +def create_installation_page(docs_dir): + """Create the installation page.""" + with open(Path("README.md"), 'r') as f: + readme_content = f.read() + + # Extract installation instructions from README + installation_match = re.search(r'## Installation(.*?)(?:##|\Z)', readme_content, re.DOTALL) + if installation_match: + installation_content = installation_match.group(1).strip() + else: + installation_content = """ + Please refer to the README file for installation instructions. + """ + + # Create a more detailed installation guide + content = [ + "# Installation", + "", + "## Requirements", + "", + "mrDNA requires the following dependencies:", + "", + "- Python 3.6+", + "- NumPy", + "- SciPy", + "- MDAnalysis (for certain functionality)", + "- CUDA Toolkit (for GPU acceleration)", + "- ARBD simulation engine", + "", + "## Installation Instructions", + "", + installation_content, + "", + "## Verifying Installation", + "", + "After installation, you can verify that mrDNA is working correctly by running a simple test:", + "", + "```python", + "import mrdna", + "print(mrdna.__version__)", + "```", + "", + "This should print the version number of the installed mrDNA package.", + ] + + # Write the installation file + install_path = docs_dir / "installation.md" + with open(install_path, 'w') as f: + f.write('\n'.join(content)) + + print(f"Created installation page: {install_path}") + +def create_getting_started(docs_dir): + """Create the getting started page.""" + content = [ + "# Getting Started", + "", + "This guide will help you get started with using mrDNA for DNA molecular modeling.", + "", + "## Basic Usage", + "", + "Here's a simple example that creates a DNA structure:", + "", + "```python", + "# Import necessary modules", + "from mrdna.segmentmodel import SegmentModel", + "from mrdna.model.dna_sequence import DNASequence", + "", + "# Create a segment model", + "model = SegmentModel()", + "", + "# Add a DNA segment with a specific sequence", + "sequence = \"GATTACA\"", + "model.add_segment(sequence)", + "", + "# Save the model to a PDB file", + "model.to_pdb(\"example.pdb\")", + "```", + "", + "## Working with Existing Structures", + "", + "mrDNA can also read structures from various file formats:", + "", + "```python", + "# Import the appropriate reader", + "from mrdna.readers import read_cadnano", + "", + "# Load a structure from a cadnano file", + "model = read_cadnano(\"my_structure.json\")", + "", + "# Analyze the structure", + "num_nucleotides = model.count_nucleotides()", + "print(f\"Structure contains {num_nucleotides} nucleotides\")", + "```", + "", + "## Running a Simulation", + "", + "To run a simulation with mrDNA:", + "", + "```python", + "from mrdna.simulate import multiresolution_simulation", + "", + "# Set up simulation parameters", + "output_name = \"my_simulation\"", + "gpu = 0 # GPU device to use", + "", + "# Run the simulation", + "result_directory = multiresolution_simulation(", + " model,", + " output_name=output_name,", + " gpu=gpu,", + " coarse_steps=1e7, # Number of coarse-grained steps", + " fine_steps=1e7, # Number of fine-grained steps", + ")", + "```", + "", + "## Next Steps", + "", + "Explore the API reference documentation for more detailed information on each module and function.", + ] + + # Write the getting started file + getting_started_path = docs_dir / "getting_started.md" + with open(getting_started_path, 'w') as f: + f.write('\n'.join(content)) + + print(f"Created getting started page: {getting_started_path}") + +def create_tutorials(docs_dir): + """Create tutorials directory with example files.""" + tutorials_dir = docs_dir / "tutorials" + tutorials_dir.mkdir(exist_ok=True) + + # Create a basic tutorial + basic_tutorial = [ + "# Basic DNA Origami Tutorial", + "", + "This tutorial walks through the process of creating a simple DNA origami structure using mrDNA.", + "", + "## Loading a design from cadnano", + "", + "```python", + "from mrdna.readers import read_cadnano", + "", + "# Load a cadnano design", + "model = read_cadnano('6hb.json')", + "```", + "", + "## Visualizing the structure", + "", + "You can generate PDB files to visualize the structure in molecular viewers like VMD or PyMOL:", + "", + "```python", + "# Create a coarse-grained model", + "model.generate_bead_model(max_basepairs_per_bead=5, max_nucleotides_per_bead=5)", + "", + "# Output PDB files", + "model.write_pdb('6hb_cg.pdb')", + "```", + "", + "## Running a simulation", + "", + "```python", + "from mrdna.simulate import multiresolution_simulation", + "", + "# Run a multi-resolution simulation", + "result_dir = multiresolution_simulation(", + " model, ", + " output_name='6hb',", + " gpu=0,", + " coarse_steps=5e7,", + " fine_steps=5e7", + ")", + "```", + ] + + with open(tutorials_dir / "basic_origami.md", 'w') as f: + f.write('\n'.join(basic_tutorial)) + + # Create a tutorial index + tutorial_index = [ + "# Tutorials", + "", + "This section contains tutorials for using mrDNA for different applications.", + "", + "## Available Tutorials", + "", + "- [Basic DNA Origami](basic_origami.md): Create and simulate a simple DNA origami structure", + ] + + with open(tutorials_dir / "index.md", 'w') as f: + f.write('\n'.join(tutorial_index)) + + print(f"Created tutorials directory: {tutorials_dir}") + +def create_mkdocs_config(subpackages): + """Create the MkDocs configuration file.""" + nav = [ + {"Home": "index.md"}, + {"Installation": "installation.md"}, + {"Getting Started": "getting_started.md"}, + {"Tutorials": "tutorials/index.md"}, + ] + + # Add API reference to navigation + api_nav = [] + for subpackage in sorted(subpackages): + subpackage_title = subpackage.capitalize() + api_nav.append({subpackage_title: f"packages/{subpackage}.md"}) + + nav.append({"API Reference": api_nav}) + + # Create the configuration + config = { + "site_name": "mrDNA Documentation", + "site_description": "Documentation for the mrDNA DNA molecular modeling package", + "site_author": "Chris Maffeo", + "repo_url": "https://gitlab.engr.illinois.edu/tbgl/tools/mrdna", + "theme": { + "name": "material", + "palette": { + "primary": "blue grey", + "accent": "light blue" + }, + "features": [ + "navigation.instant", + "navigation.tracking", + "navigation.expand", + "navigation.indexes", + "navigation.top", + "search.highlight", + "search.share", + "content.code.copy" + ], + "icon": { + "repo": "fontawesome/brands/gitlab" + } + }, + "markdown_extensions": [ + "pymdownx.highlight", + "pymdownx.superfences", + "pymdownx.tabbed", + "pymdownx.arithmatex", + "admonition", + "footnotes", + "attr_list", + "pymdownx.details", + "pymdownx.emoji", + "toc" + ], + "plugins": [ + "search", + "mkdocstrings", + { + "autorefs": {} + } + ], + "nav": nav, + "extra": { + "social": [ + { + "icon": "fontawesome/brands/gitlab", + "link": "https://gitlab.engr.illinois.edu/tbgl/tools/mrdna", + "name": "mrDNA on GitLab" + } + ] + } + } + + # Write the configuration file + with open(CONFIG_FILE, 'w') as f: + yaml.dump(config, f, default_flow_style=False, sort_keys=False) + + print(f"Created MkDocs configuration file: {CONFIG_FILE}") + +def build_docs(): + """Build the documentation using MkDocs.""" + try: + print("\nBuilding documentation...") + subprocess.run(['mkdocs', 'build'], check=True) + print(f"\nDocumentation successfully built. You can view it at: {SITE_DIR / 'index.html'}") + return True + except subprocess.CalledProcessError as e: + print(f"Error building documentation: {e}") + return False + except FileNotFoundError: + print("Could not find mkdocs. Make sure MkDocs is installed and in your PATH.") + return False + +def check_dependencies(): + """Check if required dependencies are installed.""" + missing_deps = [] + + if not check_command_exists("mkdocs"): + missing_deps.append("mkdocs") + + # Check for mkdocstrings - try multiple ways + try: + import mkdocstrings + except ImportError: + try: + # Try alternative import path + subprocess.run([sys.executable, "-c", "import mkdocstrings"], + check=True, stdout=subprocess.PIPE, stderr=subprocess.PIPE) + except: + missing_deps.append("mkdocstrings") + + # Check for mkdocs-material + try: + # First try direct import + import material + except ImportError: + try: + # Alternative check: try to import the theme module + subprocess.run([sys.executable, "-c", "import mkdocs.themes.material"], + check=True, stdout=subprocess.PIPE, stderr=subprocess.PIPE) + except: + # Another way to check if a theme is installed + try: + # Check if mkdocs recognizes the theme + result = subprocess.run(["mkdocs", "build", "--theme", "material", "--dry-run"], + check=False, stdout=subprocess.PIPE, stderr=subprocess.PIPE) + if result.returncode != 0: + missing_deps.append("mkdocs-material") + except: + missing_deps.append("mkdocs-material") + + if missing_deps: + print("Missing dependencies: " + ", ".join(missing_deps)) + print("\nPlease install the required dependencies with:") + print(f"pip install {' '.join(missing_deps)}") + print("\nFor better API documentation, also install:") + print("pip install \"mkdocstrings[python]\"") + + response = input("\nDo you want to continue anyway? (y/n): ") + if response.lower() in ('y', 'yes'): + return True + return False + + return True + +def main(): + """Generate documentation for the mrdna package using MkDocs.""" + # Check dependencies + if not check_dependencies(): + print("\nProceeding with a warning: Some dependencies may be missing.") + print("The documentation generation might not complete successfully.") + + # Create or clean docs directory + if DOCS_DIR.exists(): + shutil.rmtree(DOCS_DIR) + DOCS_DIR.mkdir() + + # Generate documentation for each subpackage in the predefined list + for subpackage, module_list in MODULES_TO_DOCUMENT.items(): + create_subpackage_index(subpackage, module_list, DOCS_DIR) + + # Create main index and additional pages + create_main_index(MODULES_TO_DOCUMENT.keys(), DOCS_DIR) + create_installation_page(DOCS_DIR) + create_getting_started(DOCS_DIR) + create_tutorials(DOCS_DIR) + + # Create MkDocs configuration + create_mkdocs_config(MODULES_TO_DOCUMENT.keys()) + + print(f"\nDocumentation files generated in {DOCS_DIR}") + + # Build the documentation + response = input("\nWould you like to build the HTML documentation now? (y/n): ") + if response.lower() in ('y', 'yes'): + success = build_docs() + if success: + print("\nTo preview the documentation with a local server, run:") + print("mkdocs serve") + else: + print("\nTo build the documentation later, run:") + print("mkdocs build") + print("\nTo preview the documentation with a local server, run:") + print("mkdocs serve") + +if __name__ == "__main__": + main() diff --git a/gendocs_sphinx.py b/gendocs_sphinx.py new file mode 100644 index 0000000000000000000000000000000000000000..347af84760387581f9ad1ec5c80b9cf659ed1a3b --- /dev/null +++ b/gendocs_sphinx.py @@ -0,0 +1,508 @@ +#!/usr/bin/env python3 +""" +Documentation generator for the mrdna package using Sphinx with sphinx-book-theme. + +This script generates ReStructuredText (RST) documentation files +from the mrdna package's structure and configures Sphinx with +the sphinx-book-theme for a modern look and feel. +""" + +import os +import sys +import inspect +import importlib +import shutil +from pathlib import Path +import subprocess + +# Define the package name +PACKAGE_NAME = "mrdna" + +# Configure documentation paths +DOCS_DIR = Path("docs") +SOURCE_DIR = DOCS_DIR / "source" +BUILD_DIR = DOCS_DIR / "build" + +# Define the structure of documentation sections and modules +DOCUMENTATION_STRUCTURE = { + "Core": [ + "mrdna.config", + "mrdna.coords", + "mrdna.reporting", + "mrdna.segmentmodel", + "mrdna.simulate", + "mrdna.version" + ], + "Model": [ + "mrdna.model.CanonicalNucleotideAtoms", + "mrdna.model.dna_sequence", + "mrdna.model.nbPot", + "mrdna.model.nonbonded", + "mrdna.model.spring_from_lp" + ], + "Readers": [ + "mrdna.readers.cadnano_segments", + "mrdna.readers.polygon_mesh", + "mrdna.readers.segmentmodel_from_cadnano", + "mrdna.readers.segmentmodel_from_lists", + "mrdna.readers.segmentmodel_from_oxdna", + "mrdna.readers.segmentmodel_from_pdb", + "mrdna.readers.segmentmodel_from_scadnano" + ], + "ARBD Model": [ + "mrdna.arbdmodel" + ] +} + +def create_module_rst(module_name, output_dir): + """Create RST documentation for a Python module.""" + try: + # Try to import the module + module = importlib.import_module(module_name) + + # Extract module name for the title + simple_name = module_name.split('.')[-1] + + # Start building the RST content + content = [ + f"{simple_name} module", + "=" * len(f"{simple_name} module"), + "", + f".. py:module:: {module_name}", + "", + ] + + # Add module docstring if available + if module.__doc__: + content.append(module.__doc__.strip()) + content.append("") + + # Add automodule directive + content.extend([ + ".. automodule:: " + module_name, + " :members:", + " :undoc-members:", + " :show-inheritance:", + "" + ]) + + # Write the RST file + output_path = output_dir / f"{simple_name}.rst" + with open(output_path, 'w') as f: + f.write('\n'.join(content)) + + print(f"Created module documentation: {output_path}") + return simple_name + + except ImportError as e: + print(f"Warning: Could not import module {module_name}: {e}") + return None + except Exception as e: + print(f"Error processing module {module_name}: {e}") + return None + +def create_section_index(section_name, module_names, output_dir): + """Create an index RST file for a section.""" + # Create section directory if it doesn't exist + section_dir = output_dir / section_name.lower().replace(' ', '_') + section_dir.mkdir(exist_ok=True) + + # Create index content + content = [ + f"{section_name}", + "=" * len(section_name), + "", + ".. toctree::", + " :maxdepth: 4", + "", + ] + + # Process each module in the section + for module_name in module_names: + simple_name = create_module_rst(module_name, section_dir) + if simple_name: + content.append(f" {simple_name}") + + # Write the index file + index_path = section_dir / "index.rst" + with open(index_path, 'w') as f: + f.write('\n'.join(content)) + + print(f"Created section index: {index_path}") + return section_dir.name + +def create_main_index(sections, section_dirs, output_dir): + """Create the main index.rst file.""" + content = [ + "mrDNA Documentation", + "===================", + "", + "Welcome to the documentation for mrDNA!", + "", + "mrDNA (Multi-Resolution DNA) is a Python package that makes it easy to run simulations of DNA nanostructures. " + "The multi-resolution approach provides the benefits of coarse-grained modeling, while resulting in a high-resolution " + "structure suitable for atomistic simulations.", + "", + ".. toctree::", + " :maxdepth: 2", + " :caption: Contents:", + "", + ] + + # Add each section to the toctree + for section, dir_name in zip(sections, section_dirs): + content.append(f" {dir_name}/index") + + # Add installation page + content.append(" installation") + + # Add getting started page + content.append(" getting_started") + + # Add indices and tables + content.extend([ + "", + "Indices and tables", + "==================", + "", + "* :ref:`genindex`", + "* :ref:`modindex`", + "* :ref:`search`" + ]) + + # Write the index file + index_path = output_dir / "index.rst" + with open(index_path, 'w') as f: + f.write('\n'.join(content)) + + print(f"Created main index: {index_path}") + +def create_installation_page(output_dir): + """Create the installation.rst page.""" + content = [ + "Installation", + "============", + "", + "Dependencies", + "------------", + "", + "* Linux operating system", + "* g++ >= 4.8", + "* `CUDA toolkit <https://developer.nvidia.com/cuda-toolkit>`_ >= 6", + "* `ARBD <http://bionano.physics.illinois.edu/arbd>`_ simulation engine", + "* Python >= 3.5 *(some users report problems installing mdanalysis; miniconda or conda are recommended)*", + " * numpy >= 1.14", + " * scipy >= 1.1", + " * mdanalysis >= 0.18", + " * cadnano >= 2.5.2.1", + " * appdirs >= 1.4", + " * pandas >= 1.0", + " * scadnano >= 0.1 (optional)", + " * `oxDNA <https://dna.physics.ox.ac.uk/index.php/Main_Page>`_ (optional)", + "", + "Installation Steps", + "-----------------", + "", + "First make sure you have the cuda-toolkit installed. First download ARBD through a web browser. " + "The following script can be used as a guide to install mrdna.", + "", + ".. code-block:: bash", + "", + " # Customize the following", + " BUILD_DIR=/path/to/build-dir", + " export CUDA_PATH=/path/to/cuda-toolkit", + "", + " # Unpack and build arbd", + " cd $BUILD_DIR", + " mv ~/Downloads/arbd*.tar.gz .", + " tar -xzf arbd*.tar.gz", + " cd arbd", + " cmake -S . -B build && (", + " cd build", + " make -j", + " )", + " cd ../../", + "", + " ## Possibly setup python dependencies (you may want to set up a virtual environement)", + " # conda install \"numpy>=1.14\" \"scipy>=1.1\" \"appdirs>=1.4\"", + " # conda install -c conda-forge \"mdanalysis>=0.18\" \"pandas>=1.0\"", + " # pip3 install \"cadnano>=2.5.2.1\" \"scadnano>=0.1\"", + "", + " git clone https://gitlab.engr.illinois.edu/tbgl/tools/mrdna", + " cd mrdna", + " pip3 install .", + " cd ..", + "", + " # Finally update your bashrc so that your shell can find the ARBD binary", + " echo \"PATH=$BUILD_DIR/arbd/src:\\$PATH\" >> ~/.bashrc", + " source ~/.bashrc", + "", + "Please report issues to `Chris Maffeo <mailto:cmaffeo2@illinois.edu>`_." + ] + + # Write the installation file + install_path = output_dir / "installation.rst" + with open(install_path, 'w') as f: + f.write('\n'.join(content)) + + print(f"Created installation page: {install_path}") + +def create_getting_started_page(output_dir): + """Create the getting_started.rst page.""" + content = [ + "Getting Started", + "===============", + "", + "This guide will help you get started with using mrDNA for DNA molecular modeling.", + "", + "Basic Usage", + "------------", + "", + "Here's a simple example that creates a DNA structure:", + "", + ".. code-block:: python", + "", + " # Import necessary modules", + " from mrdna.segmentmodel import SegmentModel", + " from mrdna.model.dna_sequence import DNASequence", + "", + " # Create a segment model", + " model = SegmentModel()", + "", + " # Add a DNA segment with a specific sequence", + " sequence = DNASequence(\"GATTACA\")", + " model.add_segment(sequence)", + "", + " # Save the model to a PDB file", + " model.to_pdb(\"example.pdb\")", + "", + "Working with Existing Structures", + "------------------------------", + "", + "mrDNA can read structures from various file formats:", + "", + ".. code-block:: python", + "", + " # Import the appropriate reader", + " from mrdna.readers.segmentmodel_from_pdb import SegmentModelFromPDB", + "", + " # Load a structure from a PDB file", + " model = SegmentModelFromPDB(\"my_structure.pdb\")", + "", + " # Analyze the structure", + " num_nucleotides = model.count_nucleotides()", + " print(f\"Structure contains {num_nucleotides} nucleotides\")", + "", + "Multi-Resolution Simulation", + "--------------------------", + "", + "The primary feature of mrDNA is its ability to perform multi-resolution simulations:", + "", + ".. code-block:: python", + "", + " from mrdna.simulate import multiresolution_simulation", + "", + " # Perform a multi-resolution simulation", + " output_directory = multiresolution_simulation(", + " model, ", + " output_name='my_simulation',", + " coarse_steps=1e6,", + " fine_steps=1e6", + " )", + "", + " print(f\"Simulation results stored in: {output_directory}\")" + ] + + # Write the getting started file + getting_started_path = output_dir / "getting_started.rst" + with open(getting_started_path, 'w') as f: + f.write('\n'.join(content)) + + print(f"Created getting started page: {getting_started_path}") + +def create_conf_py(source_dir): + """Create the Sphinx configuration file with sphinx-book-theme.""" + conf_content = """# 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('../..')) + +# -- Project information ----------------------------------------------------- + +project = 'mrDNA' +copyright = '2025, mrDNA Team' +author = 'Christopher Maffeo' + +# -- 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.coverage', + 'sphinx.ext.viewcode', + 'sphinx.ext.autosummary', + 'sphinx.ext.mathjax', + 'sphinx.ext.napoleon', + 'sphinx_copybutton', +] + +# Add any paths that contain templates here, relative to this directory. +templates_path = ['_templates'] + +# 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 = [] + +# -- 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 = 'sphinx_book_theme' + +# 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'] + +# Theme options +html_theme_options = { + "repository_url": "https://gitlab.engr.illinois.edu/tbgl/tools/mrdna", + "use_repository_button": True, + "use_issues_button": True, + "use_download_button": True, + "use_fullscreen_button": True, + "path_to_docs": "docs", + "show_navbar_depth": 2, + "home_page_in_toc": True, + "navbar_footer_text": "mrDNA Documentation", + "extra_navbar": "<div>Multi-Resolution DNA modeling</div>", +} + +# Napoleon settings +napoleon_google_docstring = True +napoleon_numpy_docstring = True +napoleon_include_init_with_doc = False +napoleon_include_private_with_doc = False +napoleon_include_special_with_doc = True +napoleon_use_admonition_for_examples = False +napoleon_use_admonition_for_notes = False +napoleon_use_admonition_for_references = False +napoleon_use_ivar = False +napoleon_use_param = True +napoleon_use_rtype = True +napoleon_type_aliases = None + +# Autodoc settings +autodoc_default_options = { + 'members': True, + 'member-order': 'bysource', + 'special-members': '__init__', + 'undoc-members': True, + 'exclude-members': '__weakref__' +} +""" + + conf_path = source_dir / "conf.py" + with open(conf_path, 'w') as f: + f.write(conf_content) + + print(f"Created Sphinx configuration file: {conf_path}") + +def create_doc_directories(): + """Create necessary directories for documentation.""" + DOCS_DIR.mkdir(exist_ok=True) + SOURCE_DIR.mkdir(exist_ok=True) + + # Create _static directory for custom CSS/JS + static_dir = SOURCE_DIR / "_static" + static_dir.mkdir(exist_ok=True) + + # Create _templates directory for custom templates + templates_dir = SOURCE_DIR / "_templates" + templates_dir.mkdir(exist_ok=True) + +def check_requirements(): + """Check if required packages are installed.""" + required_packages = [ + 'sphinx', + 'sphinx-book-theme', + 'sphinx-copybutton' + ] + + missing_packages = [] + for package in required_packages: + try: + importlib.import_module(package.replace('-', '_')) + except ImportError: + missing_packages.append(package) + + if missing_packages: + print("The following required packages are missing:") + for package in missing_packages: + print(f" - {package}") + print("\nPlease install them using:") + print(f"pip install {' '.join(missing_packages)}") + print("\nAfter installing the required packages, run this script again.") + sys.exit(1) + +def build_docs(): + """Build the documentation using Sphinx.""" + try: + print("\nBuilding documentation...") + subprocess.run(['sphinx-build', '-b', 'html', str(SOURCE_DIR), str(BUILD_DIR)], check=True) + print(f"\nDocumentation successfully built. You can view it at: {BUILD_DIR / 'index.html'}") + except subprocess.CalledProcessError as e: + print(f"Error building documentation: {e}") + except FileNotFoundError: + print("Could not find sphinx-build. Make sure Sphinx is installed and in your PATH.") + +def main(): + """Generate documentation for the mrdna package using sphinx-book-theme.""" + # Check required packages + check_requirements() + + # Create doc directories + create_doc_directories() + + # Process each section + section_dirs = [] + for section_name, module_names in DOCUMENTATION_STRUCTURE.items(): + dir_name = create_section_index(section_name, module_names, SOURCE_DIR) + section_dirs.append(dir_name) + + # Create main index + create_main_index(DOCUMENTATION_STRUCTURE.keys(), section_dirs, SOURCE_DIR) + + # Create installation and getting started pages + create_installation_page(SOURCE_DIR) + create_getting_started_page(SOURCE_DIR) + + # Create Sphinx configuration with sphinx-book-theme + create_conf_py(SOURCE_DIR) + + print(f"\nDocumentation files generated in {SOURCE_DIR}") + + # Build the documentation + response = input("\nWould you like to build the HTML documentation now? (y/n): ") + if response.lower() in ('y', 'yes'): + build_docs() + else: + print("\nTo build the documentation later, run:") + print(f"sphinx-build -b html {SOURCE_DIR} {BUILD_DIR}") + +if __name__ == "__main__": + main() diff --git a/sphinx_docs.py/build/.buildinfo b/sphinx_docs/build/.buildinfo similarity index 100% rename from sphinx_docs.py/build/.buildinfo rename to sphinx_docs/build/.buildinfo diff --git a/sphinx_docs.py/build/.doctrees/arbd_model/arbdmodel.doctree b/sphinx_docs/build/.doctrees/arbd_model/arbdmodel.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/arbd_model/arbdmodel.doctree rename to sphinx_docs/build/.doctrees/arbd_model/arbdmodel.doctree diff --git a/sphinx_docs.py/build/.doctrees/arbd_model/index.doctree b/sphinx_docs/build/.doctrees/arbd_model/index.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/arbd_model/index.doctree rename to sphinx_docs/build/.doctrees/arbd_model/index.doctree diff --git a/sphinx_docs.py/build/.doctrees/core/config.doctree b/sphinx_docs/build/.doctrees/core/config.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/core/config.doctree rename to sphinx_docs/build/.doctrees/core/config.doctree diff --git a/sphinx_docs.py/build/.doctrees/core/coords.doctree b/sphinx_docs/build/.doctrees/core/coords.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/core/coords.doctree rename to sphinx_docs/build/.doctrees/core/coords.doctree diff --git a/sphinx_docs.py/build/.doctrees/core/index.doctree b/sphinx_docs/build/.doctrees/core/index.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/core/index.doctree rename to sphinx_docs/build/.doctrees/core/index.doctree diff --git a/sphinx_docs.py/build/.doctrees/core/reporting.doctree b/sphinx_docs/build/.doctrees/core/reporting.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/core/reporting.doctree rename to sphinx_docs/build/.doctrees/core/reporting.doctree diff --git a/sphinx_docs.py/build/.doctrees/core/segmentmodel.doctree b/sphinx_docs/build/.doctrees/core/segmentmodel.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/core/segmentmodel.doctree rename to sphinx_docs/build/.doctrees/core/segmentmodel.doctree diff --git a/sphinx_docs.py/build/.doctrees/core/simulate.doctree b/sphinx_docs/build/.doctrees/core/simulate.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/core/simulate.doctree rename to sphinx_docs/build/.doctrees/core/simulate.doctree diff --git a/sphinx_docs.py/build/.doctrees/core/version.doctree b/sphinx_docs/build/.doctrees/core/version.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/core/version.doctree rename to sphinx_docs/build/.doctrees/core/version.doctree diff --git a/sphinx_docs.py/build/.doctrees/environment.pickle b/sphinx_docs/build/.doctrees/environment.pickle similarity index 100% rename from sphinx_docs.py/build/.doctrees/environment.pickle rename to sphinx_docs/build/.doctrees/environment.pickle diff --git a/sphinx_docs.py/build/.doctrees/getting_started.doctree b/sphinx_docs/build/.doctrees/getting_started.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/getting_started.doctree rename to sphinx_docs/build/.doctrees/getting_started.doctree diff --git a/sphinx_docs.py/build/.doctrees/index.doctree b/sphinx_docs/build/.doctrees/index.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/index.doctree rename to sphinx_docs/build/.doctrees/index.doctree diff --git a/sphinx_docs.py/build/.doctrees/installation.doctree b/sphinx_docs/build/.doctrees/installation.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/installation.doctree rename to sphinx_docs/build/.doctrees/installation.doctree diff --git a/sphinx_docs.py/build/.doctrees/model/CanonicalNucleotideAtoms.doctree b/sphinx_docs/build/.doctrees/model/CanonicalNucleotideAtoms.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/model/CanonicalNucleotideAtoms.doctree rename to sphinx_docs/build/.doctrees/model/CanonicalNucleotideAtoms.doctree diff --git a/sphinx_docs.py/build/.doctrees/model/dna_sequence.doctree b/sphinx_docs/build/.doctrees/model/dna_sequence.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/model/dna_sequence.doctree rename to sphinx_docs/build/.doctrees/model/dna_sequence.doctree diff --git a/sphinx_docs.py/build/.doctrees/model/index.doctree b/sphinx_docs/build/.doctrees/model/index.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/model/index.doctree rename to sphinx_docs/build/.doctrees/model/index.doctree diff --git a/sphinx_docs.py/build/.doctrees/model/nbPot.doctree b/sphinx_docs/build/.doctrees/model/nbPot.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/model/nbPot.doctree rename to sphinx_docs/build/.doctrees/model/nbPot.doctree diff --git a/sphinx_docs.py/build/.doctrees/model/spring_from_lp.doctree b/sphinx_docs/build/.doctrees/model/spring_from_lp.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/model/spring_from_lp.doctree rename to sphinx_docs/build/.doctrees/model/spring_from_lp.doctree diff --git a/sphinx_docs.py/build/.doctrees/readers/cadnano_segments.doctree b/sphinx_docs/build/.doctrees/readers/cadnano_segments.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/readers/cadnano_segments.doctree rename to sphinx_docs/build/.doctrees/readers/cadnano_segments.doctree diff --git a/sphinx_docs.py/build/.doctrees/readers/index.doctree b/sphinx_docs/build/.doctrees/readers/index.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/readers/index.doctree rename to sphinx_docs/build/.doctrees/readers/index.doctree diff --git a/sphinx_docs.py/build/.doctrees/readers/polygon_mesh.doctree b/sphinx_docs/build/.doctrees/readers/polygon_mesh.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/readers/polygon_mesh.doctree rename to sphinx_docs/build/.doctrees/readers/polygon_mesh.doctree diff --git a/sphinx_docs.py/build/.doctrees/readers/segmentmodel_from_cadnano.doctree b/sphinx_docs/build/.doctrees/readers/segmentmodel_from_cadnano.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/readers/segmentmodel_from_cadnano.doctree rename to sphinx_docs/build/.doctrees/readers/segmentmodel_from_cadnano.doctree diff --git a/sphinx_docs.py/build/.doctrees/readers/segmentmodel_from_lists.doctree b/sphinx_docs/build/.doctrees/readers/segmentmodel_from_lists.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/readers/segmentmodel_from_lists.doctree rename to sphinx_docs/build/.doctrees/readers/segmentmodel_from_lists.doctree diff --git a/sphinx_docs.py/build/.doctrees/readers/segmentmodel_from_oxdna.doctree b/sphinx_docs/build/.doctrees/readers/segmentmodel_from_oxdna.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/readers/segmentmodel_from_oxdna.doctree rename to sphinx_docs/build/.doctrees/readers/segmentmodel_from_oxdna.doctree diff --git a/sphinx_docs.py/build/.doctrees/readers/segmentmodel_from_pdb.doctree b/sphinx_docs/build/.doctrees/readers/segmentmodel_from_pdb.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/readers/segmentmodel_from_pdb.doctree rename to sphinx_docs/build/.doctrees/readers/segmentmodel_from_pdb.doctree diff --git a/sphinx_docs.py/build/.doctrees/readers/segmentmodel_from_scadnano.doctree b/sphinx_docs/build/.doctrees/readers/segmentmodel_from_scadnano.doctree similarity index 100% rename from sphinx_docs.py/build/.doctrees/readers/segmentmodel_from_scadnano.doctree rename to sphinx_docs/build/.doctrees/readers/segmentmodel_from_scadnano.doctree diff --git a/sphinx_docs.py/build/_modules/index.html b/sphinx_docs/build/_modules/index.html similarity index 100% rename from sphinx_docs.py/build/_modules/index.html rename to sphinx_docs/build/_modules/index.html diff --git a/sphinx_docs.py/build/_modules/mrdna/model/CanonicalNucleotideAtoms.html b/sphinx_docs/build/_modules/mrdna/model/CanonicalNucleotideAtoms.html similarity index 100% rename from sphinx_docs.py/build/_modules/mrdna/model/CanonicalNucleotideAtoms.html rename to sphinx_docs/build/_modules/mrdna/model/CanonicalNucleotideAtoms.html diff --git a/sphinx_docs.py/build/_modules/mrdna/model/dna_sequence.html b/sphinx_docs/build/_modules/mrdna/model/dna_sequence.html similarity index 100% rename from sphinx_docs.py/build/_modules/mrdna/model/dna_sequence.html rename to sphinx_docs/build/_modules/mrdna/model/dna_sequence.html diff --git a/sphinx_docs.py/build/_modules/mrdna/model/nbPot.html b/sphinx_docs/build/_modules/mrdna/model/nbPot.html similarity index 100% rename from sphinx_docs.py/build/_modules/mrdna/model/nbPot.html rename to sphinx_docs/build/_modules/mrdna/model/nbPot.html diff --git a/sphinx_docs.py/build/_modules/mrdna/model/spring_from_lp.html b/sphinx_docs/build/_modules/mrdna/model/spring_from_lp.html similarity index 100% rename from sphinx_docs.py/build/_modules/mrdna/model/spring_from_lp.html rename to sphinx_docs/build/_modules/mrdna/model/spring_from_lp.html diff --git a/sphinx_docs.py/build/_modules/mrdna/readers/cadnano_segments.html b/sphinx_docs/build/_modules/mrdna/readers/cadnano_segments.html similarity index 100% rename from sphinx_docs.py/build/_modules/mrdna/readers/cadnano_segments.html rename to sphinx_docs/build/_modules/mrdna/readers/cadnano_segments.html diff --git a/sphinx_docs.py/build/_modules/mrdna/readers/polygon_mesh.html b/sphinx_docs/build/_modules/mrdna/readers/polygon_mesh.html similarity index 100% rename from sphinx_docs.py/build/_modules/mrdna/readers/polygon_mesh.html rename to sphinx_docs/build/_modules/mrdna/readers/polygon_mesh.html diff --git a/sphinx_docs.py/build/_modules/mrdna/readers/segmentmodel_from_cadnano.html b/sphinx_docs/build/_modules/mrdna/readers/segmentmodel_from_cadnano.html similarity index 100% rename from sphinx_docs.py/build/_modules/mrdna/readers/segmentmodel_from_cadnano.html rename to sphinx_docs/build/_modules/mrdna/readers/segmentmodel_from_cadnano.html diff --git a/sphinx_docs.py/build/_modules/mrdna/readers/segmentmodel_from_lists.html b/sphinx_docs/build/_modules/mrdna/readers/segmentmodel_from_lists.html similarity index 100% rename from sphinx_docs.py/build/_modules/mrdna/readers/segmentmodel_from_lists.html rename to sphinx_docs/build/_modules/mrdna/readers/segmentmodel_from_lists.html diff --git a/sphinx_docs.py/build/_modules/mrdna/readers/segmentmodel_from_oxdna.html b/sphinx_docs/build/_modules/mrdna/readers/segmentmodel_from_oxdna.html similarity index 100% rename from sphinx_docs.py/build/_modules/mrdna/readers/segmentmodel_from_oxdna.html rename to sphinx_docs/build/_modules/mrdna/readers/segmentmodel_from_oxdna.html diff --git a/sphinx_docs.py/build/_modules/mrdna/readers/segmentmodel_from_pdb.html b/sphinx_docs/build/_modules/mrdna/readers/segmentmodel_from_pdb.html similarity index 100% rename from sphinx_docs.py/build/_modules/mrdna/readers/segmentmodel_from_pdb.html rename to sphinx_docs/build/_modules/mrdna/readers/segmentmodel_from_pdb.html diff --git a/sphinx_docs.py/build/_modules/mrdna/readers/segmentmodel_from_scadnano.html b/sphinx_docs/build/_modules/mrdna/readers/segmentmodel_from_scadnano.html similarity index 100% rename from sphinx_docs.py/build/_modules/mrdna/readers/segmentmodel_from_scadnano.html rename to sphinx_docs/build/_modules/mrdna/readers/segmentmodel_from_scadnano.html diff --git a/sphinx_docs.py/build/_modules/mrdna/reporting.html b/sphinx_docs/build/_modules/mrdna/reporting.html similarity index 100% rename from sphinx_docs.py/build/_modules/mrdna/reporting.html rename to sphinx_docs/build/_modules/mrdna/reporting.html diff --git a/sphinx_docs.py/build/_modules/mrdna/segmentmodel.html b/sphinx_docs/build/_modules/mrdna/segmentmodel.html similarity index 100% rename from sphinx_docs.py/build/_modules/mrdna/segmentmodel.html rename to sphinx_docs/build/_modules/mrdna/segmentmodel.html diff --git a/sphinx_docs.py/build/_modules/mrdna/simulate.html b/sphinx_docs/build/_modules/mrdna/simulate.html similarity index 100% rename from sphinx_docs.py/build/_modules/mrdna/simulate.html rename to sphinx_docs/build/_modules/mrdna/simulate.html diff --git a/sphinx_docs.py/build/_modules/mrdna/version.html b/sphinx_docs/build/_modules/mrdna/version.html similarity index 100% rename from sphinx_docs.py/build/_modules/mrdna/version.html rename to sphinx_docs/build/_modules/mrdna/version.html diff --git a/sphinx_docs.py/build/_sources/arbd_model/arbdmodel.rst b/sphinx_docs/build/_sources/arbd_model/arbdmodel.rst similarity index 100% rename from sphinx_docs.py/build/_sources/arbd_model/arbdmodel.rst rename to sphinx_docs/build/_sources/arbd_model/arbdmodel.rst diff --git a/sphinx_docs.py/build/_sources/arbd_model/index.rst b/sphinx_docs/build/_sources/arbd_model/index.rst similarity index 100% rename from sphinx_docs.py/build/_sources/arbd_model/index.rst rename to sphinx_docs/build/_sources/arbd_model/index.rst diff --git a/sphinx_docs.py/build/_sources/core/config.rst b/sphinx_docs/build/_sources/core/config.rst similarity index 100% rename from sphinx_docs.py/build/_sources/core/config.rst rename to sphinx_docs/build/_sources/core/config.rst diff --git a/sphinx_docs.py/build/_sources/core/coords.rst b/sphinx_docs/build/_sources/core/coords.rst similarity index 100% rename from sphinx_docs.py/build/_sources/core/coords.rst rename to sphinx_docs/build/_sources/core/coords.rst diff --git a/sphinx_docs.py/build/_sources/core/index.rst b/sphinx_docs/build/_sources/core/index.rst similarity index 100% rename from sphinx_docs.py/build/_sources/core/index.rst rename to sphinx_docs/build/_sources/core/index.rst diff --git a/sphinx_docs.py/build/_sources/core/reporting.rst b/sphinx_docs/build/_sources/core/reporting.rst similarity index 100% rename from sphinx_docs.py/build/_sources/core/reporting.rst rename to sphinx_docs/build/_sources/core/reporting.rst diff --git a/sphinx_docs.py/build/_sources/core/segmentmodel.rst b/sphinx_docs/build/_sources/core/segmentmodel.rst similarity index 100% rename from sphinx_docs.py/build/_sources/core/segmentmodel.rst rename to sphinx_docs/build/_sources/core/segmentmodel.rst diff --git a/sphinx_docs.py/build/_sources/core/simulate.rst b/sphinx_docs/build/_sources/core/simulate.rst similarity index 100% rename from sphinx_docs.py/build/_sources/core/simulate.rst rename to sphinx_docs/build/_sources/core/simulate.rst diff --git a/sphinx_docs.py/build/_sources/core/version.rst b/sphinx_docs/build/_sources/core/version.rst similarity index 100% rename from sphinx_docs.py/build/_sources/core/version.rst rename to sphinx_docs/build/_sources/core/version.rst diff --git a/sphinx_docs.py/build/_sources/getting_started.rst b/sphinx_docs/build/_sources/getting_started.rst similarity index 100% rename from sphinx_docs.py/build/_sources/getting_started.rst rename to sphinx_docs/build/_sources/getting_started.rst diff --git a/sphinx_docs.py/build/_sources/index.rst b/sphinx_docs/build/_sources/index.rst similarity index 100% rename from sphinx_docs.py/build/_sources/index.rst rename to sphinx_docs/build/_sources/index.rst diff --git a/sphinx_docs.py/build/_sources/installation.rst b/sphinx_docs/build/_sources/installation.rst similarity index 100% rename from sphinx_docs.py/build/_sources/installation.rst rename to sphinx_docs/build/_sources/installation.rst diff --git a/sphinx_docs.py/build/_sources/model/CanonicalNucleotideAtoms.rst b/sphinx_docs/build/_sources/model/CanonicalNucleotideAtoms.rst similarity index 100% rename from sphinx_docs.py/build/_sources/model/CanonicalNucleotideAtoms.rst rename to sphinx_docs/build/_sources/model/CanonicalNucleotideAtoms.rst diff --git a/sphinx_docs.py/build/_sources/model/dna_sequence.rst b/sphinx_docs/build/_sources/model/dna_sequence.rst similarity index 100% rename from sphinx_docs.py/build/_sources/model/dna_sequence.rst rename to sphinx_docs/build/_sources/model/dna_sequence.rst diff --git a/sphinx_docs.py/build/_sources/model/index.rst b/sphinx_docs/build/_sources/model/index.rst similarity index 100% rename from sphinx_docs.py/build/_sources/model/index.rst rename to sphinx_docs/build/_sources/model/index.rst diff --git a/sphinx_docs.py/build/_sources/model/nbPot.rst b/sphinx_docs/build/_sources/model/nbPot.rst similarity index 100% rename from sphinx_docs.py/build/_sources/model/nbPot.rst rename to sphinx_docs/build/_sources/model/nbPot.rst diff --git a/sphinx_docs.py/build/_sources/model/spring_from_lp.rst b/sphinx_docs/build/_sources/model/spring_from_lp.rst similarity index 100% rename from sphinx_docs.py/build/_sources/model/spring_from_lp.rst rename to sphinx_docs/build/_sources/model/spring_from_lp.rst diff --git a/sphinx_docs.py/build/_sources/readers/cadnano_segments.rst b/sphinx_docs/build/_sources/readers/cadnano_segments.rst similarity index 100% rename from sphinx_docs.py/build/_sources/readers/cadnano_segments.rst rename to sphinx_docs/build/_sources/readers/cadnano_segments.rst diff --git a/sphinx_docs.py/build/_sources/readers/index.rst b/sphinx_docs/build/_sources/readers/index.rst similarity index 100% rename from sphinx_docs.py/build/_sources/readers/index.rst rename to sphinx_docs/build/_sources/readers/index.rst diff --git a/sphinx_docs.py/build/_sources/readers/polygon_mesh.rst b/sphinx_docs/build/_sources/readers/polygon_mesh.rst similarity index 100% rename from sphinx_docs.py/build/_sources/readers/polygon_mesh.rst rename to sphinx_docs/build/_sources/readers/polygon_mesh.rst diff --git a/sphinx_docs.py/build/_sources/readers/segmentmodel_from_cadnano.rst b/sphinx_docs/build/_sources/readers/segmentmodel_from_cadnano.rst similarity index 100% rename from sphinx_docs.py/build/_sources/readers/segmentmodel_from_cadnano.rst rename to sphinx_docs/build/_sources/readers/segmentmodel_from_cadnano.rst diff --git a/sphinx_docs.py/build/_sources/readers/segmentmodel_from_lists.rst b/sphinx_docs/build/_sources/readers/segmentmodel_from_lists.rst similarity index 100% rename from sphinx_docs.py/build/_sources/readers/segmentmodel_from_lists.rst rename to sphinx_docs/build/_sources/readers/segmentmodel_from_lists.rst diff --git a/sphinx_docs.py/build/_sources/readers/segmentmodel_from_oxdna.rst b/sphinx_docs/build/_sources/readers/segmentmodel_from_oxdna.rst similarity index 100% rename from sphinx_docs.py/build/_sources/readers/segmentmodel_from_oxdna.rst rename to sphinx_docs/build/_sources/readers/segmentmodel_from_oxdna.rst diff --git a/sphinx_docs.py/build/_sources/readers/segmentmodel_from_pdb.rst b/sphinx_docs/build/_sources/readers/segmentmodel_from_pdb.rst similarity index 100% rename from sphinx_docs.py/build/_sources/readers/segmentmodel_from_pdb.rst rename to sphinx_docs/build/_sources/readers/segmentmodel_from_pdb.rst diff --git a/sphinx_docs.py/build/_sources/readers/segmentmodel_from_scadnano.rst b/sphinx_docs/build/_sources/readers/segmentmodel_from_scadnano.rst similarity index 100% rename from sphinx_docs.py/build/_sources/readers/segmentmodel_from_scadnano.rst rename to sphinx_docs/build/_sources/readers/segmentmodel_from_scadnano.rst diff --git a/sphinx_docs.py/build/_static/basic.css b/sphinx_docs/build/_static/basic.css similarity index 100% rename from sphinx_docs.py/build/_static/basic.css rename to sphinx_docs/build/_static/basic.css diff --git a/sphinx_docs.py/build/_static/check-solid.svg b/sphinx_docs/build/_static/check-solid.svg similarity index 100% rename from sphinx_docs.py/build/_static/check-solid.svg rename to sphinx_docs/build/_static/check-solid.svg diff --git a/sphinx_docs.py/build/_static/clipboard.min.js b/sphinx_docs/build/_static/clipboard.min.js similarity index 100% rename from sphinx_docs.py/build/_static/clipboard.min.js rename to sphinx_docs/build/_static/clipboard.min.js diff --git a/sphinx_docs.py/build/_static/copy-button.svg b/sphinx_docs/build/_static/copy-button.svg similarity index 100% rename from sphinx_docs.py/build/_static/copy-button.svg rename to sphinx_docs/build/_static/copy-button.svg diff --git a/sphinx_docs.py/build/_static/copybutton.css b/sphinx_docs/build/_static/copybutton.css similarity index 100% rename from sphinx_docs.py/build/_static/copybutton.css rename to sphinx_docs/build/_static/copybutton.css diff --git a/sphinx_docs.py/build/_static/copybutton.js b/sphinx_docs/build/_static/copybutton.js similarity index 100% rename from sphinx_docs.py/build/_static/copybutton.js rename to sphinx_docs/build/_static/copybutton.js diff --git a/sphinx_docs.py/build/_static/copybutton_funcs.js b/sphinx_docs/build/_static/copybutton_funcs.js similarity index 100% rename from sphinx_docs.py/build/_static/copybutton_funcs.js rename to sphinx_docs/build/_static/copybutton_funcs.js diff --git a/sphinx_docs.py/build/_static/doctools.js b/sphinx_docs/build/_static/doctools.js similarity index 100% rename from sphinx_docs.py/build/_static/doctools.js rename to sphinx_docs/build/_static/doctools.js diff --git a/sphinx_docs.py/build/_static/documentation_options.js b/sphinx_docs/build/_static/documentation_options.js similarity index 100% rename from sphinx_docs.py/build/_static/documentation_options.js rename to sphinx_docs/build/_static/documentation_options.js diff --git a/sphinx_docs.py/build/_static/file.png b/sphinx_docs/build/_static/file.png similarity index 100% rename from sphinx_docs.py/build/_static/file.png rename to sphinx_docs/build/_static/file.png diff --git a/sphinx_docs.py/build/_static/images/logo_binder.svg b/sphinx_docs/build/_static/images/logo_binder.svg similarity index 100% rename from sphinx_docs.py/build/_static/images/logo_binder.svg rename to sphinx_docs/build/_static/images/logo_binder.svg diff --git a/sphinx_docs.py/build/_static/images/logo_colab.png b/sphinx_docs/build/_static/images/logo_colab.png similarity index 100% rename from sphinx_docs.py/build/_static/images/logo_colab.png rename to sphinx_docs/build/_static/images/logo_colab.png diff --git a/sphinx_docs.py/build/_static/images/logo_deepnote.svg b/sphinx_docs/build/_static/images/logo_deepnote.svg similarity index 100% rename from sphinx_docs.py/build/_static/images/logo_deepnote.svg rename to sphinx_docs/build/_static/images/logo_deepnote.svg diff --git a/sphinx_docs.py/build/_static/images/logo_jupyterhub.svg b/sphinx_docs/build/_static/images/logo_jupyterhub.svg similarity index 100% rename from sphinx_docs.py/build/_static/images/logo_jupyterhub.svg rename to sphinx_docs/build/_static/images/logo_jupyterhub.svg diff --git a/sphinx_docs.py/build/_static/language_data.js b/sphinx_docs/build/_static/language_data.js similarity index 100% rename from sphinx_docs.py/build/_static/language_data.js rename to sphinx_docs/build/_static/language_data.js diff --git a/sphinx_docs.py/build/_static/locales/ar/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/ar/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/ar/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/ar/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/ar/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/ar/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/ar/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/ar/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/bg/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/bg/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/bg/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/bg/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/bg/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/bg/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/bg/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/bg/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/bn/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/bn/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/bn/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/bn/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/bn/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/bn/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/bn/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/bn/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/ca/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/ca/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/ca/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/ca/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/ca/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/ca/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/ca/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/ca/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/cs/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/cs/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/cs/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/cs/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/cs/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/cs/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/cs/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/cs/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/da/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/da/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/da/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/da/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/da/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/da/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/da/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/da/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/de/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/de/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/de/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/de/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/de/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/de/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/de/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/de/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/el/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/el/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/el/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/el/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/el/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/el/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/el/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/el/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/eo/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/eo/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/eo/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/eo/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/eo/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/eo/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/eo/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/eo/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/es/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/es/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/es/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/es/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/es/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/es/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/es/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/es/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/et/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/et/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/et/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/et/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/et/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/et/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/et/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/et/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/fi/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/fi/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/fi/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/fi/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/fi/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/fi/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/fi/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/fi/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/fr/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/fr/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/fr/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/fr/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/fr/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/fr/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/fr/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/fr/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/hr/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/hr/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/hr/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/hr/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/hr/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/hr/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/hr/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/hr/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/id/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/id/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/id/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/id/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/id/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/id/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/id/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/id/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/it/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/it/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/it/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/it/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/it/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/it/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/it/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/it/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/iw/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/iw/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/iw/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/iw/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/iw/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/iw/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/iw/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/iw/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/ja/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/ja/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/ja/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/ja/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/ja/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/ja/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/ja/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/ja/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/ko/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/ko/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/ko/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/ko/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/ko/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/ko/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/ko/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/ko/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/lt/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/lt/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/lt/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/lt/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/lt/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/lt/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/lt/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/lt/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/lv/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/lv/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/lv/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/lv/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/lv/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/lv/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/lv/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/lv/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/ml/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/ml/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/ml/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/ml/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/ml/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/ml/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/ml/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/ml/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/mr/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/mr/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/mr/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/mr/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/mr/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/mr/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/mr/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/mr/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/ms/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/ms/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/ms/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/ms/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/ms/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/ms/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/ms/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/ms/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/nl/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/nl/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/nl/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/nl/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/nl/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/nl/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/nl/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/nl/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/no/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/no/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/no/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/no/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/no/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/no/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/no/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/no/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/pl/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/pl/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/pl/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/pl/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/pl/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/pl/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/pl/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/pl/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/pt/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/pt/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/pt/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/pt/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/pt/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/pt/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/pt/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/pt/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/ro/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/ro/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/ro/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/ro/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/ro/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/ro/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/ro/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/ro/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/ru/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/ru/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/ru/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/ru/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/ru/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/ru/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/ru/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/ru/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/sk/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/sk/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/sk/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/sk/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/sk/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/sk/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/sk/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/sk/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/sl/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/sl/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/sl/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/sl/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/sl/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/sl/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/sl/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/sl/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/sr/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/sr/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/sr/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/sr/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/sr/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/sr/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/sr/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/sr/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/sv/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/sv/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/sv/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/sv/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/sv/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/sv/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/sv/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/sv/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/ta/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/ta/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/ta/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/ta/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/ta/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/ta/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/ta/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/ta/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/te/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/te/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/te/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/te/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/te/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/te/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/te/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/te/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/tg/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/tg/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/tg/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/tg/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/tg/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/tg/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/tg/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/tg/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/th/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/th/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/th/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/th/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/th/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/th/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/th/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/th/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/tl/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/tl/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/tl/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/tl/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/tl/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/tl/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/tl/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/tl/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/tr/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/tr/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/tr/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/tr/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/tr/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/tr/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/tr/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/tr/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/uk/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/uk/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/uk/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/uk/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/uk/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/uk/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/uk/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/uk/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/ur/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/ur/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/ur/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/ur/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/ur/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/ur/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/ur/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/ur/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/vi/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/vi/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/vi/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/vi/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/vi/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/vi/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/vi/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/vi/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/zh_CN/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/zh_CN/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/zh_CN/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/zh_CN/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/zh_CN/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/zh_CN/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/zh_CN/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/zh_CN/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/locales/zh_TW/LC_MESSAGES/booktheme.mo b/sphinx_docs/build/_static/locales/zh_TW/LC_MESSAGES/booktheme.mo similarity index 100% rename from sphinx_docs.py/build/_static/locales/zh_TW/LC_MESSAGES/booktheme.mo rename to sphinx_docs/build/_static/locales/zh_TW/LC_MESSAGES/booktheme.mo diff --git a/sphinx_docs.py/build/_static/locales/zh_TW/LC_MESSAGES/booktheme.po b/sphinx_docs/build/_static/locales/zh_TW/LC_MESSAGES/booktheme.po similarity index 100% rename from sphinx_docs.py/build/_static/locales/zh_TW/LC_MESSAGES/booktheme.po rename to sphinx_docs/build/_static/locales/zh_TW/LC_MESSAGES/booktheme.po diff --git a/sphinx_docs.py/build/_static/minus.png b/sphinx_docs/build/_static/minus.png similarity index 100% rename from sphinx_docs.py/build/_static/minus.png rename to sphinx_docs/build/_static/minus.png diff --git a/sphinx_docs.py/build/_static/plus.png b/sphinx_docs/build/_static/plus.png similarity index 100% rename from sphinx_docs.py/build/_static/plus.png rename to sphinx_docs/build/_static/plus.png diff --git a/sphinx_docs.py/build/_static/pygments.css b/sphinx_docs/build/_static/pygments.css similarity index 100% rename from sphinx_docs.py/build/_static/pygments.css rename to sphinx_docs/build/_static/pygments.css diff --git a/sphinx_docs.py/build/_static/sbt-webpack-macros.html b/sphinx_docs/build/_static/sbt-webpack-macros.html similarity index 100% rename from sphinx_docs.py/build/_static/sbt-webpack-macros.html rename to sphinx_docs/build/_static/sbt-webpack-macros.html diff --git a/sphinx_docs.py/build/_static/scripts/bootstrap.js b/sphinx_docs/build/_static/scripts/bootstrap.js similarity index 100% rename from sphinx_docs.py/build/_static/scripts/bootstrap.js rename to sphinx_docs/build/_static/scripts/bootstrap.js diff --git a/sphinx_docs.py/build/_static/scripts/bootstrap.js.LICENSE.txt b/sphinx_docs/build/_static/scripts/bootstrap.js.LICENSE.txt similarity index 100% rename from sphinx_docs.py/build/_static/scripts/bootstrap.js.LICENSE.txt rename to sphinx_docs/build/_static/scripts/bootstrap.js.LICENSE.txt diff --git a/sphinx_docs.py/build/_static/scripts/bootstrap.js.map b/sphinx_docs/build/_static/scripts/bootstrap.js.map similarity index 100% rename from sphinx_docs.py/build/_static/scripts/bootstrap.js.map rename to sphinx_docs/build/_static/scripts/bootstrap.js.map diff --git a/sphinx_docs.py/build/_static/scripts/pydata-sphinx-theme.js b/sphinx_docs/build/_static/scripts/pydata-sphinx-theme.js similarity index 100% rename from sphinx_docs.py/build/_static/scripts/pydata-sphinx-theme.js rename to sphinx_docs/build/_static/scripts/pydata-sphinx-theme.js diff --git a/sphinx_docs.py/build/_static/scripts/pydata-sphinx-theme.js.map b/sphinx_docs/build/_static/scripts/pydata-sphinx-theme.js.map similarity index 100% rename from sphinx_docs.py/build/_static/scripts/pydata-sphinx-theme.js.map rename to sphinx_docs/build/_static/scripts/pydata-sphinx-theme.js.map diff --git a/sphinx_docs.py/build/_static/scripts/sphinx-book-theme.js b/sphinx_docs/build/_static/scripts/sphinx-book-theme.js similarity index 100% rename from sphinx_docs.py/build/_static/scripts/sphinx-book-theme.js rename to sphinx_docs/build/_static/scripts/sphinx-book-theme.js diff --git a/sphinx_docs.py/build/_static/scripts/sphinx-book-theme.js.map b/sphinx_docs/build/_static/scripts/sphinx-book-theme.js.map similarity index 100% rename from sphinx_docs.py/build/_static/scripts/sphinx-book-theme.js.map rename to sphinx_docs/build/_static/scripts/sphinx-book-theme.js.map diff --git a/sphinx_docs.py/build/_static/searchtools.js b/sphinx_docs/build/_static/searchtools.js similarity index 100% rename from sphinx_docs.py/build/_static/searchtools.js rename to sphinx_docs/build/_static/searchtools.js diff --git a/sphinx_docs.py/build/_static/sphinx_highlight.js b/sphinx_docs/build/_static/sphinx_highlight.js similarity index 100% rename from sphinx_docs.py/build/_static/sphinx_highlight.js rename to sphinx_docs/build/_static/sphinx_highlight.js diff --git a/sphinx_docs.py/build/_static/styles/bootstrap.css b/sphinx_docs/build/_static/styles/bootstrap.css similarity index 100% rename from sphinx_docs.py/build/_static/styles/bootstrap.css rename to sphinx_docs/build/_static/styles/bootstrap.css diff --git a/sphinx_docs.py/build/_static/styles/bootstrap.css.map b/sphinx_docs/build/_static/styles/bootstrap.css.map similarity index 100% rename from sphinx_docs.py/build/_static/styles/bootstrap.css.map rename to sphinx_docs/build/_static/styles/bootstrap.css.map diff --git a/sphinx_docs.py/build/_static/styles/pydata-sphinx-theme.css b/sphinx_docs/build/_static/styles/pydata-sphinx-theme.css similarity index 100% rename from sphinx_docs.py/build/_static/styles/pydata-sphinx-theme.css rename to sphinx_docs/build/_static/styles/pydata-sphinx-theme.css diff --git a/sphinx_docs.py/build/_static/styles/pydata-sphinx-theme.css.map b/sphinx_docs/build/_static/styles/pydata-sphinx-theme.css.map similarity index 100% rename from sphinx_docs.py/build/_static/styles/pydata-sphinx-theme.css.map rename to sphinx_docs/build/_static/styles/pydata-sphinx-theme.css.map diff --git a/sphinx_docs.py/build/_static/styles/sphinx-book-theme.css b/sphinx_docs/build/_static/styles/sphinx-book-theme.css similarity index 100% rename from sphinx_docs.py/build/_static/styles/sphinx-book-theme.css rename to sphinx_docs/build/_static/styles/sphinx-book-theme.css diff --git a/sphinx_docs.py/build/_static/styles/sphinx-book-theme.css.map b/sphinx_docs/build/_static/styles/sphinx-book-theme.css.map similarity index 100% rename from sphinx_docs.py/build/_static/styles/sphinx-book-theme.css.map rename to sphinx_docs/build/_static/styles/sphinx-book-theme.css.map diff --git a/sphinx_docs.py/build/_static/styles/theme.css b/sphinx_docs/build/_static/styles/theme.css similarity index 100% rename from sphinx_docs.py/build/_static/styles/theme.css rename to sphinx_docs/build/_static/styles/theme.css diff --git a/sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/LICENSE.txt b/sphinx_docs/build/_static/vendor/fontawesome/6.5.2/LICENSE.txt similarity index 100% rename from sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/LICENSE.txt rename to sphinx_docs/build/_static/vendor/fontawesome/6.5.2/LICENSE.txt diff --git a/sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/css/all.min.css b/sphinx_docs/build/_static/vendor/fontawesome/6.5.2/css/all.min.css similarity index 100% rename from sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/css/all.min.css rename to sphinx_docs/build/_static/vendor/fontawesome/6.5.2/css/all.min.css diff --git a/sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/js/all.min.js b/sphinx_docs/build/_static/vendor/fontawesome/6.5.2/js/all.min.js similarity index 100% rename from sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/js/all.min.js rename to sphinx_docs/build/_static/vendor/fontawesome/6.5.2/js/all.min.js diff --git a/sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/js/all.min.js.LICENSE.txt b/sphinx_docs/build/_static/vendor/fontawesome/6.5.2/js/all.min.js.LICENSE.txt similarity index 100% rename from sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/js/all.min.js.LICENSE.txt rename to sphinx_docs/build/_static/vendor/fontawesome/6.5.2/js/all.min.js.LICENSE.txt diff --git a/sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-brands-400.ttf b/sphinx_docs/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-brands-400.ttf similarity index 100% rename from sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-brands-400.ttf rename to sphinx_docs/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-brands-400.ttf diff --git a/sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-brands-400.woff2 b/sphinx_docs/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-brands-400.woff2 similarity index 100% rename from sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-brands-400.woff2 rename to sphinx_docs/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-brands-400.woff2 diff --git a/sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-regular-400.ttf b/sphinx_docs/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-regular-400.ttf similarity index 100% rename from sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-regular-400.ttf rename to sphinx_docs/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-regular-400.ttf diff --git a/sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-regular-400.woff2 b/sphinx_docs/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-regular-400.woff2 similarity index 100% rename from sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-regular-400.woff2 rename to sphinx_docs/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-regular-400.woff2 diff --git a/sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-solid-900.ttf b/sphinx_docs/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-solid-900.ttf similarity index 100% rename from sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-solid-900.ttf rename to sphinx_docs/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-solid-900.ttf diff --git a/sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-solid-900.woff2 b/sphinx_docs/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-solid-900.woff2 similarity index 100% rename from sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-solid-900.woff2 rename to sphinx_docs/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-solid-900.woff2 diff --git a/sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-v4compatibility.ttf b/sphinx_docs/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-v4compatibility.ttf similarity index 100% rename from sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-v4compatibility.ttf rename to sphinx_docs/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-v4compatibility.ttf diff --git a/sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-v4compatibility.woff2 b/sphinx_docs/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-v4compatibility.woff2 similarity index 100% rename from sphinx_docs.py/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-v4compatibility.woff2 rename to sphinx_docs/build/_static/vendor/fontawesome/6.5.2/webfonts/fa-v4compatibility.woff2 diff --git a/sphinx_docs.py/build/_static/webpack-macros.html b/sphinx_docs/build/_static/webpack-macros.html similarity index 100% rename from sphinx_docs.py/build/_static/webpack-macros.html rename to sphinx_docs/build/_static/webpack-macros.html diff --git a/sphinx_docs.py/build/arbd_model/arbdmodel.html b/sphinx_docs/build/arbd_model/arbdmodel.html similarity index 100% rename from sphinx_docs.py/build/arbd_model/arbdmodel.html rename to sphinx_docs/build/arbd_model/arbdmodel.html diff --git a/sphinx_docs.py/build/arbd_model/index.html b/sphinx_docs/build/arbd_model/index.html similarity index 100% rename from sphinx_docs.py/build/arbd_model/index.html rename to sphinx_docs/build/arbd_model/index.html diff --git a/sphinx_docs.py/build/core/config.html b/sphinx_docs/build/core/config.html similarity index 100% rename from sphinx_docs.py/build/core/config.html rename to sphinx_docs/build/core/config.html diff --git a/sphinx_docs.py/build/core/coords.html b/sphinx_docs/build/core/coords.html similarity index 100% rename from sphinx_docs.py/build/core/coords.html rename to sphinx_docs/build/core/coords.html diff --git a/sphinx_docs.py/build/core/index.html b/sphinx_docs/build/core/index.html similarity index 100% rename from sphinx_docs.py/build/core/index.html rename to sphinx_docs/build/core/index.html diff --git a/sphinx_docs.py/build/core/reporting.html b/sphinx_docs/build/core/reporting.html similarity index 100% rename from sphinx_docs.py/build/core/reporting.html rename to sphinx_docs/build/core/reporting.html diff --git a/sphinx_docs.py/build/core/segmentmodel.html b/sphinx_docs/build/core/segmentmodel.html similarity index 100% rename from sphinx_docs.py/build/core/segmentmodel.html rename to sphinx_docs/build/core/segmentmodel.html diff --git a/sphinx_docs.py/build/core/simulate.html b/sphinx_docs/build/core/simulate.html similarity index 100% rename from sphinx_docs.py/build/core/simulate.html rename to sphinx_docs/build/core/simulate.html diff --git a/sphinx_docs.py/build/core/version.html b/sphinx_docs/build/core/version.html similarity index 100% rename from sphinx_docs.py/build/core/version.html rename to sphinx_docs/build/core/version.html diff --git a/sphinx_docs.py/build/genindex.html b/sphinx_docs/build/genindex.html similarity index 100% rename from sphinx_docs.py/build/genindex.html rename to sphinx_docs/build/genindex.html diff --git a/sphinx_docs.py/build/getting_started.html b/sphinx_docs/build/getting_started.html similarity index 100% rename from sphinx_docs.py/build/getting_started.html rename to sphinx_docs/build/getting_started.html diff --git a/sphinx_docs.py/build/index.html b/sphinx_docs/build/index.html similarity index 100% rename from sphinx_docs.py/build/index.html rename to sphinx_docs/build/index.html diff --git a/sphinx_docs.py/build/installation.html b/sphinx_docs/build/installation.html similarity index 100% rename from sphinx_docs.py/build/installation.html rename to sphinx_docs/build/installation.html diff --git a/sphinx_docs.py/build/model/CanonicalNucleotideAtoms.html b/sphinx_docs/build/model/CanonicalNucleotideAtoms.html similarity index 100% rename from sphinx_docs.py/build/model/CanonicalNucleotideAtoms.html rename to sphinx_docs/build/model/CanonicalNucleotideAtoms.html diff --git a/sphinx_docs.py/build/model/dna_sequence.html b/sphinx_docs/build/model/dna_sequence.html similarity index 100% rename from sphinx_docs.py/build/model/dna_sequence.html rename to sphinx_docs/build/model/dna_sequence.html diff --git a/sphinx_docs.py/build/model/index.html b/sphinx_docs/build/model/index.html similarity index 100% rename from sphinx_docs.py/build/model/index.html rename to sphinx_docs/build/model/index.html diff --git a/sphinx_docs.py/build/model/nbPot.html b/sphinx_docs/build/model/nbPot.html similarity index 100% rename from sphinx_docs.py/build/model/nbPot.html rename to sphinx_docs/build/model/nbPot.html diff --git a/sphinx_docs.py/build/model/spring_from_lp.html b/sphinx_docs/build/model/spring_from_lp.html similarity index 100% rename from sphinx_docs.py/build/model/spring_from_lp.html rename to sphinx_docs/build/model/spring_from_lp.html diff --git a/sphinx_docs.py/build/objects.inv b/sphinx_docs/build/objects.inv similarity index 100% rename from sphinx_docs.py/build/objects.inv rename to sphinx_docs/build/objects.inv diff --git a/sphinx_docs.py/build/py-modindex.html b/sphinx_docs/build/py-modindex.html similarity index 100% rename from sphinx_docs.py/build/py-modindex.html rename to sphinx_docs/build/py-modindex.html diff --git a/sphinx_docs.py/build/readers/cadnano_segments.html b/sphinx_docs/build/readers/cadnano_segments.html similarity index 100% rename from sphinx_docs.py/build/readers/cadnano_segments.html rename to sphinx_docs/build/readers/cadnano_segments.html diff --git a/sphinx_docs.py/build/readers/index.html b/sphinx_docs/build/readers/index.html similarity index 100% rename from sphinx_docs.py/build/readers/index.html rename to sphinx_docs/build/readers/index.html diff --git a/sphinx_docs.py/build/readers/polygon_mesh.html b/sphinx_docs/build/readers/polygon_mesh.html similarity index 100% rename from sphinx_docs.py/build/readers/polygon_mesh.html rename to sphinx_docs/build/readers/polygon_mesh.html diff --git a/sphinx_docs.py/build/readers/segmentmodel_from_cadnano.html b/sphinx_docs/build/readers/segmentmodel_from_cadnano.html similarity index 100% rename from sphinx_docs.py/build/readers/segmentmodel_from_cadnano.html rename to sphinx_docs/build/readers/segmentmodel_from_cadnano.html diff --git a/sphinx_docs.py/build/readers/segmentmodel_from_lists.html b/sphinx_docs/build/readers/segmentmodel_from_lists.html similarity index 100% rename from sphinx_docs.py/build/readers/segmentmodel_from_lists.html rename to sphinx_docs/build/readers/segmentmodel_from_lists.html diff --git a/sphinx_docs.py/build/readers/segmentmodel_from_oxdna.html b/sphinx_docs/build/readers/segmentmodel_from_oxdna.html similarity index 100% rename from sphinx_docs.py/build/readers/segmentmodel_from_oxdna.html rename to sphinx_docs/build/readers/segmentmodel_from_oxdna.html diff --git a/sphinx_docs.py/build/readers/segmentmodel_from_pdb.html b/sphinx_docs/build/readers/segmentmodel_from_pdb.html similarity index 100% rename from sphinx_docs.py/build/readers/segmentmodel_from_pdb.html rename to sphinx_docs/build/readers/segmentmodel_from_pdb.html diff --git a/sphinx_docs.py/build/readers/segmentmodel_from_scadnano.html b/sphinx_docs/build/readers/segmentmodel_from_scadnano.html similarity index 100% rename from sphinx_docs.py/build/readers/segmentmodel_from_scadnano.html rename to sphinx_docs/build/readers/segmentmodel_from_scadnano.html diff --git a/sphinx_docs.py/build/search.html b/sphinx_docs/build/search.html similarity index 100% rename from sphinx_docs.py/build/search.html rename to sphinx_docs/build/search.html diff --git a/sphinx_docs.py/build/searchindex.js b/sphinx_docs/build/searchindex.js similarity index 100% rename from sphinx_docs.py/build/searchindex.js rename to sphinx_docs/build/searchindex.js diff --git a/sphinx_docs.py/source/arbd_model/arbdmodel.rst b/sphinx_docs/source/arbd_model/arbdmodel.rst similarity index 100% rename from sphinx_docs.py/source/arbd_model/arbdmodel.rst rename to sphinx_docs/source/arbd_model/arbdmodel.rst diff --git a/sphinx_docs.py/source/arbd_model/index.rst b/sphinx_docs/source/arbd_model/index.rst similarity index 100% rename from sphinx_docs.py/source/arbd_model/index.rst rename to sphinx_docs/source/arbd_model/index.rst diff --git a/sphinx_docs.py/source/conf.py b/sphinx_docs/source/conf.py similarity index 100% rename from sphinx_docs.py/source/conf.py rename to sphinx_docs/source/conf.py diff --git a/sphinx_docs.py/source/core/config.rst b/sphinx_docs/source/core/config.rst similarity index 100% rename from sphinx_docs.py/source/core/config.rst rename to sphinx_docs/source/core/config.rst diff --git a/sphinx_docs.py/source/core/coords.rst b/sphinx_docs/source/core/coords.rst similarity index 100% rename from sphinx_docs.py/source/core/coords.rst rename to sphinx_docs/source/core/coords.rst diff --git a/sphinx_docs.py/source/core/index.rst b/sphinx_docs/source/core/index.rst similarity index 100% rename from sphinx_docs.py/source/core/index.rst rename to sphinx_docs/source/core/index.rst diff --git a/sphinx_docs.py/source/core/reporting.rst b/sphinx_docs/source/core/reporting.rst similarity index 100% rename from sphinx_docs.py/source/core/reporting.rst rename to sphinx_docs/source/core/reporting.rst diff --git a/sphinx_docs.py/source/core/segmentmodel.rst b/sphinx_docs/source/core/segmentmodel.rst similarity index 100% rename from sphinx_docs.py/source/core/segmentmodel.rst rename to sphinx_docs/source/core/segmentmodel.rst diff --git a/sphinx_docs.py/source/core/simulate.rst b/sphinx_docs/source/core/simulate.rst similarity index 100% rename from sphinx_docs.py/source/core/simulate.rst rename to sphinx_docs/source/core/simulate.rst diff --git a/sphinx_docs.py/source/core/version.rst b/sphinx_docs/source/core/version.rst similarity index 100% rename from sphinx_docs.py/source/core/version.rst rename to sphinx_docs/source/core/version.rst diff --git a/sphinx_docs.py/source/getting_started.rst b/sphinx_docs/source/getting_started.rst similarity index 100% rename from sphinx_docs.py/source/getting_started.rst rename to sphinx_docs/source/getting_started.rst diff --git a/sphinx_docs.py/source/index.rst b/sphinx_docs/source/index.rst similarity index 100% rename from sphinx_docs.py/source/index.rst rename to sphinx_docs/source/index.rst diff --git a/sphinx_docs.py/source/installation.rst b/sphinx_docs/source/installation.rst similarity index 100% rename from sphinx_docs.py/source/installation.rst rename to sphinx_docs/source/installation.rst diff --git a/sphinx_docs.py/source/model/CanonicalNucleotideAtoms.rst b/sphinx_docs/source/model/CanonicalNucleotideAtoms.rst similarity index 100% rename from sphinx_docs.py/source/model/CanonicalNucleotideAtoms.rst rename to sphinx_docs/source/model/CanonicalNucleotideAtoms.rst diff --git a/sphinx_docs.py/source/model/dna_sequence.rst b/sphinx_docs/source/model/dna_sequence.rst similarity index 100% rename from sphinx_docs.py/source/model/dna_sequence.rst rename to sphinx_docs/source/model/dna_sequence.rst diff --git a/sphinx_docs.py/source/model/index.rst b/sphinx_docs/source/model/index.rst similarity index 100% rename from sphinx_docs.py/source/model/index.rst rename to sphinx_docs/source/model/index.rst diff --git a/sphinx_docs.py/source/model/nbPot.rst b/sphinx_docs/source/model/nbPot.rst similarity index 100% rename from sphinx_docs.py/source/model/nbPot.rst rename to sphinx_docs/source/model/nbPot.rst diff --git a/sphinx_docs.py/source/model/spring_from_lp.rst b/sphinx_docs/source/model/spring_from_lp.rst similarity index 100% rename from sphinx_docs.py/source/model/spring_from_lp.rst rename to sphinx_docs/source/model/spring_from_lp.rst diff --git a/sphinx_docs.py/source/readers/cadnano_segments.rst b/sphinx_docs/source/readers/cadnano_segments.rst similarity index 100% rename from sphinx_docs.py/source/readers/cadnano_segments.rst rename to sphinx_docs/source/readers/cadnano_segments.rst diff --git a/sphinx_docs.py/source/readers/index.rst b/sphinx_docs/source/readers/index.rst similarity index 100% rename from sphinx_docs.py/source/readers/index.rst rename to sphinx_docs/source/readers/index.rst diff --git a/sphinx_docs.py/source/readers/polygon_mesh.rst b/sphinx_docs/source/readers/polygon_mesh.rst similarity index 100% rename from sphinx_docs.py/source/readers/polygon_mesh.rst rename to sphinx_docs/source/readers/polygon_mesh.rst diff --git a/sphinx_docs.py/source/readers/segmentmodel_from_cadnano.rst b/sphinx_docs/source/readers/segmentmodel_from_cadnano.rst similarity index 100% rename from sphinx_docs.py/source/readers/segmentmodel_from_cadnano.rst rename to sphinx_docs/source/readers/segmentmodel_from_cadnano.rst diff --git a/sphinx_docs.py/source/readers/segmentmodel_from_lists.rst b/sphinx_docs/source/readers/segmentmodel_from_lists.rst similarity index 100% rename from sphinx_docs.py/source/readers/segmentmodel_from_lists.rst rename to sphinx_docs/source/readers/segmentmodel_from_lists.rst diff --git a/sphinx_docs.py/source/readers/segmentmodel_from_oxdna.rst b/sphinx_docs/source/readers/segmentmodel_from_oxdna.rst similarity index 100% rename from sphinx_docs.py/source/readers/segmentmodel_from_oxdna.rst rename to sphinx_docs/source/readers/segmentmodel_from_oxdna.rst diff --git a/sphinx_docs.py/source/readers/segmentmodel_from_pdb.rst b/sphinx_docs/source/readers/segmentmodel_from_pdb.rst similarity index 100% rename from sphinx_docs.py/source/readers/segmentmodel_from_pdb.rst rename to sphinx_docs/source/readers/segmentmodel_from_pdb.rst diff --git a/sphinx_docs.py/source/readers/segmentmodel_from_scadnano.rst b/sphinx_docs/source/readers/segmentmodel_from_scadnano.rst similarity index 100% rename from sphinx_docs.py/source/readers/segmentmodel_from_scadnano.rst rename to sphinx_docs/source/readers/segmentmodel_from_scadnano.rst