AWE
      • Sharing URL Link copied
      • /edit
      • View mode
        • Edit mode
        • View mode
        • Book mode
        • Slide mode
        Edit mode View mode Book mode Slide mode
      • Customize slides
      • Note Permission
      • Read
        • Owners
        • Signed-in users
        • Everyone
        Owners Signed-in users Everyone
      • Write
        • Owners
        • Signed-in users
        • Everyone
        Owners Signed-in users Everyone
      • Engagement control Commenting, Suggest edit, Emoji Reply
      • Invitee
    • Publish Note

      Share your work with the world Congratulations! 🎉 Your note is out in the world Publish Note

      Your note will be visible on your profile and discoverable by anyone.
      Your note is now live.
      This note is visible on your profile and discoverable online.
      Everyone on the web can find and read all notes of this public team.
      See published notes
      Unpublish note
      Please check the box to agree to the Community Guidelines.
      View profile
    • Commenting
      Permission
      Disabled Forbidden Owners Signed-in users Everyone
    • Enable
    • Permission
      • Forbidden
      • Owners
      • Signed-in users
      • Everyone
    • Suggest edit
      Permission
      Disabled Forbidden Owners Signed-in users Everyone
    • Enable
    • Permission
      • Forbidden
      • Owners
      • Signed-in users
    • Emoji Reply
    • Enable
    • Versions and GitHub Sync
    • Note settings
    • Engagement control
    • Transfer ownership
    • Delete this note
    • Insert from template
    • Import from
      • Dropbox
      • Google Drive
      • Gist
      • Clipboard
    • Export to
      • Dropbox
      • Google Drive
      • Gist
    • Download
      • Markdown
      • HTML
      • Raw HTML
Menu Note settings Sharing URL Help
Menu
Options
Versions and GitHub Sync Engagement control Transfer ownership Delete this note
Import from
Dropbox Google Drive Gist Clipboard
Export to
Dropbox Google Drive Gist
Download
Markdown HTML Raw HTML
Back
Sharing URL Link copied
/edit
View mode
  • Edit mode
  • View mode
  • Book mode
  • Slide mode
Edit mode View mode Book mode Slide mode
Customize slides
Note Permission
Read
Owners
  • Owners
  • Signed-in users
  • Everyone
Owners Signed-in users Everyone
Write
Owners
  • Owners
  • Signed-in users
  • Everyone
Owners Signed-in users Everyone
Engagement control Commenting, Suggest edit, Emoji Reply
Invitee
Publish Note

Share your work with the world Congratulations! 🎉 Your note is out in the world Publish Note

Your note will be visible on your profile and discoverable by anyone.
Your note is now live.
This note is visible on your profile and discoverable online.
Everyone on the web can find and read all notes of this public team.
See published notes
Unpublish note
Please check the box to agree to the Community Guidelines.
View profile
Engagement control
Commenting
Permission
Disabled Forbidden Owners Signed-in users Everyone
Enable
Permission
  • Forbidden
  • Owners
  • Signed-in users
  • Everyone
Suggest edit
Permission
Disabled Forbidden Owners Signed-in users Everyone
Enable
Permission
  • Forbidden
  • Owners
  • Signed-in users
Emoji Reply
Enable
Import from Dropbox Google Drive Gist Clipboard
   owned this note    owned this note      
Published Linked with GitHub
Subscribed
  • Any changes
    Be notified of any changes
  • Mention me
    Be notified of mention me
  • Unsubscribe
Subscribe
# Software documentation [TOC] - **Code readability** are detailed in a coding style guide. - **Code comments** are useful for clarifying complex parts of code, noting why certain decisions were made in specific blocks or lines. - **Docstrings** provide a description of the function, class or module that follows immediately after it is defined, and should contain all the relevant information needed for using them, rather than explaining how the code works. Ideally, every module should have a docstring, and so should every function and class that a module makes available. :::success :books: Further reading [Documenting Python code](https://realpython.com/documenting-python-code/) ::: ## Code comments Code comments are annotations you write directly in the source code and: - are written for users (developers!) who deal with your source code - explain parts that are not intuitive from the code itself - explain the purpose of a piece of code (why over how) - need to be kept up-to-date as wrong comments are not caught through testing - **do not** replace readable and structured code - **do not** turn old code into commented zombie code (see code smells) - **do not** repeat in natural language what is written in your code, e.g. ```matlab % Now we check if the age of a patient is greater than 18 if agePatient > 18 ``` ## Docstrings Docstrings are structured comments, associated to *segments* (rather than lines) of code which can be used to generate documentation for users (YOU!) of your project. They allow you to provide documentation to a function/class/method, that is relevant for the user. Two docstring styles are commonly used for their readability: :::success **Google style** ```python def func(arg1, arg2): """Summary line. Extended description of function. Args: arg1 (int): Description of arg1 arg2 (str): Description of arg2 Returns: bool: Description of return value """ return True ``` :arrow_right: Check out the [Google style guide](https://google.github.io/styleguide/pyguide.html#38-comments-and-docstrings) or a [full example](https://www.sphinx-doc.org/en/master/usage/extensions/example_google.html#example-google). ::: :::success **NumPy style** ```python def func(arg1, arg2): """Summary line. Extended description of function. Parameters ---------- arg1 : int Description of arg1 arg2 : str Description of arg2 Returns ------- bool Description of return value """ return True ``` :arrow_right: Check out the [NumPy style guide](https://numpydoc.readthedocs.io/en/latest/format.html#docstring-standard) or a [full example](https://www.sphinx-doc.org/en/master/usage/extensions/example_numpy.html#example-numpy). ::: ### Docstring formatting [Python's PEP 257](https://peps.python.org/pep-0257/) provides guidelines on how to effectively write docstrings to ensure they are clear, concise, and useful. Some pointers: - The summary sentence of the docstring should appear on the same line as the opening triple quotes. - The closing triple quotes should be placed on a separate line, except for one-line docstrings. - Docstrings for methods and functions should not have blank lines before or after them. :::spoiler **Example** ```python def find_max(numbers): """Find the maximum value in a list of numbers. Parameters ---------- numbers : iterable A collection of numerical values from which the maximum will be determined. Returns ------- max_value : `float` The highest number in the given list of numbers. """ pass ``` ::: - Docstrings for classes should immediately follow the class definition without any preceding blank liness. However, a single blank line should follow the docstring, separating it from subsequent code such as class variables or the **__init__** method. :::spoiler **Example** ```python class Circle(object): """A circle defined by its radius. Parameters ---------- radius : `float` The radius of the circle. """ def __init__(self, radius): self.radius = radius ``` ::: - The content of a docstring must align with the indentation level of the code it documents. :::spoiler **Example** :+1: ```python def get_length(items): """Calculate the number of items in the list. Parameters ---------- items : list A list whose length is to be determined. Returns ------- length : int The number of items in the list. """ return len(items) ``` :-1: ```python def get_length(items): """Calculate the number of items in the list. Parameters ---------- items : list A list whose length is to be determined. Returns ------- length : int The number of items in the list. """ return len(items) ``` ::: ::: success :books: **Further reading** - Build [API reference](https://developer.lsst.io/python/numpydoc.html) from docstrings - [Numpydoc style guide](https://numpydoc.readthedocs.io/en/latest/format.html) - best practices for docstrings ::: ### Docstring contents Formatting conventions are important for clarity and readability across different APIs or libraries. As mentioned we adhere to the numpydoc convention. #### Summaries Docstrings should start with a one-sentence summary and if additional clarification is needed, you could add an [extended summary](https://developer.lsst.io/python/numpydoc.html#py-docstring-extended-summary). For functions and methods, use imperative voice, framing its summary as a command or instruction that the user can execute through the API. For classes, the summary should clearly describe what the class represents or its primary responsibility. #### Parameters and arguments The *Parameters* section lists the input parameters of a class, function or method. It should include the parameter name, type, and a brief description of what the parameter represents. *Parameters* are listed in the same order as they appear in the function definition. :::spoiler Full description and example [Describing parameters](https://developer.lsst.io/python/numpydoc.html#py-docstring-parameters) Basic example: ```python def calcDistance(x, y, x0=0., y0=0., **kwargs): """Calculate the distance between two points. Parameters ---------- x : `float` X-axis coordinate. y : `float` Y-axis coordinate. x0 : `float`, optional X-axis coordinate for the second point (the origin, by default). Descriptions can have multiple paragraphs, and lists: - First list item. - Second list item. y0 : `float`, optional Y-axis coordinate for the second point (the origin, by default). **kwargs Additional keyword arguments passed to `calcExternalApi`. """ ``` ::: #### Returns and Yields *Returns* is an explanation about the returned values and their types, following the same format as *Parameters*. This is applicable to functions and methods. Use *Yields* for generators. :::spoiler Example - [Documenting Returns](https://developer.lsst.io/python/numpydoc.html#py-docstring-returns) - [Documenting Yields](https://developer.lsst.io/python/numpydoc.html#yields) Basic example for returns: ```python def getCoord(self): """Get the point's pixel coordinate. Returns ------- x : `int` X-axis pixel coordinate. y : `int` Y-axis pixel coordinate. """ return self._x, self._y ``` Basic example for yields: ```python def items(self): """Iterate over items in the container. Yields ------ key : `str` An item's key. value : obj An item's value. """ for key, value in self._data.items(): yield key, value ``` ::: #### Raises For classes, methods and functions the *Raises* section is used to describe exceptions that are explicitly raised. :::spoiler Example - [Documenting Raises](https://developer.lsst.io/python/numpydoc.html#raises) ```python Raises ------ IOError Raised if the input file cannot be read. TypeError Raised if parameter ``example`` is an invalid type. ``` ::: :::info :books: **Further reading** 1. [Documenting modules](https://developer.lsst.io/python/numpydoc.html#documenting-modules) 2. [Documenting classes](https://developer.lsst.io/python/numpydoc.html#documenting-classes) 3. [Documenting methods and functions](https://developer.lsst.io/python/numpydoc.html#documenting-methods-and-functions) 4. [Documenting constants and class attributes](https://developer.lsst.io/python/numpydoc.html#documenting-constants-and-class-attributes) 5. [Documenting class properties](https://developer.lsst.io/python/numpydoc.html#documenting-class-properties) 6. [Complete example module](https://developer.lsst.io/python/numpydoc.html#complete-example-module) 7. [numpydoc example](https://numpydoc.readthedocs.io/en/latest/example.html#example) ::: ## Tooling There are various tools available that can help you enhance the creation, management, and deployment of your project documentation. ### Sphinx Sphinx is a versatile documentation tool that is well-suited for documenting Python projects due to an easy integration with Python's docstrings. Its capabilities extend beyond Python, making it a great solution for creating comprehensive documentation for projects in various programming languages, such as MATLAB. Some key features of Sphinx include: - Cross-referencing code and documentation across files. - Automatic generation of documentation from docstrings. - Syntax highlighting for code examples. - Support for extensions and custom themes. - Multiple output formats. #### Getting started with Sphinx :::success :bulb: To get started with sphinx, we recommend the [Coderefinery lesson on Spinx and Markdown](https://coderefinery.github.io/documentation/sphinx/) ::: 1. **Install dependency:** You can [install Sphinx](https://www.sphinx-doc.org/en/master/usage/installation.html) in various ways, either through `apt-get` for Linux, Homebrew for macOS, or through Chocolatey for Windows. Assuming you have Python on your machine you can install it through `conda` or `pip`. 2. **Setup documentation:** Create a directory for your documentation (`/docs`), and run `sphinx-quickstart` in that directory. The default answers to the questions are fine. 3. **Configure sphinx:** Once you have the `conf.py` and `index.rst` files, which you will need to modify further. The `index.rst` file acts as the front page of your documentation and the root of the table of contents. The `conf.py` file is the main configuration file for the Sphinx documentation. It holds all your extensions and controls various aspects of the build process that can be customized to suit your needs. For example, `sphinx.ext.autodoc` is used for pulling documentation from docstrings, and `sphinx.ext.mathjax` for displaying mathematical content. - [Built-in extensions](https://www.sphinx-doc.org/en/master/usage/extensions/index.html) - [Third-party extensions](https://github.com/sphinx-contrib/) 5. **Write content:**"Add content to your documentation. In addition to reStructureText, sphinx also integrates with Markdown documentation through the [MyST parser](https://myst-parser.readthedocs.io/en/latest/). 6. **Build documentation:** Once you have added the documentation files, you can build the documentation from the folder `/docs` with `sphinx-build . _build/` or `make html`. 8. **Further customization:** You can customize the look of your documentation by changing [themes](https://sphinx-themes.org/) in the `conf.py` file. ::::success **Templates** :::spoiler `config.py` {%hackmd SElxW_yfRh-Jg3GRDYBbvQ %} ::: :::spoiler `requirements.txt` ```markdown # Sphinx extensions sphinx sphinxcontrib-matlabdomain # Only for matlab source code sphinx-tabs sphinx-copybutton # MyST parser myst-parser linkify-it-py # Themes pydata-sphinx-theme sphinx-book-theme sphinx-rtd-theme ``` ::: :::: :::info **Example repositories using sphinx for Python:** - [Python's official documentation is created using Sphinx](https://docs.python.org/3/) - [Read The Docs](https://docs.readthedocs.io/en/stable/) - the platform for hosting documentation is itself documented using Sphinx. - [NumPy](https://numpy.org/doc/stable/) ::: #### Sphinx-matlabdomain For documenting MATLAB projects, Sphinx can be extended for MATLAB. The [**sphinxcontrib-matlabdomain**](https://pypi.org/project/sphinxcontrib-matlabdomain/) extension allows Sphinx to interpret and render MATLAB specific documentation. The extension can be installed through `pip install sphinxcontrib-matlabdomain` and added the extension to the `conf.py` file. :::info **Example repositories using sphinx for MATLAB:** - [ENIGMA Toolbox](https://enigma-toolbox.readthedocs.io/en/latest/) - provides documentation in both Python and MATLAB, generated by Sphinx and hosted using Read the Docs. - [Cobra Toolbox](https://opencobra.github.io/cobratoolbox/stable/index.html) ::: #### Sphinx autodoc Once the sphinx `config.py` is set up, you can generate the API reference documentation by using the [sphinx-autodoc extension](https://www.sphinx-doc.org/en/master/usage/extensions/autodoc.html). By creating `.rst` files with the autodoc syntax, sphinx will build the API reference. Example of creating docstrings for all scripts in a module (folder): ```markdown Flightpaths module ================== .. automodule:: src.common.flightpaths :members: :undoc-members: :show-inheritance: ``` ### Quarto Quarto allows to create dynamic documents, presentations, reports, websites, and more, using multiple programming languages, including Python, R, and Julia. It enables the inclusion of interactive visualizations, equations, and other multimedia elements directly in the documents. :::info :arrow_forward: The AWE Developer guides are created with Quarto: https://awegroup.github.io/developer-guide/. ::: #### Getting started 1. **Downloading:** You can download the installer for your operating system from the [Quarto website](https://quarto.org/docs/get-started/). 2. **Running Quarto:** You can run Quarto either from your command line or from VS Code, JupyterLab, RStudio, or any text editor. For VS Code you will need to install a Quarto extension. It is a stand-alone application and does not require Python. 3. **Markdown flavour:** Quarto projects use `.qmd` files which are a Markdown flavour. :::spoiler Basic structure of a Quarto file ``` --- title: "Your Document Title" format: html # Or pdf, word, etc. --- # Introduction Some text... ## Section 1 Some text... ```{python} # This is a code block import pandas as pd data = pd.read_csv("data.csv") print(data.head()) ``` ## Section 2 Some more text.... ``` ::: 4. **Adding content:** Write your text using standard Markdown syntax and add [code blocks](https://quarto.org/docs/authoring/markdown-basics.html#source-code). 5. **Building documentation** - You can watch a file or directory for changes and automatically re-render with `quarto preview your-file-name.qmd`, which is useful to see live updates. - To compile a Quarto document, use `quarto render your-file-name.qmd`. This command converts your `.qmd` file into the output format specified in the file’s header (e.g., HTML, PDF). 6. **Additional features:** - Quarto supports cross-referencing figures, tables, and other elements within your document. You can also use BibTeX for citations. - You can have interactive components for web outputs (e.g. embeded Plotly charts). - Extensive options for custom styles and layouts. 7. **Publishing**: Quarto documents are portable and can be shared as is, allowing others to compile them on their own systems or published by hosting the output files on a server like GitHub Pages. Examples: [Quarto gallery](https://quarto.org/docs/gallery/) :::info :spiral_note_pad: **Note:** In order to create PDFs you will need to install a LaTeX engine if you do not have one installed already. You could use a lightweight distribution like TinyTeX, which you can install with `quarto install tool tinytex`. ::: :::success :books: **Further reading:** - [Getting started with Quarto](https://quarto.org/docs/get-started/) - [Comprehensive guide to using Quarto](https://quarto.org/docs/guide/) - [Carpentries Incubator - Introduction to Working with Quarto documents](https://carpentries-incubator.github.io/reproducible-publications-quarto/02-quarto/03-quarto-documents/index.html) ::: ### Jupyter Book Jupyter Book uses Sphinx to convert notebooks and Markdown documents into interactive and navigable websites, similar to Quarto. - Jupyter Book primarily focuses on integrating Jupyter notebooks with Sphinx’s documentation capabilities, enabling features like cell execution and output caching directly within the documentation. - Quarto offers broader language support and emphasizes reproducibility across these environments. :::success :bulb: The [TU Delft OPEN Interactive Textbooks](https://textbooks.open.tudelft.nl/textbooks/catalog/category/interactive) platform uses JupyterBook to create textbooks. ::: #### Features: - Jupyter Book can integrate outputs by allowing code execution within the content, making it ideal for tutorials, courses, and technical documentation that require live examples. - Jupyter Book uses Markdown for Jupyter (MyST) which extends the traditional Markdown syntax to include features normally available in reStructuredText (reST). **This makes it easier to include complex formatting and dynamic content directly in Markdown files.** - Jupyter Book can execute notebook cells and cache outputs. This means that content including code outputs can be generated once and reused. #### Getting started: JupyterBook has extensive documentation on getting started with building a book: https://jupyterbook.org/en/stable/start/your-first-book.html#. :::info :bulb: Essentially, both Jupyter Books and Quarto offer similar features, but a significant advantage of Jupyter Books is its support for MATLAB integration, which Quarto does not currently offer. ::: :::success :books: **Further reading:** - [How Jupyter Book and Sphinx relate to one another](https://jupyterbook.org/en/stable/explain/sphinx.html) ::: ## Hosting Once you have created your documentation either in Sphinx, Quarto or Jupyter Book, you can host it online. There are several platforms available that can help you deploy and manage your documentation. ### GitHub Pages GitHub Pages provides a simple way to host your documentation, especially if your project is already on GitHub. It is straightforward setting up GitHub Pages: 1. Within your repository, go to the repository settings and find the GitHub Pages section. 2. Choose your publishing source (you should have a docs folder or a dedicated branch). It also supports custom domains, which might be relevant to the AWE group, and you can configure this by adding a `CNAME` file to your directory. :::success :books: **Further reading:** - [GitHub Pages](https://pages.github.com) - [Configuring a custom domain for your GitHub Pages site]( https://docs.github.com/en/pages/configuring-a-custom-domain-for-your-github-pages-site) - [Coderefinery - Deploying Sphinx documentation to GitHub Pages](https://coderefinery.github.io/documentation/gh_workflow/) - [ Coderefinery - Hosting websites/homepages on GitHub Pages](https://coderefinery.github.io/documentation/gh-pages/) ::: ### MkDocs MkDocs is a hosting platform that uses Markdown for all documentation, simplifying the writing process, and is configured with a single YAML file. Getting started: 1. You can install it through pip (`pip install mkdocs`). Then you can initialize your MkDocs project by running `mkdocs new your_project_name`. 2. Place your Markdown documentation in your docs directory and define the structure in your `mkdocs.yml` file. 3. You can prieview your site locally and see live updates as you make changes by running `mkdocs serve`. 4. When you want to publish your documentation run `mkdocs build`. 5. MkDocs is designed to be hosted on almost any static file server and works well with GitHub Pages. - [MkDocs](https://www.mkdocs.org) official site that includes a Getting Started and User Guide. ### Read the Docs [Read the Docs]( https://readthedocs.org/) is a platform that simplifies the hosting of documentation. It integrates particularly well with Sphinx, allowing for the automatic building and hosting of your project’s documentation. Read the Docs supports automatic builds and version control, enabling users to switch between different versions of the documentation to match the version of the software they are using. Additionally, it offers support for custom domains. It offers a free service for open-source projects, which includes features like version control and automatic builds. However, for private or commercial projects, Read the Docs requires a paid subscription. The set-up is also extremely simple: 1. Sign up and import your documentation repository. 2. Connect to your GitHub account. 3. Configure your project settings within their dashboard :::success :books: **Further reading:** - [Read the Docs: documentation simplified](https://docs.readthedocs.io/en/stable/) - [Read the Docs tutorial](https://docs.readthedocs.io/en/stable/tutorial/index.html) ::: ## Resources :::spoiler References used in this guide - [Documenting Python code](https://realpython.com/documenting-python-code/) - [Python's PEP 257](https://peps.python.org/pep-0257/) - [API reference build from docstrings](https://developer.lsst.io/python/numpydoc.html) - [Numpydoc style guide](https://numpydoc.readthedocs.io/en/latest/format.html) - [Extended summary in docstrings](https://developer.lsst.io/python/numpydoc.html#py-docstring-extended-summary) - [Describing parameters](https://developer.lsst.io/python/numpydoc.html#py-docstring-parameters) - [Documenting Returns](https://developer.lsst.io/python/numpydoc.html#py-docstring-returns) - [Documenting Yields](https://developer.lsst.io/python/numpydoc.html#yields) - [Documenting Raises](https://developer.lsst.io/python/numpydoc.html#raises) - [Documenting modules](https://developer.lsst.io/python/numpydoc.html#documenting-modules) - [Documenting classes](https://developer.lsst.io/python/numpydoc.html#documenting-classes) - [Documenting methods and functions](https://developer.lsst.io/python/numpydoc.html#documenting-methods-and-functions) - [Documenting constants and class attributes](https://developer.lsst.io/python/numpydoc.html#documenting-constants-and-class-attributes) - [Documenting class properties](https://developer.lsst.io/python/numpydoc.html#documenting-class-properties) - [Complete example module](https://developer.lsst.io/python/numpydoc.html#complete-example-module) - [Numpydoc example](https://numpydoc.readthedocs.io/en/latest/example.html#example) - [Getting started with Sphinx](https://docs.readthedocs.io/en/stable/intro/getting-started-with-sphinx.html) - [Coderefinery Sphinx and Markdown](https://coderefinery.github.io/documentation/sphinx/) - [Sphinx official documentation](https://www.sphinx-doc.org/en/master/) - [Sphinxcontrib-matlabdomain](https://pypi.org/project/sphinxcontrib-matlabdomain/) - [Getting started with Quarto](https://quarto.org/docs/get-started/) - [Comprehensive guide to using Quarto](https://quarto.org/docs/guide/) - [Carpentries Incubator - Introduction to Working with Quarto documents](https://carpentries-incubator.github.io/reproducible-publications-quarto/02-quarto/03-quarto-documents/index.html) - [Quarto gallery](https://quarto.org/docs/gallery/) - [How Jupyter Book and Sphinx relate to one another](https://jupyterbook.org/en/stable/explain/sphinx.html) - [GitHub Pages](https://pages.github.com) - [Configuring a custom domain for your GitHub Pages site](https://docs.github.com/en/pages/configuring-a-custom-domain-for-your-github-pages-site) - [Coderefinery - Deploying Sphinx documentation to GitHub Pages](https://coderefinery.github.io/documentation/gh_workflow/) - [Coderefinery - Hosting websites/homepages on GitHub Pages](https://coderefinery.github.io/documentation/gh-pages/) - [MkDocs](https://www.mkdocs.org) - [Read the Docs](https://readthedocs.org/) - [Read the Docs: documentation simplified](https://docs.readthedocs.io/en/stable/) - [Read the Docs tutorial](https://docs.readthedocs.io/en/stable/tutorial/index.html) :::

Import from clipboard

Paste your markdown or webpage here...

Advanced permission required

Your current role can only read. Ask the system administrator to acquire write and comment permission.

This team is disabled

Sorry, this team is disabled. You can't edit this note.

This note is locked

Sorry, only owner can edit this note.

Reach the limit

Sorry, you've reached the max length this note can be.
Please reduce the content or divide it to more notes, thank you!

Import from Gist

Import from Snippet

or

Export to Snippet

Are you sure?

Do you really want to delete this note?
All users will lose their connection.

Create a note from template

Create a note from template

Oops...
This template has been removed or transferred.
Upgrade
All
  • All
  • Team
No template.

Create a template

Upgrade

Delete template

Do you really want to delete this template?
Turn this template into a regular note and keep its content, versions, and comments.

This page need refresh

You have an incompatible client version.
Refresh to update.
New version available!
See releases notes here
Refresh to enjoy new features.
Your user state has changed.
Refresh to load new user state.

Sign in

Forgot password

or

By clicking below, you agree to our terms of service.

Sign in via Facebook Sign in via Twitter Sign in via GitHub Sign in via Dropbox Sign in with Wallet
Wallet ( )
Connect another wallet

New to HackMD? Sign up

Help

  • English
  • 中文
  • Français
  • Deutsch
  • 日本語
  • Español
  • Català
  • Ελληνικά
  • Português
  • italiano
  • Türkçe
  • Русский
  • Nederlands
  • hrvatski jezik
  • język polski
  • Українська
  • हिन्दी
  • svenska
  • Esperanto
  • dansk

Documents

Help & Tutorial

How to use Book mode

Slide Example

API Docs

Edit in VSCode

Install browser extension

Contacts

Feedback

Discord

Send us email

Resources

Releases

Pricing

Blog

Policy

Terms

Privacy

Cheatsheet

Syntax Example Reference
# Header Header 基本排版
- Unordered List
  • Unordered List
1. Ordered List
  1. Ordered List
- [ ] Todo List
  • Todo List
> Blockquote
Blockquote
**Bold font** Bold font
*Italics font* Italics font
~~Strikethrough~~ Strikethrough
19^th^ 19th
H~2~O H2O
++Inserted text++ Inserted text
==Marked text== Marked text
[link text](https:// "title") Link
![image alt](https:// "title") Image
`Code` Code 在筆記中貼入程式碼
```javascript
var i = 0;
```
var i = 0;
:smile: :smile: Emoji list
{%youtube youtube_id %} Externals
$L^aT_eX$ LaTeX
:::info
This is a alert area.
:::

This is a alert area.

Versions and GitHub Sync
Get Full History Access

  • Edit version name
  • Delete

revision author avatar     named on  

More Less

Note content is identical to the latest version.
Compare
    Choose a version
    No search result
    Version not found
Sign in to link this note to GitHub
Learn more
This note is not linked with GitHub
 

Feedback

Submission failed, please try again

Thanks for your support.

On a scale of 0-10, how likely is it that you would recommend HackMD to your friends, family or business associates?

Please give us some advice and help us improve HackMD.

 

Thanks for your feedback

Remove version name

Do you want to remove this version name and description?

Transfer ownership

Transfer to
    Warning: is a public team. If you transfer note to this team, everyone on the web can find and read this note.

      Link with GitHub

      Please authorize HackMD on GitHub
      • Please sign in to GitHub and install the HackMD app on your GitHub repo.
      • HackMD links with GitHub through a GitHub App. You can choose which repo to install our App.
      Learn more  Sign in to GitHub

      Push the note to GitHub Push to GitHub Pull a file from GitHub

        Authorize again
       

      Choose which file to push to

      Select repo
      Refresh Authorize more repos
      Select branch
      Select file
      Select branch
      Choose version(s) to push
      • Save a new version and push
      • Choose from existing versions
      Include title and tags
      Available push count

      Pull from GitHub

       
      File from GitHub
      File from HackMD

      GitHub Link Settings

      File linked

      Linked by
      File path
      Last synced branch
      Available push count

      Danger Zone

      Unlink
      You will no longer receive notification when GitHub file changes after unlink.

      Syncing

      Push failed

      Push successfully