diff --git a/.cspell.json b/.cspell.json new file mode 100755 index 0000000..b798d29 --- /dev/null +++ b/.cspell.json @@ -0,0 +1,16 @@ +{ + "ignorePaths": [ + "**/node_modules/**", + "**/vscode-extension/**", + "**/.git/**", + "**/.pnpm-lock.json", + ".vscode", + "megalinter", + "package-lock.json", + "report" + ], + "language": "en", + "noConfigSearch": true, + "words": ["megalinter", "oxsecurity"], + "version": "0.2" +} diff --git a/.envrc b/.envrc old mode 100644 new mode 100755 index 735a2ed..6209b89 --- a/.envrc +++ b/.envrc @@ -7,7 +7,7 @@ if [[ -d ".venv" ]]; then export PATH="$VIRTUAL_ENV/bin:$PATH" # Verify we're using the right Python - if [[ -x "$VIRTUAL_ENV/bin/python" ]]; then + if [[ -x "$VIRTUAL_ENV/bin/python3.14" ]]; then export PYTHONPATH="$PWD/src:$PYTHONPATH" echo "Activated virtual environment: $VIRTUAL_ENV" else @@ -18,13 +18,19 @@ else echo "Warning: No .venv directory found" fi -# Run uv sync to update packages -if command -v uv &> /dev/null; then - echo "Running uv sync..." - uv sync - echo "Packages updated successfully" +# Run pip to update packages inside the venv +echo "Running pip update..." +"$VIRTUAL_ENV/bin/python3.14" -m pip install --upgrade pip +"$VIRTUAL_ENV/bin/python3.14" -m pip install --no-cache-dir -r requirements.txt +"$VIRTUAL_ENV/bin/python3.14" -m pip freeze > requirements.txt +sed -E -i '' 's/==/>=/1' requirements.txt + +# Update requirements.txt with pinned versions only if installs succeeded +if [[ $? -eq 0 ]]; then + "$VIRTUAL_ENV/bin/python3.14" -m pip freeze > requirements.txt + echo "Packages updated successfully" else - echo "Warning: uv not found" + echo "pip install failed; requirements.txt not updated" fi echo "Environment configured with direnv" diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml old mode 100644 new mode 100755 diff --git a/.github/workflows/lint.yml b/.github/workflows/lint.yml old mode 100644 new mode 100755 diff --git a/.github/workflows/mega-linter.yml b/.github/workflows/mega-linter.yml new file mode 100755 index 0000000..0582f7c --- /dev/null +++ b/.github/workflows/mega-linter.yml @@ -0,0 +1,206 @@ +# MegaLinter GitHub Action configuration file +# More info at https://megalinter.io +--- +name: MegaLinter + +# Trigger mega-linter at every push. Action will also be visible from +# Pull Requests to main +on: + # Comment this line to trigger action only on pull-requests + # (not recommended if you don't pay for GH Actions) + push: + + pull_request: + branches: + - main + - master + +# Comment env block if you do not want to apply fixes +env: + # Apply linter fixes configuration + # + # When active, APPLY_FIXES must also be defined as environment variable + # (in github/workflows/mega-linter.yml or other CI tool) + APPLY_FIXES: none + + # Decide which event triggers application of fixes in a commit or a PR + # (pull_request, push, all) + APPLY_FIXES_EVENT: pull_request + + # If APPLY_FIXES is used, defines if the fixes are directly committed (commit) + # or posted in a PR (pull_request) + APPLY_FIXES_MODE: commit + +concurrency: + group: ${{ github.ref }}-${{ github.workflow }} + cancel-in-progress: true + +jobs: + megalinter: + name: MegaLinter + runs-on: ubuntu-latest + + # Give the default GITHUB_TOKEN write permission to commit and push, comment + # issues, and post new Pull Requests; remove the ones you do not need + permissions: + contents: write + issues: write + pull-requests: write + + steps: + # Git Checkout + - name: Checkout Code + uses: actions/checkout@v6 + with: + token: ${{ secrets.PAT || secrets.GITHUB_TOKEN }} + + # If you use VALIDATE_ALL_CODEBASE = true, you can remove this line to + # improve performance + fetch-depth: 0 + + # MegaLinter + - name: MegaLinter + + # You can override MegaLinter flavor used to have faster performances + # More info at https://megalinter.io/latest/flavors/ + uses: oxsecurity/megalinter/flavors/documentation@v9 + + id: ml + + # All available variables are described in documentation + # https://megalinter.io/latest/config-file/ + env: + # Validates all source when push on main, else just the git diff with + # main. Override with true if you always want to lint all sources + # + # To validate the entire codebase, set to: + # VALIDATE_ALL_CODEBASE: true + # + # To validate only diff with main, set to: + # VALIDATE_ALL_CODEBASE: >- + # ${{ + # github.event_name == 'push' && + # github.ref == 'refs/heads/main' + # }} + VALIDATE_ALL_CODEBASE: true + + # Disable LLM Advisor for bot PRs (dependabot, renovate, etc.) + LLM_ADVISOR_ENABLED: >- + ${{ + github.event_name != 'pull_request' || + (github.event.pull_request.user.login != 'dependabot[bot]' && + github.event.pull_request.user.login != 'renovate[bot]' && + github.event.pull_request.user.login != 'github-actions[bot]' && + !startsWith(github.event.pull_request.user.login, 'dependabot') && + !startsWith(github.event.pull_request.user.login, 'renovate')) + }} + + GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} + + # Uncomment to use ApiReporter (Grafana) + # API_REPORTER: true + # API_REPORTER_URL: ${{ secrets.API_REPORTER_URL }} + # API_REPORTER_BASIC_AUTH_USERNAME: ${{ secrets.API_REPORTER_BASIC_AUTH_USERNAME }} + # API_REPORTER_BASIC_AUTH_PASSWORD: ${{ secrets.API_REPORTER_BASIC_AUTH_PASSWORD }} + # API_REPORTER_METRICS_URL: ${{ secrets.API_REPORTER_METRICS_URL }} + # API_REPORTER_METRICS_BASIC_AUTH_USERNAME: ${{ secrets.API_REPORTER_METRICS_BASIC_AUTH_USERNAME }} + # API_REPORTER_METRICS_BASIC_AUTH_PASSWORD: ${{ secrets.API_REPORTER_METRICS_BASIC_AUTH_PASSWORD }} + # API_REPORTER_DEBUG: false + + # ADD YOUR CUSTOM ENV VARIABLES HERE TO OVERRIDE VALUES OF + # .mega-linter.yml AT THE ROOT OF YOUR REPOSITORY + + # Upload MegaLinter artifacts + - name: Archive production artifacts + uses: actions/upload-artifact@v4 + if: success() || failure() + with: + name: MegaLinter reports + include-hidden-files: "true" + path: | + megalinter-reports + mega-linter.log + + # Create pull request if applicable + # (for now works only on PR from same repository, not from forks) + - name: Create Pull Request with applied fixes + uses: peter-evans/create-pull-request@v7 + id: cpr + if: >- + steps.ml.outputs.has_updated_sources == 1 && + ( + env.APPLY_FIXES_EVENT == 'all' || + env.APPLY_FIXES_EVENT == github.event_name + ) && + env.APPLY_FIXES_MODE == 'pull_request' && + ( + github.event_name == 'push' || + github.event.pull_request.head.repo.full_name == github.repository + ) && + !contains(github.event.head_commit.message, 'skip fix') + with: + token: ${{ secrets.PAT || secrets.GITHUB_TOKEN }} + commit-message: "[MegaLinter] Apply linters automatic fixes" + title: "[MegaLinter] Apply linters automatic fixes" + labels: bot + + - name: Create PR output + if: >- + steps.ml.outputs.has_updated_sources == 1 && + ( + env.APPLY_FIXES_EVENT == 'all' || + env.APPLY_FIXES_EVENT == github.event_name + ) && + env.APPLY_FIXES_MODE == 'pull_request' && + ( + github.event_name == 'push' || + github.event.pull_request.head.repo.full_name == github.repository + ) && + !contains(github.event.head_commit.message, 'skip fix') + run: | + echo "PR Number - ${{ steps.cpr.outputs.pull-request-number }}" + echo "PR URL - ${{ steps.cpr.outputs.pull-request-url }}" + + # Push new commit if applicable + # (for now works only on PR from same repository, not from forks) + - name: Prepare commit + if: >- + steps.ml.outputs.has_updated_sources == 1 && + ( + env.APPLY_FIXES_EVENT == 'all' || + env.APPLY_FIXES_EVENT == github.event_name + ) && + env.APPLY_FIXES_MODE == 'commit' && + github.ref != 'refs/heads/main' && + ( + github.event_name == 'push' || + github.event.pull_request.head.repo.full_name == github.repository + ) && + !contains(github.event.head_commit.message, 'skip fix') + run: sudo chown -Rc $UID .git/ + + - name: Commit and push applied linter fixes + uses: stefanzweifel/git-auto-commit-action@v7 + if: >- + steps.ml.outputs.has_updated_sources == 1 && + ( + env.APPLY_FIXES_EVENT == 'all' || + env.APPLY_FIXES_EVENT == github.event_name + ) && + env.APPLY_FIXES_MODE == 'commit' && + github.ref != 'refs/heads/main' && + ( + github.event_name == 'push' || + github.event.pull_request.head.repo.full_name == github.repository + ) && + !contains(github.event.head_commit.message, 'skip fix') + with: + branch: >- + ${{ + github.event.pull_request.head.ref || + github.head_ref || + github.ref + }} + commit_message: "[MegaLinter] Apply linters fixes" + commit_user_name: megalinter-bot + commit_user_email: 129584137+megalinter-bot@users.noreply.github.com diff --git a/.gitignore b/.gitignore old mode 100644 new mode 100755 index 81fb807..193e168 --- a/.gitignore +++ b/.gitignore @@ -136,4 +136,5 @@ cython_debug/ # uv lock files uv.lock *.pyc -.python-version \ No newline at end of file +.python-version +megalinter-reports/ diff --git a/.gitlab-ci.yml b/.gitlab-ci.yml deleted file mode 100644 index 1990e4f..0000000 --- a/.gitlab-ci.yml +++ /dev/null @@ -1,17 +0,0 @@ -pages: - stage: deploy - image: python:latest - variables: - GIT_LFS_SKIP_SMUDGE: "1" - script: - - pip install -r requirements.txt - - mkdocs build --site-dir public - cache: - key: ${CI_COMMIT_REF_SLUG} - paths: - - .cache/ - artifacts: - paths: - - public - rules: - - if: '$CI_COMMIT_BRANCH == $CI_DEFAULT_BRANCH' diff --git a/.jscpd.json b/.jscpd.json new file mode 100755 index 0000000..2cee5f5 --- /dev/null +++ b/.jscpd.json @@ -0,0 +1,15 @@ +{ + "threshold": 0, + "reporters": ["html", "markdown"], + "ignore": [ + "**/node_modules/**", + "**/.git/**", + "**/.rbenv/**", + "**/.venv/**", + "**/*cache*/**", + "**/.github/**", + "**/.idea/**", + "**/report/**", + "**/*.svg" + ] +} diff --git a/.mega-linter.yml b/.mega-linter.yml new file mode 100755 index 0000000..0b748c5 --- /dev/null +++ b/.mega-linter.yml @@ -0,0 +1,24 @@ +# Configuration file for MegaLinter +# +# See all available variables at https://megalinter.io/latest/config-file/ and in +# linters documentation + +# all, none, or list of linter keys +APPLY_FIXES: none + +# If you use ENABLE variable, all other languages/formats/tooling-formats will +# be disabled by default +# ENABLE: + +# If you use ENABLE_LINTERS variable, all other linters will be disabled by +# default +# ENABLE_LINTERS: + +# DISABLE: + # - COPYPASTE # Uncomment to disable checks of excessive copy-pastes + # - SPELL # Uncomment to disable checks of spelling mistakes + +SHOW_ELAPSED_TIME: true + +# Uncomment if you want MegaLinter to detect errors but not block CI to pass +# DISABLE_ERRORS: true diff --git a/.vale.ini b/.vale.ini old mode 100644 new mode 100755 diff --git a/Dockerfile b/Dockerfile old mode 100644 new mode 100755 diff --git a/docs/src/stylesheets/_colours.css b/content/assets/css/_colours.css old mode 100644 new mode 100755 similarity index 100% rename from docs/src/stylesheets/_colours.css rename to content/assets/css/_colours.css diff --git a/docs/src/stylesheets/_faces.css b/content/assets/css/_faces.css old mode 100644 new mode 100755 similarity index 100% rename from docs/src/stylesheets/_faces.css rename to content/assets/css/_faces.css diff --git a/docs/src/stylesheets/_fonts.css b/content/assets/css/_fonts.css old mode 100644 new mode 100755 similarity index 100% rename from docs/src/stylesheets/_fonts.css rename to content/assets/css/_fonts.css diff --git a/docs/src/stylesheets/_hero-text.css b/content/assets/css/_hero-text.css old mode 100644 new mode 100755 similarity index 100% rename from docs/src/stylesheets/_hero-text.css rename to content/assets/css/_hero-text.css diff --git a/docs/src/stylesheets/_index.css b/content/assets/css/_index.css old mode 100644 new mode 100755 similarity index 100% rename from docs/src/stylesheets/_index.css rename to content/assets/css/_index.css diff --git a/docs/src/stylesheets/_loader.css b/content/assets/css/_loader.css old mode 100644 new mode 100755 similarity index 100% rename from docs/src/stylesheets/_loader.css rename to content/assets/css/_loader.css diff --git a/docs/src/stylesheets/_media-player.css b/content/assets/css/_media-player.css old mode 100644 new mode 100755 similarity index 100% rename from docs/src/stylesheets/_media-player.css rename to content/assets/css/_media-player.css diff --git a/docs/src/stylesheets/_page-resume.css b/content/assets/css/_page-resume.css old mode 100644 new mode 100755 similarity index 100% rename from docs/src/stylesheets/_page-resume.css rename to content/assets/css/_page-resume.css diff --git a/docs/src/stylesheets/_size.css b/content/assets/css/_size.css old mode 100644 new mode 100755 similarity index 100% rename from docs/src/stylesheets/_size.css rename to content/assets/css/_size.css diff --git a/docs/src/stylesheets/g.css b/content/assets/css/g.css old mode 100644 new mode 100755 similarity index 100% rename from docs/src/stylesheets/g.css rename to content/assets/css/g.css diff --git a/docs/src/stylesheets/index.css b/content/assets/css/index.css old mode 100644 new mode 100755 similarity index 100% rename from docs/src/stylesheets/index.css rename to content/assets/css/index.css diff --git a/docs/src/fonts/dm-mono/DMMono-Italic.woff2 b/content/assets/fonts/dm-mono/DMMono-Italic.woff2 old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/dm-mono/DMMono-Italic.woff2 rename to content/assets/fonts/dm-mono/DMMono-Italic.woff2 diff --git a/docs/src/fonts/dm-mono/DMMono-Light.woff2 b/content/assets/fonts/dm-mono/DMMono-Light.woff2 old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/dm-mono/DMMono-Light.woff2 rename to content/assets/fonts/dm-mono/DMMono-Light.woff2 diff --git a/docs/src/fonts/dm-mono/DMMono-LightItalic.woff2 b/content/assets/fonts/dm-mono/DMMono-LightItalic.woff2 old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/dm-mono/DMMono-LightItalic.woff2 rename to content/assets/fonts/dm-mono/DMMono-LightItalic.woff2 diff --git a/docs/src/fonts/dm-mono/DMMono-Medium.woff2 b/content/assets/fonts/dm-mono/DMMono-Medium.woff2 old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/dm-mono/DMMono-Medium.woff2 rename to content/assets/fonts/dm-mono/DMMono-Medium.woff2 diff --git a/docs/src/fonts/dm-mono/DMMono-MediumItalic.woff2 b/content/assets/fonts/dm-mono/DMMono-MediumItalic.woff2 old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/dm-mono/DMMono-MediumItalic.woff2 rename to content/assets/fonts/dm-mono/DMMono-MediumItalic.woff2 diff --git a/docs/src/fonts/dm-mono/DMMono-Regular.woff2 b/content/assets/fonts/dm-mono/DMMono-Regular.woff2 old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/dm-mono/DMMono-Regular.woff2 rename to content/assets/fonts/dm-mono/DMMono-Regular.woff2 diff --git a/content/assets/fonts/fira-code/FiraCode-VariableFont_wght.ttf b/content/assets/fonts/fira-code/FiraCode-VariableFont_wght.ttf new file mode 100755 index 0000000..d7077f1 Binary files /dev/null and b/content/assets/fonts/fira-code/FiraCode-VariableFont_wght.ttf differ diff --git a/content/assets/fonts/fira-code/OFL.txt b/content/assets/fonts/fira-code/OFL.txt new file mode 100755 index 0000000..0e38b88 --- /dev/null +++ b/content/assets/fonts/fira-code/OFL.txt @@ -0,0 +1,93 @@ +Copyright 2014-2020 The Fira Code Project Authors (https://github.com/tonsky/FiraCode) + +This Font Software is licensed under the SIL Open Font License, Version 1.1. +This license is copied below, and is also available with a FAQ at: +https://openfontlicense.org + + +----------------------------------------------------------- +SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007 +----------------------------------------------------------- + +PREAMBLE +The goals of the Open Font License (OFL) are to stimulate worldwide +development of collaborative font projects, to support the font creation +efforts of academic and linguistic communities, and to provide a free and +open framework in which fonts may be shared and improved in partnership +with others. + +The OFL allows the licensed fonts to be used, studied, modified and +redistributed freely as long as they are not sold by themselves. The +fonts, including any derivative works, can be bundled, embedded, +redistributed and/or sold with any software provided that any reserved +names are not used by derivative works. The fonts and derivatives, +however, cannot be released under any other type of license. The +requirement for fonts to remain under this license does not apply +to any document created using the fonts or their derivatives. + +DEFINITIONS +"Font Software" refers to the set of files released by the Copyright +Holder(s) under this license and clearly marked as such. This may +include source files, build scripts and documentation. + +"Reserved Font Name" refers to any names specified as such after the +copyright statement(s). + +"Original Version" refers to the collection of Font Software components as +distributed by the Copyright Holder(s). + +"Modified Version" refers to any derivative made by adding to, deleting, +or substituting -- in part or in whole -- any of the components of the +Original Version, by changing formats or by porting the Font Software to a +new environment. + +"Author" refers to any designer, engineer, programmer, technical +writer or other person who contributed to the Font Software. + +PERMISSION & CONDITIONS +Permission is hereby granted, free of charge, to any person obtaining +a copy of the Font Software, to use, study, copy, merge, embed, modify, +redistribute, and sell modified and unmodified copies of the Font +Software, subject to the following conditions: + +1) Neither the Font Software nor any of its individual components, +in Original or Modified Versions, may be sold by itself. + +2) Original or Modified Versions of the Font Software may be bundled, +redistributed and/or sold with any software, provided that each copy +contains the above copyright notice and this license. These can be +included either as stand-alone text files, human-readable headers or +in the appropriate machine-readable metadata fields within text or +binary files as long as those fields can be easily viewed by the user. + +3) No Modified Version of the Font Software may use the Reserved Font +Name(s) unless explicit written permission is granted by the corresponding +Copyright Holder. This restriction only applies to the primary font name as +presented to the users. + +4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font +Software shall not be used to promote, endorse or advertise any +Modified Version, except to acknowledge the contribution(s) of the +Copyright Holder(s) and the Author(s) or with their explicit written +permission. + +5) The Font Software, modified or unmodified, in part or in whole, +must be distributed entirely under this license, and must not be +distributed under any other license. The requirement for fonts to +remain under this license does not apply to any document created +using the Font Software. + +TERMINATION +This license becomes null and void if any of the above conditions are +not met. + +DISCLAIMER +THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT +OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE +COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, +INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL +DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING +FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM +OTHER DEALINGS IN THE FONT SOFTWARE. diff --git a/content/assets/fonts/fira-code/README.txt b/content/assets/fonts/fira-code/README.txt new file mode 100755 index 0000000..06834bb --- /dev/null +++ b/content/assets/fonts/fira-code/README.txt @@ -0,0 +1,67 @@ +Fira Code Variable Font +======================= + +This download contains Fira Code as both a variable font and static fonts. + +Fira Code is a variable font with this axis: + wght + +This means all the styles are contained in a single file: + Fira_Code/FiraCode-VariableFont_wght.ttf + +If your app fully supports variable fonts, you can now pick intermediate styles +that arenβt available as static fonts. Not all apps support variable fonts, and +in those cases you can use the static font files for Fira Code: + Fira_Code/static/FiraCode-Light.ttf + Fira_Code/static/FiraCode-Regular.ttf + Fira_Code/static/FiraCode-Medium.ttf + Fira_Code/static/FiraCode-SemiBold.ttf + Fira_Code/static/FiraCode-Bold.ttf + +Get started +----------- + +1. Install the font files you want to use + +2. Use your app's font picker to view the font family and all the +available styles + +Learn more about variable fonts +------------------------------- + + https://developers.google.com/web/fundamentals/design-and-ux/typography/variable-fonts + https://variablefonts.typenetwork.com + https://medium.com/variable-fonts + +In desktop apps + + https://theblog.adobe.com/can-variable-fonts-illustrator-cc + https://helpx.adobe.com/nz/photoshop/using/fonts.html#variable_fonts + +Online + + https://developers.google.com/fonts/docs/getting_started + https://developer.mozilla.org/en-US/docs/Web/CSS/CSS_Fonts/Variable_Fonts_Guide + https://developer.microsoft.com/en-us/microsoft-edge/testdrive/demos/variable-fonts + +Installing fonts + + MacOS: https://support.apple.com/en-us/HT201749 + Linux: https://www.google.com/search?q=how+to+install+a+font+on+gnu%2Blinux + Windows: https://support.microsoft.com/en-us/help/314960/how-to-install-or-remove-a-font-in-windows + +Android Apps + + https://developers.google.com/fonts/docs/android + https://developer.android.com/guide/topics/ui/look-and-feel/downloadable-fonts + +License +------- +Please read the full license text (OFL.txt) to understand the permissions, +restrictions and requirements for usage, redistribution, and modification. + +You can use them in your products & projects β print or digital, +commercial or otherwise. + +This isn't legal advice, please consider consulting a lawyer and see the full +license for all details. diff --git a/content/assets/fonts/fira-code/static/FiraCode-Bold.ttf b/content/assets/fonts/fira-code/static/FiraCode-Bold.ttf new file mode 100755 index 0000000..82a931f Binary files /dev/null and b/content/assets/fonts/fira-code/static/FiraCode-Bold.ttf differ diff --git a/content/assets/fonts/fira-code/static/FiraCode-Light.ttf b/content/assets/fonts/fira-code/static/FiraCode-Light.ttf new file mode 100755 index 0000000..1de3d2c Binary files /dev/null and b/content/assets/fonts/fira-code/static/FiraCode-Light.ttf differ diff --git a/content/assets/fonts/fira-code/static/FiraCode-Medium.ttf b/content/assets/fonts/fira-code/static/FiraCode-Medium.ttf new file mode 100755 index 0000000..96efc66 Binary files /dev/null and b/content/assets/fonts/fira-code/static/FiraCode-Medium.ttf differ diff --git a/content/assets/fonts/fira-code/static/FiraCode-Regular.ttf b/content/assets/fonts/fira-code/static/FiraCode-Regular.ttf new file mode 100755 index 0000000..3a57209 Binary files /dev/null and b/content/assets/fonts/fira-code/static/FiraCode-Regular.ttf differ diff --git a/content/assets/fonts/fira-code/static/FiraCode-SemiBold.ttf b/content/assets/fonts/fira-code/static/FiraCode-SemiBold.ttf new file mode 100755 index 0000000..ae619e9 Binary files /dev/null and b/content/assets/fonts/fira-code/static/FiraCode-SemiBold.ttf differ diff --git a/content/assets/fonts/fira-sans/FiraSans-Black.ttf b/content/assets/fonts/fira-sans/FiraSans-Black.ttf new file mode 100755 index 0000000..113cd3b Binary files /dev/null and b/content/assets/fonts/fira-sans/FiraSans-Black.ttf differ diff --git a/content/assets/fonts/fira-sans/FiraSans-BlackItalic.ttf b/content/assets/fonts/fira-sans/FiraSans-BlackItalic.ttf new file mode 100755 index 0000000..1c49fb2 Binary files /dev/null and b/content/assets/fonts/fira-sans/FiraSans-BlackItalic.ttf differ diff --git a/content/assets/fonts/fira-sans/FiraSans-Bold.ttf b/content/assets/fonts/fira-sans/FiraSans-Bold.ttf new file mode 100755 index 0000000..e3593fb Binary files /dev/null and b/content/assets/fonts/fira-sans/FiraSans-Bold.ttf differ diff --git a/content/assets/fonts/fira-sans/FiraSans-BoldItalic.ttf b/content/assets/fonts/fira-sans/FiraSans-BoldItalic.ttf new file mode 100755 index 0000000..305b0b8 Binary files /dev/null and b/content/assets/fonts/fira-sans/FiraSans-BoldItalic.ttf differ diff --git a/content/assets/fonts/fira-sans/FiraSans-ExtraBold.ttf b/content/assets/fonts/fira-sans/FiraSans-ExtraBold.ttf new file mode 100755 index 0000000..83744c1 Binary files /dev/null and b/content/assets/fonts/fira-sans/FiraSans-ExtraBold.ttf differ diff --git a/content/assets/fonts/fira-sans/FiraSans-ExtraBoldItalic.ttf b/content/assets/fonts/fira-sans/FiraSans-ExtraBoldItalic.ttf new file mode 100755 index 0000000..54bcaca Binary files /dev/null and b/content/assets/fonts/fira-sans/FiraSans-ExtraBoldItalic.ttf differ diff --git a/content/assets/fonts/fira-sans/FiraSans-ExtraLight.ttf b/content/assets/fonts/fira-sans/FiraSans-ExtraLight.ttf new file mode 100755 index 0000000..2d4e331 Binary files /dev/null and b/content/assets/fonts/fira-sans/FiraSans-ExtraLight.ttf differ diff --git a/content/assets/fonts/fira-sans/FiraSans-ExtraLightItalic.ttf b/content/assets/fonts/fira-sans/FiraSans-ExtraLightItalic.ttf new file mode 100755 index 0000000..ef666ad Binary files /dev/null and b/content/assets/fonts/fira-sans/FiraSans-ExtraLightItalic.ttf differ diff --git a/content/assets/fonts/fira-sans/FiraSans-Italic.ttf b/content/assets/fonts/fira-sans/FiraSans-Italic.ttf new file mode 100755 index 0000000..27d32ed Binary files /dev/null and b/content/assets/fonts/fira-sans/FiraSans-Italic.ttf differ diff --git a/content/assets/fonts/fira-sans/FiraSans-Light.ttf b/content/assets/fonts/fira-sans/FiraSans-Light.ttf new file mode 100755 index 0000000..663d1de Binary files /dev/null and b/content/assets/fonts/fira-sans/FiraSans-Light.ttf differ diff --git a/content/assets/fonts/fira-sans/FiraSans-LightItalic.ttf b/content/assets/fonts/fira-sans/FiraSans-LightItalic.ttf new file mode 100755 index 0000000..d1b1fc5 Binary files /dev/null and b/content/assets/fonts/fira-sans/FiraSans-LightItalic.ttf differ diff --git a/content/assets/fonts/fira-sans/FiraSans-Medium.ttf b/content/assets/fonts/fira-sans/FiraSans-Medium.ttf new file mode 100755 index 0000000..001ebe7 Binary files /dev/null and b/content/assets/fonts/fira-sans/FiraSans-Medium.ttf differ diff --git a/content/assets/fonts/fira-sans/FiraSans-MediumItalic.ttf b/content/assets/fonts/fira-sans/FiraSans-MediumItalic.ttf new file mode 100755 index 0000000..b7640be Binary files /dev/null and b/content/assets/fonts/fira-sans/FiraSans-MediumItalic.ttf differ diff --git a/content/assets/fonts/fira-sans/FiraSans-Regular.ttf b/content/assets/fonts/fira-sans/FiraSans-Regular.ttf new file mode 100755 index 0000000..6f80647 Binary files /dev/null and b/content/assets/fonts/fira-sans/FiraSans-Regular.ttf differ diff --git a/content/assets/fonts/fira-sans/FiraSans-SemiBold.ttf b/content/assets/fonts/fira-sans/FiraSans-SemiBold.ttf new file mode 100755 index 0000000..0c93b7e Binary files /dev/null and b/content/assets/fonts/fira-sans/FiraSans-SemiBold.ttf differ diff --git a/content/assets/fonts/fira-sans/FiraSans-SemiBoldItalic.ttf b/content/assets/fonts/fira-sans/FiraSans-SemiBoldItalic.ttf new file mode 100755 index 0000000..e1a2989 Binary files /dev/null and b/content/assets/fonts/fira-sans/FiraSans-SemiBoldItalic.ttf differ diff --git a/content/assets/fonts/fira-sans/FiraSans-Thin.ttf b/content/assets/fonts/fira-sans/FiraSans-Thin.ttf new file mode 100755 index 0000000..c925f94 Binary files /dev/null and b/content/assets/fonts/fira-sans/FiraSans-Thin.ttf differ diff --git a/content/assets/fonts/fira-sans/FiraSans-ThinItalic.ttf b/content/assets/fonts/fira-sans/FiraSans-ThinItalic.ttf new file mode 100755 index 0000000..dd39092 Binary files /dev/null and b/content/assets/fonts/fira-sans/FiraSans-ThinItalic.ttf differ diff --git a/content/assets/fonts/fira-sans/OFL.txt b/content/assets/fonts/fira-sans/OFL.txt new file mode 100755 index 0000000..fc506b8 --- /dev/null +++ b/content/assets/fonts/fira-sans/OFL.txt @@ -0,0 +1,93 @@ +Copyright (c) 2012-2015, The Mozilla Foundation and Telefonica S.A. + +This Font Software is licensed under the SIL Open Font License, Version 1.1. +This license is copied below, and is also available with a FAQ at: +https://openfontlicense.org + + +----------------------------------------------------------- +SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007 +----------------------------------------------------------- + +PREAMBLE +The goals of the Open Font License (OFL) are to stimulate worldwide +development of collaborative font projects, to support the font creation +efforts of academic and linguistic communities, and to provide a free and +open framework in which fonts may be shared and improved in partnership +with others. + +The OFL allows the licensed fonts to be used, studied, modified and +redistributed freely as long as they are not sold by themselves. The +fonts, including any derivative works, can be bundled, embedded, +redistributed and/or sold with any software provided that any reserved +names are not used by derivative works. The fonts and derivatives, +however, cannot be released under any other type of license. The +requirement for fonts to remain under this license does not apply +to any document created using the fonts or their derivatives. + +DEFINITIONS +"Font Software" refers to the set of files released by the Copyright +Holder(s) under this license and clearly marked as such. This may +include source files, build scripts and documentation. + +"Reserved Font Name" refers to any names specified as such after the +copyright statement(s). + +"Original Version" refers to the collection of Font Software components as +distributed by the Copyright Holder(s). + +"Modified Version" refers to any derivative made by adding to, deleting, +or substituting -- in part or in whole -- any of the components of the +Original Version, by changing formats or by porting the Font Software to a +new environment. + +"Author" refers to any designer, engineer, programmer, technical +writer or other person who contributed to the Font Software. + +PERMISSION & CONDITIONS +Permission is hereby granted, free of charge, to any person obtaining +a copy of the Font Software, to use, study, copy, merge, embed, modify, +redistribute, and sell modified and unmodified copies of the Font +Software, subject to the following conditions: + +1) Neither the Font Software nor any of its individual components, +in Original or Modified Versions, may be sold by itself. + +2) Original or Modified Versions of the Font Software may be bundled, +redistributed and/or sold with any software, provided that each copy +contains the above copyright notice and this license. These can be +included either as stand-alone text files, human-readable headers or +in the appropriate machine-readable metadata fields within text or +binary files as long as those fields can be easily viewed by the user. + +3) No Modified Version of the Font Software may use the Reserved Font +Name(s) unless explicit written permission is granted by the corresponding +Copyright Holder. This restriction only applies to the primary font name as +presented to the users. + +4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font +Software shall not be used to promote, endorse or advertise any +Modified Version, except to acknowledge the contribution(s) of the +Copyright Holder(s) and the Author(s) or with their explicit written +permission. + +5) The Font Software, modified or unmodified, in part or in whole, +must be distributed entirely under this license, and must not be +distributed under any other license. The requirement for fonts to +remain under this license does not apply to any document created +using the Font Software. + +TERMINATION +This license becomes null and void if any of the above conditions are +not met. + +DISCLAIMER +THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT +OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE +COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, +INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL +DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING +FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM +OTHER DEALINGS IN THE FONT SOFTWARE. diff --git a/docs/src/fonts/lato/Lato-Black.ttf b/content/assets/fonts/lato/Lato-Black.ttf old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/lato/Lato-Black.ttf rename to content/assets/fonts/lato/Lato-Black.ttf diff --git a/docs/src/fonts/lato/Lato-BlackItalic.ttf b/content/assets/fonts/lato/Lato-BlackItalic.ttf old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/lato/Lato-BlackItalic.ttf rename to content/assets/fonts/lato/Lato-BlackItalic.ttf diff --git a/docs/src/fonts/lato/Lato-Bold.woff2 b/content/assets/fonts/lato/Lato-Bold.woff2 old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/lato/Lato-Bold.woff2 rename to content/assets/fonts/lato/Lato-Bold.woff2 diff --git a/docs/src/fonts/lato/Lato-BoldItalic.woff2 b/content/assets/fonts/lato/Lato-BoldItalic.woff2 old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/lato/Lato-BoldItalic.woff2 rename to content/assets/fonts/lato/Lato-BoldItalic.woff2 diff --git a/docs/src/fonts/lato/Lato-Italic.woff2 b/content/assets/fonts/lato/Lato-Italic.woff2 old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/lato/Lato-Italic.woff2 rename to content/assets/fonts/lato/Lato-Italic.woff2 diff --git a/docs/src/fonts/lato/Lato-Light.ttf b/content/assets/fonts/lato/Lato-Light.ttf old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/lato/Lato-Light.ttf rename to content/assets/fonts/lato/Lato-Light.ttf diff --git a/docs/src/fonts/lato/Lato-LightItalic.ttf b/content/assets/fonts/lato/Lato-LightItalic.ttf old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/lato/Lato-LightItalic.ttf rename to content/assets/fonts/lato/Lato-LightItalic.ttf diff --git a/docs/src/fonts/lato/Lato-Regular.woff2 b/content/assets/fonts/lato/Lato-Regular.woff2 old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/lato/Lato-Regular.woff2 rename to content/assets/fonts/lato/Lato-Regular.woff2 diff --git a/docs/src/fonts/lato/Lato-Thin.ttf b/content/assets/fonts/lato/Lato-Thin.ttf old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/lato/Lato-Thin.ttf rename to content/assets/fonts/lato/Lato-Thin.ttf diff --git a/docs/src/fonts/lato/Lato-ThinItalic.ttf b/content/assets/fonts/lato/Lato-ThinItalic.ttf old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/lato/Lato-ThinItalic.ttf rename to content/assets/fonts/lato/Lato-ThinItalic.ttf diff --git a/docs/src/fonts/libre-baskerville/LibreBaskerville-Bold.woff b/content/assets/fonts/libre-baskerville/LibreBaskerville-Bold.woff old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/libre-baskerville/LibreBaskerville-Bold.woff rename to content/assets/fonts/libre-baskerville/LibreBaskerville-Bold.woff diff --git a/docs/src/fonts/libre-baskerville/LibreBaskerville-Italic.woff b/content/assets/fonts/libre-baskerville/LibreBaskerville-Italic.woff old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/libre-baskerville/LibreBaskerville-Italic.woff rename to content/assets/fonts/libre-baskerville/LibreBaskerville-Italic.woff diff --git a/docs/src/fonts/libre-baskerville/LibreBaskerville-Regular.woff b/content/assets/fonts/libre-baskerville/LibreBaskerville-Regular.woff old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/libre-baskerville/LibreBaskerville-Regular.woff rename to content/assets/fonts/libre-baskerville/LibreBaskerville-Regular.woff diff --git a/docs/src/fonts/libre-baskerville/style.css b/content/assets/fonts/libre-baskerville/style.css old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/libre-baskerville/style.css rename to content/assets/fonts/libre-baskerville/style.css diff --git a/docs/src/fonts/open-sans/OpenSans-ExtraBold.woff2 b/content/assets/fonts/open-sans/OpenSans-ExtraBold.woff2 old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/open-sans/OpenSans-ExtraBold.woff2 rename to content/assets/fonts/open-sans/OpenSans-ExtraBold.woff2 diff --git a/docs/src/fonts/open-sans/OpenSans-Medium.woff2 b/content/assets/fonts/open-sans/OpenSans-Medium.woff2 old mode 100644 new mode 100755 similarity index 100% rename from docs/src/fonts/open-sans/OpenSans-Medium.woff2 rename to content/assets/fonts/open-sans/OpenSans-Medium.woff2 diff --git a/docs/src/js/index-text.js b/content/assets/js/index-text.js old mode 100644 new mode 100755 similarity index 100% rename from docs/src/js/index-text.js rename to content/assets/js/index-text.js diff --git a/docs/src/js/index.js b/content/assets/js/index.js old mode 100644 new mode 100755 similarity index 100% rename from docs/src/js/index.js rename to content/assets/js/index.js diff --git a/docs/src/js/loader.js b/content/assets/js/loader.js old mode 100644 new mode 100755 similarity index 100% rename from docs/src/js/loader.js rename to content/assets/js/loader.js diff --git a/docs/src/js/resume.js b/content/assets/js/resume.js old mode 100644 new mode 100755 similarity index 100% rename from docs/src/js/resume.js rename to content/assets/js/resume.js diff --git a/docs/src/allan-gray-logo-243x160.png b/content/assets/media/allan-gray-logo-243x160.png old mode 100644 new mode 100755 similarity index 100% rename from docs/src/allan-gray-logo-243x160.png rename to content/assets/media/allan-gray-logo-243x160.png diff --git a/docs/src/gugulet.hu-combined-face-1276x1276.webp b/content/assets/media/gugulet.hu-combined-face-1276x1276.webp old mode 100644 new mode 100755 similarity index 100% rename from docs/src/gugulet.hu-combined-face-1276x1276.webp rename to content/assets/media/gugulet.hu-combined-face-1276x1276.webp diff --git a/docs/src/gugulet.hu-site-logo-350x350.png b/content/assets/media/gugulet.hu-site-logo-350x350.png old mode 100644 new mode 100755 similarity index 100% rename from docs/src/gugulet.hu-site-logo-350x350.png rename to content/assets/media/gugulet.hu-site-logo-350x350.png diff --git a/docs/src/gugulet.hu-technical-face-1276x1276.webp b/content/assets/media/gugulet.hu-technical-face-1276x1276.webp old mode 100644 new mode 100755 similarity index 100% rename from docs/src/gugulet.hu-technical-face-1276x1276.webp rename to content/assets/media/gugulet.hu-technical-face-1276x1276.webp diff --git a/docs/src/gugulet.hu-unedited-face-1276x1276.webp b/content/assets/media/gugulet.hu-unedited-face-1276x1276.webp old mode 100644 new mode 100755 similarity index 100% rename from docs/src/gugulet.hu-unedited-face-1276x1276.webp rename to content/assets/media/gugulet.hu-unedited-face-1276x1276.webp diff --git a/docs/src/gugulet.hu-visual-face-1276x1276.webp b/content/assets/media/gugulet.hu-visual-face-1276x1276.webp old mode 100644 new mode 100755 similarity index 100% rename from docs/src/gugulet.hu-visual-face-1276x1276.webp rename to content/assets/media/gugulet.hu-visual-face-1276x1276.webp diff --git a/docs/src/gugulet.hu-writing-face-1276x1276.webp b/content/assets/media/gugulet.hu-writing-face-1276x1276.webp old mode 100644 new mode 100755 similarity index 100% rename from docs/src/gugulet.hu-writing-face-1276x1276.webp rename to content/assets/media/gugulet.hu-writing-face-1276x1276.webp diff --git a/docs/src/mambu-cli-1638x1355.jpg b/content/assets/media/mambu-cli-1638x1355.jpg old mode 100644 new mode 100755 similarity index 100% rename from docs/src/mambu-cli-1638x1355.jpg rename to content/assets/media/mambu-cli-1638x1355.jpg diff --git a/docs/src/mambu-logo-110x112.png b/content/assets/media/mambu-logo-110x112.png old mode 100644 new mode 100755 similarity index 100% rename from docs/src/mambu-logo-110x112.png rename to content/assets/media/mambu-logo-110x112.png diff --git a/docs/src/mpo-complex-process-2355x1237.png b/content/assets/media/mpo-complex-process-2355x1237.png old mode 100644 new mode 100755 similarity index 100% rename from docs/src/mpo-complex-process-2355x1237.png rename to content/assets/media/mpo-complex-process-2355x1237.png diff --git a/docs/src/pcvue-documentation-2728x1756.png b/content/assets/media/pcvue-documentation-2728x1756.png old mode 100644 new mode 100755 similarity index 100% rename from docs/src/pcvue-documentation-2728x1756.png rename to content/assets/media/pcvue-documentation-2728x1756.png diff --git a/docs/src/pcvue-print-layout-1573x1433.png b/content/assets/media/pcvue-print-layout-1573x1433.png old mode 100644 new mode 100755 similarity index 100% rename from docs/src/pcvue-print-layout-1573x1433.png rename to content/assets/media/pcvue-print-layout-1573x1433.png diff --git a/docs/src/spread-ai-logo-125x144.png b/content/assets/media/spread-ai-logo-125x144.png old mode 100644 new mode 100755 similarity index 100% rename from docs/src/spread-ai-logo-125x144.png rename to content/assets/media/spread-ai-logo-125x144.png diff --git a/docs/src/spread-docs-site-3456x2160.png b/content/assets/media/spread-docs-site-3456x2160.png old mode 100644 new mode 100755 similarity index 100% rename from docs/src/spread-docs-site-3456x2160.png rename to content/assets/media/spread-docs-site-3456x2160.png diff --git a/docs/src/spread-docs-v1-3024x1890.png b/content/assets/media/spread-docs-v1-3024x1890.png old mode 100644 new mode 100755 similarity index 100% rename from docs/src/spread-docs-v1-3024x1890.png rename to content/assets/media/spread-docs-v1-3024x1890.png diff --git a/docs/src/spread-docs-v2-3024x1890.png b/content/assets/media/spread-docs-v2-3024x1890.png old mode 100644 new mode 100755 similarity index 100% rename from docs/src/spread-docs-v2-3024x1890.png rename to content/assets/media/spread-docs-v2-3024x1890.png diff --git a/docs/src/spread-docs-v3-3456x2170.png b/content/assets/media/spread-docs-v3-3456x2170.png old mode 100644 new mode 100755 similarity index 100% rename from docs/src/spread-docs-v3-3456x2170.png rename to content/assets/media/spread-docs-v3-3456x2170.png diff --git a/docs/src/spread-glossary-3456x2168.png b/content/assets/media/spread-glossary-3456x2168.png old mode 100644 new mode 100755 similarity index 100% rename from docs/src/spread-glossary-3456x2168.png rename to content/assets/media/spread-glossary-3456x2168.png diff --git a/docs/src/spread-print-layout-1596x1872.png b/content/assets/media/spread-print-layout-1596x1872.png old mode 100644 new mode 100755 similarity index 100% rename from docs/src/spread-print-layout-1596x1872.png rename to content/assets/media/spread-print-layout-1596x1872.png diff --git a/docs/src/the-jupiter-drawing-room-logo-119x118.png b/content/assets/media/the-jupiter-drawing-room-logo-119x118.png old mode 100644 new mode 100755 similarity index 100% rename from docs/src/the-jupiter-drawing-room-logo-119x118.png rename to content/assets/media/the-jupiter-drawing-room-logo-119x118.png diff --git a/docs/src/what-is-hmi.gif b/content/assets/media/what-is-hmi.gif old mode 100644 new mode 100755 similarity index 100% rename from docs/src/what-is-hmi.gif rename to content/assets/media/what-is-hmi.gif diff --git a/docs/src/windhoek-jazz-festival-50s.mp3 b/content/assets/media/windhoek-jazz-festival-50s.mp3 old mode 100644 new mode 100755 similarity index 100% rename from docs/src/windhoek-jazz-festival-50s.mp3 rename to content/assets/media/windhoek-jazz-festival-50s.mp3 diff --git a/docs/src/yoco-logo-206x206.png b/content/assets/media/yoco-logo-206x206.png old mode 100644 new mode 100755 similarity index 100% rename from docs/src/yoco-logo-206x206.png rename to content/assets/media/yoco-logo-206x206.png diff --git a/docs/code-data.md b/content/code-data.md old mode 100644 new mode 100755 similarity index 100% rename from docs/code-data.md rename to content/code-data.md diff --git a/docs/includes/defintions.md b/content/includes/defintions.md old mode 100644 new mode 100755 similarity index 86% rename from docs/includes/defintions.md rename to content/includes/defintions.md index dc2fef1..7bb57cf --- a/docs/includes/defintions.md +++ b/content/includes/defintions.md @@ -1,3 +1,3 @@ - + *[data]: Data defined as raw input, which when processed becomes information. Wisdom and knowledge are higher levels of information alloyed with experience. *[ADB]: The Android Debug Bridge lets you communicate with your Android or wearOS device via the terminal (or console). You can install apps, push orpull files, and change settings using commands. diff --git a/docs/includes/snippets.yml b/content/includes/snippets.yml old mode 100644 new mode 100755 similarity index 100% rename from docs/includes/snippets.yml rename to content/includes/snippets.yml diff --git a/docs/index.md b/content/index.md old mode 100644 new mode 100755 similarity index 100% rename from docs/index.md rename to content/index.md diff --git a/docs/visual.md b/content/overrides/404.html old mode 100644 new mode 100755 similarity index 100% rename from docs/visual.md rename to content/overrides/404.html diff --git a/content/overrides/main.html b/content/overrides/main.html new file mode 100755 index 0000000..ef2736a --- /dev/null +++ b/content/overrides/main.html @@ -0,0 +1,54 @@ +{% extends "base.html" %} + +{% block extrahead %} + +{% endblock %} + +{% block content %} + +{{ super() }} + + + + + + + + +{% endblock %} diff --git a/docs/overrides/partials/footer.html b/content/overrides/partials/footer.html old mode 100644 new mode 100755 similarity index 100% rename from docs/overrides/partials/footer.html rename to content/overrides/partials/footer.html diff --git a/docs/qself/financial/assets/index.md b/content/qself/financial/assets/index.md old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/financial/assets/index.md rename to content/qself/financial/assets/index.md diff --git a/docs/qself/financial/index.md b/content/qself/financial/index.md old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/financial/index.md rename to content/qself/financial/index.md diff --git a/docs/qself/financial/investment/index.md b/content/qself/financial/investment/index.md old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/financial/investment/index.md rename to content/qself/financial/investment/index.md diff --git a/docs/qself/financial/transactions/index.md b/content/qself/financial/transactions/index.md old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/financial/transactions/index.md rename to content/qself/financial/transactions/index.md diff --git a/docs/qself/getting-started/index.md b/content/qself/getting-started/index.md old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/getting-started/index.md rename to content/qself/getting-started/index.md diff --git a/docs/qself/health/exercise/index.md b/content/qself/health/exercise/index.md old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/health/exercise/index.md rename to content/qself/health/exercise/index.md diff --git a/docs/qself/health/index.md b/content/qself/health/index.md old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/health/index.md rename to content/qself/health/index.md diff --git a/docs/qself/health/metrics/index.md b/content/qself/health/metrics/index.md old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/health/metrics/index.md rename to content/qself/health/metrics/index.md diff --git a/docs/qself/health/sleep/index.md b/content/qself/health/sleep/index.md old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/health/sleep/index.md rename to content/qself/health/sleep/index.md diff --git a/docs/qself/mental/emotional/index.md b/content/qself/mental/emotional/index.md old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/mental/emotional/index.md rename to content/qself/mental/emotional/index.md diff --git a/docs/qself/mental/index.md b/content/qself/mental/index.md old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/mental/index.md rename to content/qself/mental/index.md diff --git a/docs/qself/mental/media/index.md b/content/qself/mental/media/index.md old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/mental/media/index.md rename to content/qself/mental/media/index.md diff --git a/docs/qself/mental/productivity/index.md b/content/qself/mental/productivity/index.md old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/mental/productivity/index.md rename to content/qself/mental/productivity/index.md diff --git a/docs/qself/qself.md b/content/qself/qself.md old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/qself.md rename to content/qself/qself.md diff --git a/docs/qself/reference/devices/index.md b/content/qself/reference/devices/index.md old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/reference/devices/index.md rename to content/qself/reference/devices/index.md diff --git a/docs/qself/reference/index.md b/content/qself/reference/index.md old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/reference/index.md rename to content/qself/reference/index.md diff --git a/docs/qself/src/qs-data-cycle-3333x3333.webp b/content/qself/src/qs-data-cycle-3333x3333.webp old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/src/qs-data-cycle-3333x3333.webp rename to content/qself/src/qs-data-cycle-3333x3333.webp diff --git a/docs/qself/src/qs-designs.key b/content/qself/src/qs-designs.key similarity index 100% rename from docs/qself/src/qs-designs.key rename to content/qself/src/qs-designs.key diff --git a/docs/qself/src/qs-project-history-333x1189.webp b/content/qself/src/qs-project-history-333x1189.webp old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/src/qs-project-history-333x1189.webp rename to content/qself/src/qs-project-history-333x1189.webp diff --git a/docs/qself/src/qs-topology-3333x3333.webp b/content/qself/src/qs-topology-3333x3333.webp old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/src/qs-topology-3333x3333.webp rename to content/qself/src/qs-topology-3333x3333.webp diff --git a/docs/qself/src/qself-favicon-200x200.ico b/content/qself/src/qself-favicon-200x200.ico old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/src/qself-favicon-200x200.ico rename to content/qself/src/qself-favicon-200x200.ico diff --git a/docs/qself/src/qself-logo-200x200.png b/content/qself/src/qself-logo-200x200.png old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/src/qself-logo-200x200.png rename to content/qself/src/qself-logo-200x200.png diff --git a/docs/qself/src/qself-logo-800x800.png b/content/qself/src/qself-logo-800x800.png old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/src/qself-logo-800x800.png rename to content/qself/src/qself-logo-800x800.png diff --git a/docs/qself/src/qself-project-3462x2310.jpg b/content/qself/src/qself-project-3462x2310.jpg old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/src/qself-project-3462x2310.jpg rename to content/qself/src/qself-project-3462x2310.jpg diff --git a/docs/qself/src/step-1-running-local-setup-882x320.jpg b/content/qself/src/step-1-running-local-setup-882x320.jpg old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/src/step-1-running-local-setup-882x320.jpg rename to content/qself/src/step-1-running-local-setup-882x320.jpg diff --git a/docs/qself/src/step-2-creating-new-workspace-1902x966.jpg b/content/qself/src/step-2-creating-new-workspace-1902x966.jpg old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/src/step-2-creating-new-workspace-1902x966.jpg rename to content/qself/src/step-2-creating-new-workspace-1902x966.jpg diff --git a/docs/qself/src/step-3-configure-application-1902x966.jpg b/content/qself/src/step-3-configure-application-1902x966.jpg old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/src/step-3-configure-application-1902x966.jpg rename to content/qself/src/step-3-configure-application-1902x966.jpg diff --git a/docs/qself/src/step-5-making-a-query-1902x966.jpg b/content/qself/src/step-5-making-a-query-1902x966.jpg old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/src/step-5-making-a-query-1902x966.jpg rename to content/qself/src/step-5-making-a-query-1902x966.jpg diff --git a/docs/qself/src/step-6-displaying-the-data-1902x966.jpg b/content/qself/src/step-6-displaying-the-data-1902x966.jpg old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/src/step-6-displaying-the-data-1902x966.jpg rename to content/qself/src/step-6-displaying-the-data-1902x966.jpg diff --git a/docs/qself/src/step-7-deploy-git-1902x966.jpg b/content/qself/src/step-7-deploy-git-1902x966.jpg old mode 100644 new mode 100755 similarity index 100% rename from docs/qself/src/step-7-deploy-git-1902x966.jpg rename to content/qself/src/step-7-deploy-git-1902x966.jpg diff --git a/docs/resume.md b/content/resume.md old mode 100644 new mode 100755 similarity index 100% rename from docs/resume.md rename to content/resume.md diff --git a/docs/resume/establish-spread-docs.md b/content/resume/establish-spread-docs.md old mode 100644 new mode 100755 similarity index 100% rename from docs/resume/establish-spread-docs.md rename to content/resume/establish-spread-docs.md diff --git a/docs/resume/mambu-cli.md b/content/resume/mambu-cli.md old mode 100644 new mode 100755 similarity index 100% rename from docs/resume/mambu-cli.md rename to content/resume/mambu-cli.md diff --git a/docs/resume/mambu-process-orchestrator.md b/content/resume/mambu-process-orchestrator.md old mode 100644 new mode 100755 similarity index 100% rename from docs/resume/mambu-process-orchestrator.md rename to content/resume/mambu-process-orchestrator.md diff --git a/docs/resume/pcvue.md b/content/resume/pcvue.md old mode 100644 new mode 100755 similarity index 100% rename from docs/resume/pcvue.md rename to content/resume/pcvue.md diff --git a/docs/robots.txt b/content/robots.txt old mode 100644 new mode 100755 similarity index 100% rename from docs/robots.txt rename to content/robots.txt diff --git a/docs/technical.md b/content/technical.md old mode 100644 new mode 100755 similarity index 100% rename from docs/technical.md rename to content/technical.md diff --git a/site/includes/snippets.yml b/content/visual.md old mode 100644 new mode 100755 similarity index 100% rename from site/includes/snippets.yml rename to content/visual.md diff --git a/docs/writing.md b/content/writing.md old mode 100644 new mode 100755 similarity index 100% rename from docs/writing.md rename to content/writing.md diff --git a/site/404.html b/deploy/404.html old mode 100644 new mode 100755 similarity index 89% rename from site/404.html rename to deploy/404.html index 340b7df..b426544 --- a/site/404.html +++ b/deploy/404.html @@ -6,10 +6,10 @@ - + - + @@ -19,7 +19,7 @@ - + @@ -30,7 +30,7 @@ - + @@ -38,35 +38,6 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - @@ -83,9 +54,9 @@ - + - + @@ -101,7 +72,7 @@ -
+ @@ -154,7 +125,7 @@ - + @@ -341,10 +312,12 @@ - + - + + + diff --git a/site/src/stylesheets/_colours.css b/deploy/assets/css/_colours.css old mode 100644 new mode 100755 similarity index 100% rename from site/src/stylesheets/_colours.css rename to deploy/assets/css/_colours.css diff --git a/site/src/stylesheets/_faces.css b/deploy/assets/css/_faces.css old mode 100644 new mode 100755 similarity index 100% rename from site/src/stylesheets/_faces.css rename to deploy/assets/css/_faces.css diff --git a/site/src/stylesheets/_fonts.css b/deploy/assets/css/_fonts.css old mode 100644 new mode 100755 similarity index 100% rename from site/src/stylesheets/_fonts.css rename to deploy/assets/css/_fonts.css diff --git a/site/src/stylesheets/_hero-text.css b/deploy/assets/css/_hero-text.css old mode 100644 new mode 100755 similarity index 100% rename from site/src/stylesheets/_hero-text.css rename to deploy/assets/css/_hero-text.css diff --git a/site/src/stylesheets/_index.css b/deploy/assets/css/_index.css old mode 100644 new mode 100755 similarity index 100% rename from site/src/stylesheets/_index.css rename to deploy/assets/css/_index.css diff --git a/site/src/stylesheets/_loader.css b/deploy/assets/css/_loader.css old mode 100644 new mode 100755 similarity index 100% rename from site/src/stylesheets/_loader.css rename to deploy/assets/css/_loader.css diff --git a/site/src/stylesheets/_media-player.css b/deploy/assets/css/_media-player.css old mode 100644 new mode 100755 similarity index 100% rename from site/src/stylesheets/_media-player.css rename to deploy/assets/css/_media-player.css diff --git a/site/src/stylesheets/_page-resume.css b/deploy/assets/css/_page-resume.css old mode 100644 new mode 100755 similarity index 100% rename from site/src/stylesheets/_page-resume.css rename to deploy/assets/css/_page-resume.css diff --git a/site/src/stylesheets/_size.css b/deploy/assets/css/_size.css old mode 100644 new mode 100755 similarity index 100% rename from site/src/stylesheets/_size.css rename to deploy/assets/css/_size.css diff --git a/site/src/stylesheets/g.css b/deploy/assets/css/g.css old mode 100644 new mode 100755 similarity index 100% rename from site/src/stylesheets/g.css rename to deploy/assets/css/g.css diff --git a/site/src/stylesheets/index.css b/deploy/assets/css/index.css old mode 100644 new mode 100755 similarity index 100% rename from site/src/stylesheets/index.css rename to deploy/assets/css/index.css diff --git a/site/src/fonts/dm-mono/DMMono-Italic.woff2 b/deploy/assets/fonts/dm-mono/DMMono-Italic.woff2 old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/dm-mono/DMMono-Italic.woff2 rename to deploy/assets/fonts/dm-mono/DMMono-Italic.woff2 diff --git a/site/src/fonts/dm-mono/DMMono-Light.woff2 b/deploy/assets/fonts/dm-mono/DMMono-Light.woff2 old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/dm-mono/DMMono-Light.woff2 rename to deploy/assets/fonts/dm-mono/DMMono-Light.woff2 diff --git a/site/src/fonts/dm-mono/DMMono-LightItalic.woff2 b/deploy/assets/fonts/dm-mono/DMMono-LightItalic.woff2 old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/dm-mono/DMMono-LightItalic.woff2 rename to deploy/assets/fonts/dm-mono/DMMono-LightItalic.woff2 diff --git a/site/src/fonts/dm-mono/DMMono-Medium.woff2 b/deploy/assets/fonts/dm-mono/DMMono-Medium.woff2 old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/dm-mono/DMMono-Medium.woff2 rename to deploy/assets/fonts/dm-mono/DMMono-Medium.woff2 diff --git a/site/src/fonts/dm-mono/DMMono-MediumItalic.woff2 b/deploy/assets/fonts/dm-mono/DMMono-MediumItalic.woff2 old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/dm-mono/DMMono-MediumItalic.woff2 rename to deploy/assets/fonts/dm-mono/DMMono-MediumItalic.woff2 diff --git a/site/src/fonts/dm-mono/DMMono-Regular.woff2 b/deploy/assets/fonts/dm-mono/DMMono-Regular.woff2 old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/dm-mono/DMMono-Regular.woff2 rename to deploy/assets/fonts/dm-mono/DMMono-Regular.woff2 diff --git a/deploy/assets/fonts/fira-code/FiraCode-VariableFont_wght.ttf b/deploy/assets/fonts/fira-code/FiraCode-VariableFont_wght.ttf new file mode 100755 index 0000000..d7077f1 Binary files /dev/null and b/deploy/assets/fonts/fira-code/FiraCode-VariableFont_wght.ttf differ diff --git a/deploy/assets/fonts/fira-code/OFL.txt b/deploy/assets/fonts/fira-code/OFL.txt new file mode 100755 index 0000000..0e38b88 --- /dev/null +++ b/deploy/assets/fonts/fira-code/OFL.txt @@ -0,0 +1,93 @@ +Copyright 2014-2020 The Fira Code Project Authors (https://github.com/tonsky/FiraCode) + +This Font Software is licensed under the SIL Open Font License, Version 1.1. +This license is copied below, and is also available with a FAQ at: +https://openfontlicense.org + + +----------------------------------------------------------- +SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007 +----------------------------------------------------------- + +PREAMBLE +The goals of the Open Font License (OFL) are to stimulate worldwide +development of collaborative font projects, to support the font creation +efforts of academic and linguistic communities, and to provide a free and +open framework in which fonts may be shared and improved in partnership +with others. + +The OFL allows the licensed fonts to be used, studied, modified and +redistributed freely as long as they are not sold by themselves. The +fonts, including any derivative works, can be bundled, embedded, +redistributed and/or sold with any software provided that any reserved +names are not used by derivative works. The fonts and derivatives, +however, cannot be released under any other type of license. The +requirement for fonts to remain under this license does not apply +to any document created using the fonts or their derivatives. + +DEFINITIONS +"Font Software" refers to the set of files released by the Copyright +Holder(s) under this license and clearly marked as such. This may +include source files, build scripts and documentation. + +"Reserved Font Name" refers to any names specified as such after the +copyright statement(s). + +"Original Version" refers to the collection of Font Software components as +distributed by the Copyright Holder(s). + +"Modified Version" refers to any derivative made by adding to, deleting, +or substituting -- in part or in whole -- any of the components of the +Original Version, by changing formats or by porting the Font Software to a +new environment. + +"Author" refers to any designer, engineer, programmer, technical +writer or other person who contributed to the Font Software. + +PERMISSION & CONDITIONS +Permission is hereby granted, free of charge, to any person obtaining +a copy of the Font Software, to use, study, copy, merge, embed, modify, +redistribute, and sell modified and unmodified copies of the Font +Software, subject to the following conditions: + +1) Neither the Font Software nor any of its individual components, +in Original or Modified Versions, may be sold by itself. + +2) Original or Modified Versions of the Font Software may be bundled, +redistributed and/or sold with any software, provided that each copy +contains the above copyright notice and this license. These can be +included either as stand-alone text files, human-readable headers or +in the appropriate machine-readable metadata fields within text or +binary files as long as those fields can be easily viewed by the user. + +3) No Modified Version of the Font Software may use the Reserved Font +Name(s) unless explicit written permission is granted by the corresponding +Copyright Holder. This restriction only applies to the primary font name as +presented to the users. + +4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font +Software shall not be used to promote, endorse or advertise any +Modified Version, except to acknowledge the contribution(s) of the +Copyright Holder(s) and the Author(s) or with their explicit written +permission. + +5) The Font Software, modified or unmodified, in part or in whole, +must be distributed entirely under this license, and must not be +distributed under any other license. The requirement for fonts to +remain under this license does not apply to any document created +using the Font Software. + +TERMINATION +This license becomes null and void if any of the above conditions are +not met. + +DISCLAIMER +THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT +OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE +COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, +INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL +DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING +FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM +OTHER DEALINGS IN THE FONT SOFTWARE. diff --git a/deploy/assets/fonts/fira-code/README.txt b/deploy/assets/fonts/fira-code/README.txt new file mode 100755 index 0000000..06834bb --- /dev/null +++ b/deploy/assets/fonts/fira-code/README.txt @@ -0,0 +1,67 @@ +Fira Code Variable Font +======================= + +This download contains Fira Code as both a variable font and static fonts. + +Fira Code is a variable font with this axis: + wght + +This means all the styles are contained in a single file: + Fira_Code/FiraCode-VariableFont_wght.ttf + +If your app fully supports variable fonts, you can now pick intermediate styles +that arenβt available as static fonts. Not all apps support variable fonts, and +in those cases you can use the static font files for Fira Code: + Fira_Code/static/FiraCode-Light.ttf + Fira_Code/static/FiraCode-Regular.ttf + Fira_Code/static/FiraCode-Medium.ttf + Fira_Code/static/FiraCode-SemiBold.ttf + Fira_Code/static/FiraCode-Bold.ttf + +Get started +----------- + +1. Install the font files you want to use + +2. Use your app's font picker to view the font family and all the +available styles + +Learn more about variable fonts +------------------------------- + + https://developers.google.com/web/fundamentals/design-and-ux/typography/variable-fonts + https://variablefonts.typenetwork.com + https://medium.com/variable-fonts + +In desktop apps + + https://theblog.adobe.com/can-variable-fonts-illustrator-cc + https://helpx.adobe.com/nz/photoshop/using/fonts.html#variable_fonts + +Online + + https://developers.google.com/fonts/docs/getting_started + https://developer.mozilla.org/en-US/docs/Web/CSS/CSS_Fonts/Variable_Fonts_Guide + https://developer.microsoft.com/en-us/microsoft-edge/testdrive/demos/variable-fonts + +Installing fonts + + MacOS: https://support.apple.com/en-us/HT201749 + Linux: https://www.google.com/search?q=how+to+install+a+font+on+gnu%2Blinux + Windows: https://support.microsoft.com/en-us/help/314960/how-to-install-or-remove-a-font-in-windows + +Android Apps + + https://developers.google.com/fonts/docs/android + https://developer.android.com/guide/topics/ui/look-and-feel/downloadable-fonts + +License +------- +Please read the full license text (OFL.txt) to understand the permissions, +restrictions and requirements for usage, redistribution, and modification. + +You can use them in your products & projects β print or digital, +commercial or otherwise. + +This isn't legal advice, please consider consulting a lawyer and see the full +license for all details. diff --git a/deploy/assets/fonts/fira-code/static/FiraCode-Bold.ttf b/deploy/assets/fonts/fira-code/static/FiraCode-Bold.ttf new file mode 100755 index 0000000..82a931f Binary files /dev/null and b/deploy/assets/fonts/fira-code/static/FiraCode-Bold.ttf differ diff --git a/deploy/assets/fonts/fira-code/static/FiraCode-Light.ttf b/deploy/assets/fonts/fira-code/static/FiraCode-Light.ttf new file mode 100755 index 0000000..1de3d2c Binary files /dev/null and b/deploy/assets/fonts/fira-code/static/FiraCode-Light.ttf differ diff --git a/deploy/assets/fonts/fira-code/static/FiraCode-Medium.ttf b/deploy/assets/fonts/fira-code/static/FiraCode-Medium.ttf new file mode 100755 index 0000000..96efc66 Binary files /dev/null and b/deploy/assets/fonts/fira-code/static/FiraCode-Medium.ttf differ diff --git a/deploy/assets/fonts/fira-code/static/FiraCode-Regular.ttf b/deploy/assets/fonts/fira-code/static/FiraCode-Regular.ttf new file mode 100755 index 0000000..3a57209 Binary files /dev/null and b/deploy/assets/fonts/fira-code/static/FiraCode-Regular.ttf differ diff --git a/deploy/assets/fonts/fira-code/static/FiraCode-SemiBold.ttf b/deploy/assets/fonts/fira-code/static/FiraCode-SemiBold.ttf new file mode 100755 index 0000000..ae619e9 Binary files /dev/null and b/deploy/assets/fonts/fira-code/static/FiraCode-SemiBold.ttf differ diff --git a/deploy/assets/fonts/fira-sans/FiraSans-Black.ttf b/deploy/assets/fonts/fira-sans/FiraSans-Black.ttf new file mode 100755 index 0000000..113cd3b Binary files /dev/null and b/deploy/assets/fonts/fira-sans/FiraSans-Black.ttf differ diff --git a/deploy/assets/fonts/fira-sans/FiraSans-BlackItalic.ttf b/deploy/assets/fonts/fira-sans/FiraSans-BlackItalic.ttf new file mode 100755 index 0000000..1c49fb2 Binary files /dev/null and b/deploy/assets/fonts/fira-sans/FiraSans-BlackItalic.ttf differ diff --git a/deploy/assets/fonts/fira-sans/FiraSans-Bold.ttf b/deploy/assets/fonts/fira-sans/FiraSans-Bold.ttf new file mode 100755 index 0000000..e3593fb Binary files /dev/null and b/deploy/assets/fonts/fira-sans/FiraSans-Bold.ttf differ diff --git a/deploy/assets/fonts/fira-sans/FiraSans-BoldItalic.ttf b/deploy/assets/fonts/fira-sans/FiraSans-BoldItalic.ttf new file mode 100755 index 0000000..305b0b8 Binary files /dev/null and b/deploy/assets/fonts/fira-sans/FiraSans-BoldItalic.ttf differ diff --git a/deploy/assets/fonts/fira-sans/FiraSans-ExtraBold.ttf b/deploy/assets/fonts/fira-sans/FiraSans-ExtraBold.ttf new file mode 100755 index 0000000..83744c1 Binary files /dev/null and b/deploy/assets/fonts/fira-sans/FiraSans-ExtraBold.ttf differ diff --git a/deploy/assets/fonts/fira-sans/FiraSans-ExtraBoldItalic.ttf b/deploy/assets/fonts/fira-sans/FiraSans-ExtraBoldItalic.ttf new file mode 100755 index 0000000..54bcaca Binary files /dev/null and b/deploy/assets/fonts/fira-sans/FiraSans-ExtraBoldItalic.ttf differ diff --git a/deploy/assets/fonts/fira-sans/FiraSans-ExtraLight.ttf b/deploy/assets/fonts/fira-sans/FiraSans-ExtraLight.ttf new file mode 100755 index 0000000..2d4e331 Binary files /dev/null and b/deploy/assets/fonts/fira-sans/FiraSans-ExtraLight.ttf differ diff --git a/deploy/assets/fonts/fira-sans/FiraSans-ExtraLightItalic.ttf b/deploy/assets/fonts/fira-sans/FiraSans-ExtraLightItalic.ttf new file mode 100755 index 0000000..ef666ad Binary files /dev/null and b/deploy/assets/fonts/fira-sans/FiraSans-ExtraLightItalic.ttf differ diff --git a/deploy/assets/fonts/fira-sans/FiraSans-Italic.ttf b/deploy/assets/fonts/fira-sans/FiraSans-Italic.ttf new file mode 100755 index 0000000..27d32ed Binary files /dev/null and b/deploy/assets/fonts/fira-sans/FiraSans-Italic.ttf differ diff --git a/deploy/assets/fonts/fira-sans/FiraSans-Light.ttf b/deploy/assets/fonts/fira-sans/FiraSans-Light.ttf new file mode 100755 index 0000000..663d1de Binary files /dev/null and b/deploy/assets/fonts/fira-sans/FiraSans-Light.ttf differ diff --git a/deploy/assets/fonts/fira-sans/FiraSans-LightItalic.ttf b/deploy/assets/fonts/fira-sans/FiraSans-LightItalic.ttf new file mode 100755 index 0000000..d1b1fc5 Binary files /dev/null and b/deploy/assets/fonts/fira-sans/FiraSans-LightItalic.ttf differ diff --git a/deploy/assets/fonts/fira-sans/FiraSans-Medium.ttf b/deploy/assets/fonts/fira-sans/FiraSans-Medium.ttf new file mode 100755 index 0000000..001ebe7 Binary files /dev/null and b/deploy/assets/fonts/fira-sans/FiraSans-Medium.ttf differ diff --git a/deploy/assets/fonts/fira-sans/FiraSans-MediumItalic.ttf b/deploy/assets/fonts/fira-sans/FiraSans-MediumItalic.ttf new file mode 100755 index 0000000..b7640be Binary files /dev/null and b/deploy/assets/fonts/fira-sans/FiraSans-MediumItalic.ttf differ diff --git a/deploy/assets/fonts/fira-sans/FiraSans-Regular.ttf b/deploy/assets/fonts/fira-sans/FiraSans-Regular.ttf new file mode 100755 index 0000000..6f80647 Binary files /dev/null and b/deploy/assets/fonts/fira-sans/FiraSans-Regular.ttf differ diff --git a/deploy/assets/fonts/fira-sans/FiraSans-SemiBold.ttf b/deploy/assets/fonts/fira-sans/FiraSans-SemiBold.ttf new file mode 100755 index 0000000..0c93b7e Binary files /dev/null and b/deploy/assets/fonts/fira-sans/FiraSans-SemiBold.ttf differ diff --git a/deploy/assets/fonts/fira-sans/FiraSans-SemiBoldItalic.ttf b/deploy/assets/fonts/fira-sans/FiraSans-SemiBoldItalic.ttf new file mode 100755 index 0000000..e1a2989 Binary files /dev/null and b/deploy/assets/fonts/fira-sans/FiraSans-SemiBoldItalic.ttf differ diff --git a/deploy/assets/fonts/fira-sans/FiraSans-Thin.ttf b/deploy/assets/fonts/fira-sans/FiraSans-Thin.ttf new file mode 100755 index 0000000..c925f94 Binary files /dev/null and b/deploy/assets/fonts/fira-sans/FiraSans-Thin.ttf differ diff --git a/deploy/assets/fonts/fira-sans/FiraSans-ThinItalic.ttf b/deploy/assets/fonts/fira-sans/FiraSans-ThinItalic.ttf new file mode 100755 index 0000000..dd39092 Binary files /dev/null and b/deploy/assets/fonts/fira-sans/FiraSans-ThinItalic.ttf differ diff --git a/deploy/assets/fonts/fira-sans/OFL.txt b/deploy/assets/fonts/fira-sans/OFL.txt new file mode 100755 index 0000000..fc506b8 --- /dev/null +++ b/deploy/assets/fonts/fira-sans/OFL.txt @@ -0,0 +1,93 @@ +Copyright (c) 2012-2015, The Mozilla Foundation and Telefonica S.A. + +This Font Software is licensed under the SIL Open Font License, Version 1.1. +This license is copied below, and is also available with a FAQ at: +https://openfontlicense.org + + +----------------------------------------------------------- +SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007 +----------------------------------------------------------- + +PREAMBLE +The goals of the Open Font License (OFL) are to stimulate worldwide +development of collaborative font projects, to support the font creation +efforts of academic and linguistic communities, and to provide a free and +open framework in which fonts may be shared and improved in partnership +with others. + +The OFL allows the licensed fonts to be used, studied, modified and +redistributed freely as long as they are not sold by themselves. The +fonts, including any derivative works, can be bundled, embedded, +redistributed and/or sold with any software provided that any reserved +names are not used by derivative works. The fonts and derivatives, +however, cannot be released under any other type of license. The +requirement for fonts to remain under this license does not apply +to any document created using the fonts or their derivatives. + +DEFINITIONS +"Font Software" refers to the set of files released by the Copyright +Holder(s) under this license and clearly marked as such. This may +include source files, build scripts and documentation. + +"Reserved Font Name" refers to any names specified as such after the +copyright statement(s). + +"Original Version" refers to the collection of Font Software components as +distributed by the Copyright Holder(s). + +"Modified Version" refers to any derivative made by adding to, deleting, +or substituting -- in part or in whole -- any of the components of the +Original Version, by changing formats or by porting the Font Software to a +new environment. + +"Author" refers to any designer, engineer, programmer, technical +writer or other person who contributed to the Font Software. + +PERMISSION & CONDITIONS +Permission is hereby granted, free of charge, to any person obtaining +a copy of the Font Software, to use, study, copy, merge, embed, modify, +redistribute, and sell modified and unmodified copies of the Font +Software, subject to the following conditions: + +1) Neither the Font Software nor any of its individual components, +in Original or Modified Versions, may be sold by itself. + +2) Original or Modified Versions of the Font Software may be bundled, +redistributed and/or sold with any software, provided that each copy +contains the above copyright notice and this license. These can be +included either as stand-alone text files, human-readable headers or +in the appropriate machine-readable metadata fields within text or +binary files as long as those fields can be easily viewed by the user. + +3) No Modified Version of the Font Software may use the Reserved Font +Name(s) unless explicit written permission is granted by the corresponding +Copyright Holder. This restriction only applies to the primary font name as +presented to the users. + +4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font +Software shall not be used to promote, endorse or advertise any +Modified Version, except to acknowledge the contribution(s) of the +Copyright Holder(s) and the Author(s) or with their explicit written +permission. + +5) The Font Software, modified or unmodified, in part or in whole, +must be distributed entirely under this license, and must not be +distributed under any other license. The requirement for fonts to +remain under this license does not apply to any document created +using the Font Software. + +TERMINATION +This license becomes null and void if any of the above conditions are +not met. + +DISCLAIMER +THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT +OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE +COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, +INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL +DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING +FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM +OTHER DEALINGS IN THE FONT SOFTWARE. diff --git a/site/src/fonts/lato/Lato-Black.ttf b/deploy/assets/fonts/lato/Lato-Black.ttf old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/lato/Lato-Black.ttf rename to deploy/assets/fonts/lato/Lato-Black.ttf diff --git a/site/src/fonts/lato/Lato-BlackItalic.ttf b/deploy/assets/fonts/lato/Lato-BlackItalic.ttf old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/lato/Lato-BlackItalic.ttf rename to deploy/assets/fonts/lato/Lato-BlackItalic.ttf diff --git a/site/src/fonts/lato/Lato-Bold.woff2 b/deploy/assets/fonts/lato/Lato-Bold.woff2 old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/lato/Lato-Bold.woff2 rename to deploy/assets/fonts/lato/Lato-Bold.woff2 diff --git a/site/src/fonts/lato/Lato-BoldItalic.woff2 b/deploy/assets/fonts/lato/Lato-BoldItalic.woff2 old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/lato/Lato-BoldItalic.woff2 rename to deploy/assets/fonts/lato/Lato-BoldItalic.woff2 diff --git a/site/src/fonts/lato/Lato-Italic.woff2 b/deploy/assets/fonts/lato/Lato-Italic.woff2 old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/lato/Lato-Italic.woff2 rename to deploy/assets/fonts/lato/Lato-Italic.woff2 diff --git a/site/src/fonts/lato/Lato-Light.ttf b/deploy/assets/fonts/lato/Lato-Light.ttf old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/lato/Lato-Light.ttf rename to deploy/assets/fonts/lato/Lato-Light.ttf diff --git a/site/src/fonts/lato/Lato-LightItalic.ttf b/deploy/assets/fonts/lato/Lato-LightItalic.ttf old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/lato/Lato-LightItalic.ttf rename to deploy/assets/fonts/lato/Lato-LightItalic.ttf diff --git a/site/src/fonts/lato/Lato-Regular.woff2 b/deploy/assets/fonts/lato/Lato-Regular.woff2 old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/lato/Lato-Regular.woff2 rename to deploy/assets/fonts/lato/Lato-Regular.woff2 diff --git a/site/src/fonts/lato/Lato-Thin.ttf b/deploy/assets/fonts/lato/Lato-Thin.ttf old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/lato/Lato-Thin.ttf rename to deploy/assets/fonts/lato/Lato-Thin.ttf diff --git a/site/src/fonts/lato/Lato-ThinItalic.ttf b/deploy/assets/fonts/lato/Lato-ThinItalic.ttf old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/lato/Lato-ThinItalic.ttf rename to deploy/assets/fonts/lato/Lato-ThinItalic.ttf diff --git a/site/src/fonts/libre-baskerville/LibreBaskerville-Bold.woff b/deploy/assets/fonts/libre-baskerville/LibreBaskerville-Bold.woff old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/libre-baskerville/LibreBaskerville-Bold.woff rename to deploy/assets/fonts/libre-baskerville/LibreBaskerville-Bold.woff diff --git a/site/src/fonts/libre-baskerville/LibreBaskerville-Italic.woff b/deploy/assets/fonts/libre-baskerville/LibreBaskerville-Italic.woff old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/libre-baskerville/LibreBaskerville-Italic.woff rename to deploy/assets/fonts/libre-baskerville/LibreBaskerville-Italic.woff diff --git a/site/src/fonts/libre-baskerville/LibreBaskerville-Regular.woff b/deploy/assets/fonts/libre-baskerville/LibreBaskerville-Regular.woff old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/libre-baskerville/LibreBaskerville-Regular.woff rename to deploy/assets/fonts/libre-baskerville/LibreBaskerville-Regular.woff diff --git a/site/src/fonts/libre-baskerville/style.css b/deploy/assets/fonts/libre-baskerville/style.css old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/libre-baskerville/style.css rename to deploy/assets/fonts/libre-baskerville/style.css diff --git a/site/src/fonts/open-sans/OpenSans-ExtraBold.woff2 b/deploy/assets/fonts/open-sans/OpenSans-ExtraBold.woff2 old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/open-sans/OpenSans-ExtraBold.woff2 rename to deploy/assets/fonts/open-sans/OpenSans-ExtraBold.woff2 diff --git a/site/src/fonts/open-sans/OpenSans-Medium.woff2 b/deploy/assets/fonts/open-sans/OpenSans-Medium.woff2 old mode 100644 new mode 100755 similarity index 100% rename from site/src/fonts/open-sans/OpenSans-Medium.woff2 rename to deploy/assets/fonts/open-sans/OpenSans-Medium.woff2 diff --git a/site/assets/images/favicon.png b/deploy/assets/images/favicon.png old mode 100644 new mode 100755 similarity index 100% rename from site/assets/images/favicon.png rename to deploy/assets/images/favicon.png diff --git a/deploy/assets/javascripts/LICENSE b/deploy/assets/javascripts/LICENSE new file mode 100755 index 0000000..baab16b --- /dev/null +++ b/deploy/assets/javascripts/LICENSE @@ -0,0 +1,29 @@ +------------------------------------------------------------------------------- +Third-Party licenses +------------------------------------------------------------------------------- + +Package: clipboard@2.0.11 +License: MIT +Copyright: Zeno Rocha + +------------------------------------------------------------------------------- + +Package: escape-html@1.0.3 +License: MIT +Copyright: 2012-2013 TJ Holowaychuk + 2015 Andreas Lubbe + 2015 Tiancheng "Timothy" Gu + +------------------------------------------------------------------------------- + +Package: focus-visible@5.2.1 +License: W3C +Copyright: WICG + +------------------------------------------------------------------------------- + +Package: rxjs@7.8.2 +License: Apache-2.0 +Copyright: 2015-2018 Google, Inc., + 2015-2018 Netflix, Inc., + 2015-2018 Microsoft Corp. and contributors diff --git a/deploy/assets/javascripts/bundle.8ffeb9c9.min.js b/deploy/assets/javascripts/bundle.8ffeb9c9.min.js new file mode 100755 index 0000000..e28b69b --- /dev/null +++ b/deploy/assets/javascripts/bundle.8ffeb9c9.min.js @@ -0,0 +1,3 @@ +"use strict";(()=>{var _c=Object.create;var Mn=Object.defineProperty,yc=Object.defineProperties,xc=Object.getOwnPropertyDescriptor,wc=Object.getOwnPropertyDescriptors,Ec=Object.getOwnPropertyNames,Dr=Object.getOwnPropertySymbols,Tc=Object.getPrototypeOf,kn=Object.prototype.hasOwnProperty,Fo=Object.prototype.propertyIsEnumerable;var jo=(e,t,r)=>t in e?Mn(e,t,{enumerable:!0,configurable:!0,writable:!0,value:r}):e[t]=r,H=(e,t)=>{for(var r in t||(t={}))kn.call(t,r)&&jo(e,r,t[r]);if(Dr)for(var r of Dr(t))Fo.call(t,r)&&jo(e,r,t[r]);return e},Ce=(e,t)=>yc(e,wc(t));var _r=(e,t)=>{var r={};for(var n in e)kn.call(e,n)&&t.indexOf(n)<0&&(r[n]=e[n]);if(e!=null&&Dr)for(var n of Dr(e))t.indexOf(n)<0&&Fo.call(e,n)&&(r[n]=e[n]);return r};var An=(e,t)=>()=>(t||e((t={exports:{}}).exports,t),t.exports);var Oc=(e,t,r,n)=>{if(t&&typeof t=="object"||typeof t=="function")for(let o of Ec(t))!kn.call(e,o)&&o!==r&&Mn(e,o,{get:()=>t[o],enumerable:!(n=xc(t,o))||n.enumerable});return e};var yr=(e,t,r)=>(r=e!=null?_c(Tc(e)):{},Oc(t||!e||!e.__esModule?Mn(r,"default",{value:e,enumerable:!0}):r,e));var Uo=(e,t,r)=>new Promise((n,o)=>{var i=c=>{try{s(r.next(c))}catch(l){o(l)}},a=c=>{try{s(r.throw(c))}catch(l){o(l)}},s=c=>c.done?n(c.value):Promise.resolve(c.value).then(i,a);s((r=r.apply(e,t)).next())});var Wo=An((Cn,No)=>{(function(e,t){typeof Cn=="object"&&typeof No!="undefined"?t():typeof define=="function"&&define.amd?define(t):t()})(Cn,(function(){"use strict";function e(r){var n=!0,o=!1,i=null,a={text:!0,search:!0,url:!0,tel:!0,email:!0,password:!0,number:!0,date:!0,month:!0,week:!0,time:!0,datetime:!0,"datetime-local":!0};function s(_){return!!(_&&_!==document&&_.nodeName!=="HTML"&&_.nodeName!=="BODY"&&"classList"in _&&"contains"in _.classList)}function c(_){var de=_.type,be=_.tagName;return!!(be==="INPUT"&&a[de]&&!_.readOnly||be==="TEXTAREA"&&!_.readOnly||_.isContentEditable)}function l(_){_.classList.contains("focus-visible")||(_.classList.add("focus-visible"),_.setAttribute("data-focus-visible-added",""))}function u(_){_.hasAttribute("data-focus-visible-added")&&(_.classList.remove("focus-visible"),_.removeAttribute("data-focus-visible-added"))}function p(_){_.metaKey||_.altKey||_.ctrlKey||(s(r.activeElement)&&l(r.activeElement),n=!0)}function d(_){n=!1}function m(_){s(_.target)&&(n||c(_.target))&&l(_.target)}function h(_){s(_.target)&&(_.target.classList.contains("focus-visible")||_.target.hasAttribute("data-focus-visible-added"))&&(o=!0,window.clearTimeout(i),i=window.setTimeout(function(){o=!1},100),u(_.target))}function v(_){document.visibilityState==="hidden"&&(o&&(n=!0),O())}function O(){document.addEventListener("mousemove",w),document.addEventListener("mousedown",w),document.addEventListener("mouseup",w),document.addEventListener("pointermove",w),document.addEventListener("pointerdown",w),document.addEventListener("pointerup",w),document.addEventListener("touchmove",w),document.addEventListener("touchstart",w),document.addEventListener("touchend",w)}function x(){document.removeEventListener("mousemove",w),document.removeEventListener("mousedown",w),document.removeEventListener("mouseup",w),document.removeEventListener("pointermove",w),document.removeEventListener("pointerdown",w),document.removeEventListener("pointerup",w),document.removeEventListener("touchmove",w),document.removeEventListener("touchstart",w),document.removeEventListener("touchend",w)}function w(_){_.target.nodeName&&_.target.nodeName.toLowerCase()==="html"||(n=!1,x())}document.addEventListener("keydown",p,!0),document.addEventListener("mousedown",d,!0),document.addEventListener("pointerdown",d,!0),document.addEventListener("touchstart",d,!0),document.addEventListener("visibilitychange",v,!0),O(),r.addEventListener("focus",m,!0),r.addEventListener("blur",h,!0),r.nodeType===Node.DOCUMENT_FRAGMENT_NODE&&r.host?r.host.setAttribute("data-js-focus-visible",""):r.nodeType===Node.DOCUMENT_NODE&&(document.documentElement.classList.add("js-focus-visible"),document.documentElement.setAttribute("data-js-focus-visible",""))}if(typeof window!="undefined"&&typeof document!="undefined"){window.applyFocusVisiblePolyfill=e;var t;try{t=new CustomEvent("focus-visible-polyfill-ready")}catch(r){t=document.createEvent("CustomEvent"),t.initCustomEvent("focus-visible-polyfill-ready",!1,!1,{})}window.dispatchEvent(t)}typeof document!="undefined"&&e(document)}))});var So=An((S0,ds)=>{"use strict";var Yu=/["'&<>]/;ds.exports=Gu;function Gu(e){var t=""+e,r=Yu.exec(t);if(!r)return t;var n,o="",i=0,a=0;for(i=r.index;ii&&s.push(r(n,i,d));let{value:h}=c[u];s.push(t(n,{start:d,end:i=m,value:h}))}return i{let o=n.data;switch(o.type){case 1:na.value=!0;break;case 3:typeof o.data.pagination.prev<"u"?ot.value=Ce(H({},ot.value),{pagination:o.data.pagination,items:[...ot.value.items,...o.data.items]}):(ot.value=o.data,so(0));break}},qt(()=>{lr.value&&r.postMessage({type:0,data:lr.value})}),qt(()=>{na.value&&r.postMessage({type:2,data:Te.value})})}var oa={container:"p",hidden:"v"};function Mu(e){return z("div",{class:zt(oa.container,{[oa.hidden]:e.hidden}),onClick:()=>Wt()})}var ia={container:"r",disabled:"c"};function co(e){return z("button",{class:zt(ia.container,{[ia.disabled]:!e.onClick}),onClick:e.onClick,children:e.children})}var aa=e=>e.replace(/([a-z0-9])([A-Z])/g,"$1-$2").toLowerCase(),ku=e=>e.replace(/^([A-Z])|[\s-_]+(\w)/g,(t,r,n)=>n?n.toUpperCase():r.toLowerCase()),sa=e=>{let t=ku(e);return t.charAt(0).toUpperCase()+t.slice(1)},Au=(...e)=>e.filter((t,r,n)=>!!t&&t.trim()!==""&&n.indexOf(t)===r).join(" ").trim(),Cu={xmlns:"http://www.w3.org/2000/svg",width:24,height:24,viewBox:"0 0 24 24",fill:"none",stroke:"currentColor","stroke-width":"2","stroke-linecap":"round","stroke-linejoin":"round"},Hu=c=>{var l=c,{color:e="currentColor",size:t=24,strokeWidth:r=2,absoluteStrokeWidth:n,children:o,iconNode:i,class:a=""}=l,s=_r(l,["color","size","strokeWidth","absoluteStrokeWidth","children","iconNode","class"]);return Dt("svg",H(Ce(H({},Cu),{width:String(t),height:t,stroke:e,"stroke-width":n?Number(r)*24/Number(t):r,class:["lucide",a].join(" ")}),s),[...i.map(([u,p])=>Dt(u,p)),...Hr(o)])},go=(e,t)=>{let r=a=>{var s=a,{class:n="",children:o}=s,i=_r(s,["class","children"]);return Dt(Hu,Ce(H({},i),{iconNode:t,class:Au(`lucide-${aa(sa(e))}`,`lucide-${aa(e)}`,n)}),o)};return r.displayName=sa(e),r},$u=go("corner-down-left",[["path",{d:"M20 4v7a4 4 0 0 1-4 4H4",key:"6o5b7l"}],["path",{d:"m9 10-5 5 5 5",key:"1kshq7"}]]),Pu=go("list-filter",[["path",{d:"M2 5h20",key:"1fs1ex"}],["path",{d:"M6 12h12",key:"8npq4p"}],["path",{d:"M9 19h6",key:"456am0"}]]),Iu=go("search",[["path",{d:"m21 21-4.34-4.34",key:"14j7rj"}],["circle",{cx:"11",cy:"11",r:"8",key:"4ej97u"}]]),Bx=ml(dl(),1);function Ru({threshold:e=0,root:t=null,rootMargin:r="0%",freezeOnceVisible:n=!1,initialIsIntersecting:o=!1,onChange:i}={}){var a;let[s,c]=no(null),[l,u]=no(()=>({isIntersecting:o,entry:void 0})),p=Vt();p.current=i;let d=((a=l.entry)==null?void 0:a.isIntersecting)&&n;St(()=>{if(!s||!("IntersectionObserver"in window)||d)return;let v,O=new IntersectionObserver(x=>{let w=Array.isArray(O.thresholds)?O.thresholds:[O.thresholds];x.forEach(_=>{let de=_.isIntersecting&&w.some(be=>_.intersectionRatio>=be);u({isIntersecting:de,entry:_}),p.current&&p.current(de,_),de&&n&&v&&(v(),v=void 0)})},{threshold:e,root:t,rootMargin:r});return O.observe(s),()=>{O.disconnect()}},[s,JSON.stringify(e),t,r,d,n]);let m=Vt(null);St(()=>{var v;!s&&(v=l.entry)!=null&&v.target&&!n&&!d&&m.current!==l.entry.target&&(m.current=l.entry.target,u({isIntersecting:o,entry:void 0}))},[s,l.entry,n,d,o]);let h=[c,!!l.isIntersecting,l.entry];return h.ref=h[0],h.isIntersecting=h[1],h.entry=h[2],h}var ut={container:"n",hidden:"l",content:"u",pop:"d",badge:"y",sidebar:"i",controls:"w",results:"k",loadmore:"z"};function ju(e){let{isIntersecting:t,ref:r}=Ru({threshold:0});St(()=>{t&&au()},[t]);let n=Vt(null);St(()=>{n.current&&typeof Te.value.page>"u"&&n.current.scrollTo({top:0,behavior:"smooth"})},[Te.value]);let o=za();return z("div",{class:zt(ut.container,{[ut.hidden]:e.hidden}),children:[z("div",{class:ut.content,children:[z("div",{class:ut.controls,children:[z(co,{onClick:Wt,children:z(Iu,{})}),z(Uu,{focus:!e.hidden}),z(co,{onClick:Da,children:[z(Pu,{}),o.length>0&&z("span",{class:ut.badge,children:o.length})]})]}),z("div",{class:ut.results,ref:n,children:[z(Nu,{keyboard:!e.hidden}),z("div",{class:ut.loadmore,ref:r})]})]}),z("div",{class:zt(ut.sidebar,{[ut.hidden]:fu()}),children:z(Fu,{})})]})}var Tt={container:"X",list:"j",heading:"F",title:"I",item:"o",active:"g",value:"R",count:"q"};function Fu(e){let t=pu();return t.sort((r,n)=>n.node.count-r.node.count),z("div",{class:Tt.container,children:[z("h3",{class:Tt.heading,children:"Filters"}),z("h4",{class:Tt.title,children:"Tags"}),z("ol",{class:Tt.list,children:t.map(r=>z("li",{class:zt(Tt.item,{[Tt.active]:su(r.node.value)}),onClick:()=>cu(r.node.value),children:[z("span",{class:Tt.value,children:r.node.value}),z("span",{class:Tt.count,children:r.node.count})]}))})]})}var ca={container:"f"};function Uu(e){let t=Vt(null);return St(()=>{var r,n;e.focus?(r=t.current)==null||r.focus():(n=t.current)==null||n.blur()},[e.focus]),z("div",{class:ca.container,children:z("input",{ref:t,type:"text",class:ca.content,value:vn(bo()),onInput:r=>Va(_u(r.currentTarget.value)),autocapitalize:"off",autocomplete:"off",autocorrect:"off",placeholder:"Search",spellcheck:!1,role:"combobox"})})}var pt={container:"b",heading:"A",item:"a",active:"h",wrapper:"B",actions:"s",title:"x",path:"t"};function Nu(e){var a;let t=iu(),r=lu(),n=hn(),o=Vt([]);St(()=>{let s=o.current[n];s&&s.scrollIntoView({block:"center",behavior:"smooth"})},[n]),Aa(e.keyboard,s=>{let c=hn();s.key==="ArrowDown"?(s.preventDefault(),so(Math.min(c+1,r.length-1))):s.key==="ArrowUp"&&(s.preventDefault(),so(Math.max(c-1,0)))},[e.keyboard]);let i=(a=uu())!=null?a:0;return z(mt,{children:[r.length>0&&z("h3",{class:pt.heading,children:[z("span",{class:pt.bubble,children:new Intl.NumberFormat("en-US").format(i)})," ","results"]}),z("ol",{class:pt.container,children:r.map((s,c)=>{var d;let l=Ka(t[s.id].title,s.matches.find(({field:m})=>m==="title")),u=Lu((d=t[s.id].path)!=null?d:[],s.matches.find(({field:m})=>m==="path")),p=t[s.id].location;if(mu()){let m=encodeURIComponent(bo()),[h,v]=p.split("#",2);p=`${h}?h=${m.replace(/%20/g,"+")}`,typeof v<"u"&&(p+=`#${v}`)}return z("li",{children:z("a",{ref:m=>{o.current[c]=m},href:p,onClick:()=>Wt(),class:zt(pt.item,{[pt.active]:c===hn()}),children:[z("div",{class:pt.wrapper,children:[z("h2",{class:pt.title,children:l}),z("menu",{class:pt.path,children:u.map(m=>z("li",{children:m}))})]}),z("nav",{class:pt.actions,children:z(co,{children:z($u,{})})})]})})})})]})}var Wu={container:"e"};function Du(e){return Aa(!0,t=>{var r,n,o;if((t.metaKey||t.ctrlKey)&&t.key==="k")t.preventDefault(),Wt();else if((t.metaKey||t.ctrlKey)&&t.key==="j")document.body.classList.toggle("dark");else if(t.key==="Enter"&&!sr()){t.preventDefault(),Wt();let i=hn(),a=(n=(r=ot.value)==null?void 0:r.items[i])==null?void 0:n.id;(o=lr.value)!=null&&o.items[a].location&&(window.location.href=lr.value.items[a].location)}else t.key==="Escape"&&!sr()&&(t.preventDefault(),Wt())},[]),z("div",{class:Wu.container,children:[z(Mu,{hidden:sr()}),z(ju,{hidden:sr()})]})}function Ya(e,t){ou(e),xl(z(Du,{}),t)}function _o(){Wt()}function Vu(e,t){switch(e.constructor){case HTMLInputElement:return e.type==="radio"?/^Arrow/.test(t):!0;case HTMLSelectElement:case HTMLTextAreaElement:return!0;default:return e.isContentEditable}}function zu(){return R(b(window,"compositionstart").pipe(f(()=>!0)),b(window,"compositionend").pipe(f(()=>!1))).pipe(J(!1))}function Ga(){let e=b(window,"keydown").pipe(f(t=>({mode:sr()?"global":"search",type:t.key,meta:t.ctrlKey||t.metaKey,claim(){t.preventDefault(),t.stopPropagation()}})),L(({mode:t,type:r})=>{if(t==="global"){let n=xt();if(typeof n!="undefined")return!Vu(n,r)}return!0}),ye());return zu().pipe(g(t=>t?y:e))}function Be(){return new URL(location.href)}function dt(e,t=!1){if(X("navigation.instant")&&!t){let r=A("a",{href:e.href});document.body.appendChild(r),r.click(),r.remove()}else location.href=e.href}function Ja(){return new I}function Xa(){return location.hash.slice(1)}function Za(e){let t=A("a",{href:e});t.addEventListener("click",r=>r.stopPropagation()),t.click()}function yo(e){return R(b(window,"hashchange"),e).pipe(f(Xa),J(Xa()),L(t=>t.length>0),se(1))}function Qa(e){return yo(e).pipe(f(t=>Le(`[id="${t}"]`)),L(t=>typeof t!="undefined"))}function Rr(e){let t=matchMedia(e);return sn(r=>t.addListener(()=>r(t.matches))).pipe(J(t.matches))}function es(){let e=matchMedia("print");return R(b(window,"beforeprint").pipe(f(()=>!0)),b(window,"afterprint").pipe(f(()=>!1))).pipe(J(e.matches))}function xo(e,t){return e.pipe(g(r=>r?t():y))}function wo(e,t){return new U(r=>{let n=new XMLHttpRequest;return n.open("GET",`${e}`),n.responseType="blob",n.addEventListener("load",()=>{n.status>=200&&n.status<300?(r.next(n.response),r.complete()):r.error(new Error(n.statusText))}),n.addEventListener("error",()=>{r.error(new Error("Network error"))}),n.addEventListener("abort",()=>{r.complete()}),typeof(t==null?void 0:t.progress$)!="undefined"&&(n.addEventListener("progress",o=>{var i;if(o.lengthComputable)t.progress$.next(o.loaded/o.total*100);else{let a=(i=n.getResponseHeader("Content-Length"))!=null?i:0;t.progress$.next(o.loaded/+a*100)}}),t.progress$.next(5)),n.send(),()=>n.abort()})}function Qe(e,t){return wo(e,t).pipe(g(r=>r.text()),f(r=>JSON.parse(r)),se(1))}function wn(e,t){let r=new DOMParser;return wo(e,t).pipe(g(n=>n.text()),f(n=>r.parseFromString(n,"text/html")),se(1))}function ts(e,t){let r=new DOMParser;return wo(e,t).pipe(g(n=>n.text()),f(n=>r.parseFromString(n,"text/xml")),se(1))}var Eo={drawer:G("[data-md-toggle=drawer]"),search:G("[data-md-toggle=search]")};function To(e,t){Eo[e].checked!==t&&Eo[e].click()}function mr(e){let t=Eo[e];return b(t,"change").pipe(f(()=>t.checked),J(t.checked))}function rs(){return{x:Math.max(0,scrollX),y:Math.max(0,scrollY)}}function ns(){return R(b(window,"scroll",{passive:!0}),b(window,"resize",{passive:!0})).pipe(f(rs),J(rs()))}function os(){return{width:innerWidth,height:innerHeight}}function is(){return b(window,"resize",{passive:!0}).pipe(f(os),J(os()))}function as(){return ee([ns(),is()]).pipe(f(([e,t])=>({offset:e,size:t})),se(1))}function En(e,{viewport$:t,header$:r}){let n=t.pipe(fe("size")),o=ee([n,r]).pipe(f(()=>wt(e)));return ee([r,t,o]).pipe(f(([{height:i},{offset:a,size:s},{x:c,y:l}])=>({offset:{x:a.x-c,y:a.y-l+i},size:s})))}var qu=G("#__config"),dr=JSON.parse(qu.textContent);dr.base=`${new URL(dr.base,Be())}`;function Ue(){return dr}function X(e){return dr.features.includes(e)}function Bt(e,t){return typeof t!="undefined"?dr.translations[e].replace("#",t.toString()):dr.translations[e]}function ht(e,t=document){return G(`[data-md-component=${e}]`,t)}function we(e,t=document){return P(`[data-md-component=${e}]`,t)}function Ku(e){let t=G(".md-typeset > :first-child",e);return b(t,"click",{once:!0}).pipe(f(()=>G(".md-typeset",e)),f(r=>({hash:__md_hash(r.innerHTML)})))}function ss(e){if(!X("announce.dismiss")||!e.childElementCount)return y;if(!e.hidden){let t=G(".md-typeset",e);__md_hash(t.innerHTML)===__md_get("__announce")&&(e.hidden=!0)}return j(()=>{let t=new I;return t.subscribe(({hash:r})=>{e.hidden=!0,__md_set("__announce",r)}),Ku(e).pipe($(r=>t.next(r)),V(()=>t.complete()),f(r=>H({ref:e},r)))})}function Bu(e,{target$:t}){return t.pipe(f(r=>({hidden:r!==e})))}function cs(e,t){let r=new I;return r.subscribe(({hidden:n})=>{e.hidden=n}),Bu(e,t).pipe($(n=>r.next(n)),V(()=>r.complete()),f(n=>H({ref:e},n)))}function Oo(e,t){return t==="inline"?A("div",{class:"md-tooltip md-tooltip--inline",id:e,role:"tooltip"},A("div",{class:"md-tooltip__inner md-typeset"})):A("div",{class:"md-tooltip",id:e,role:"tooltip"},A("div",{class:"md-tooltip__inner md-typeset"}))}function Tn(...e){return A("div",{class:"md-tooltip2",role:"dialog"},A("div",{class:"md-tooltip2__inner md-typeset"},e))}function ls(...e){return A("div",{class:"md-tooltip2",role:"tooltip"},A("div",{class:"md-tooltip2__inner md-typeset"},e))}function us(e,t){if(t=t?`${t}_annotation_${e}`:void 0,t){let r=t?`#${t}`:void 0;return A("aside",{class:"md-annotation",tabIndex:0},Oo(t),A("a",{href:r,class:"md-annotation__index",tabIndex:-1},A("span",{"data-md-annotation-id":e})))}else return A("aside",{class:"md-annotation",tabIndex:0},Oo(t),A("span",{class:"md-annotation__index",tabIndex:-1},A("span",{"data-md-annotation-id":e})))}function ps(e){return A("button",{class:"md-code__button",title:Bt("clipboard.copy"),"data-clipboard-target":`#${e} > code`,"data-md-type":"copy"})}function fs(){return A("button",{class:"md-code__button",title:"Toggle line selection","data-md-type":"select"})}function ms(){return A("nav",{class:"md-code__nav"})}var Ju=yr(So());function hs(e){return A("ul",{class:"md-source__facts"},Object.entries(e).map(([t,r])=>A("li",{class:`md-source__fact md-source__fact--${t}`},typeof r=="number"?Li(r):r)))}function Lo(e){let t=`tabbed-control tabbed-control--${e}`;return A("div",{class:t,hidden:!0},A("button",{class:"tabbed-button",tabIndex:-1,"aria-hidden":"true"}))}function vs(e){return A("div",{class:"md-typeset__scrollwrap"},A("div",{class:"md-typeset__table"},e))}function Xu(e){var n;let t=Ue(),r=new URL(`../${e.version}/`,t.base);return A("li",{class:"md-version__item"},A("a",{href:`${r}`,class:"md-version__link"},e.title,((n=t.version)==null?void 0:n.alias)&&e.aliases.length>0&&A("span",{class:"md-version__alias"},e.aliases[0])))}function bs(e,t){var n;let r=Ue();return e=e.filter(o=>{var i;return!((i=o.properties)!=null&&i.hidden)}),A("div",{class:"md-version"},A("button",{class:"md-version__current","aria-label":Bt("select.version")},t.title,((n=r.version)==null?void 0:n.alias)&&t.aliases.length>0&&A("span",{class:"md-version__alias"},t.aliases[0])),A("ul",{class:"md-version__list"},e.map(Xu)))}var Zu=0;function Qu(e,t=250){let r=ee([ir(e),Ft(e,t)]).pipe(f(([o,i])=>o||i),ie()),n=j(()=>Ai(e)).pipe(oe(Ut),Mr(1),Xe(r),f(()=>Ci(e)));return r.pipe(Sr(o=>o),g(()=>ee([r,n])),f(([o,i])=>({active:o,offset:i})),ye())}function jr(e,t,r=250){let{content$:n,viewport$:o}=t,i=`__tooltip2_${Zu++}`;return j(()=>{let a=new I,s=new Fn(!1);a.pipe(he(),_e(!1)).subscribe(s);let c=s.pipe(Or(u=>ze(+!u*250,Wn)),ie(),g(u=>u?n:y),$(u=>u.id=i),ye());ee([a.pipe(f(({active:u})=>u)),c.pipe(g(u=>Ft(u,250)),J(!1))]).pipe(f(u=>u.some(p=>p))).subscribe(s);let l=s.pipe(L(u=>u),le(c,o),f(([u,p,{size:d}])=>{let m=e.getBoundingClientRect(),h=m.width/2;if(p.role==="tooltip")return{x:h,y:8+m.height};if(m.y>=d.height/2){let{height:v}=ke(p);return{x:h,y:-16-v}}else return{x:h,y:16+m.height}}));return ee([c,a,l]).subscribe(([u,{offset:p},d])=>{u.style.setProperty("--md-tooltip-host-x",`${p.x}px`),u.style.setProperty("--md-tooltip-host-y",`${p.y}px`),u.style.setProperty("--md-tooltip-x",`${d.x}px`),u.style.setProperty("--md-tooltip-y",`${d.y}px`),u.classList.toggle("md-tooltip2--top",d.y<0),u.classList.toggle("md-tooltip2--bottom",d.y>=0)}),s.pipe(L(u=>u),le(c,(u,p)=>p),L(u=>u.role==="tooltip")).subscribe(u=>{let p=ke(G(":scope > *",u));u.style.setProperty("--md-tooltip-width",`${p.width}px`),u.style.setProperty("--md-tooltip-tail","0px")}),s.pipe(ie(),Pe(je),le(c)).subscribe(([u,p])=>{p.classList.toggle("md-tooltip2--active",u)}),ee([s.pipe(L(u=>u)),c]).subscribe(([u,p])=>{p.role==="dialog"?(e.setAttribute("aria-controls",i),e.setAttribute("aria-haspopup","dialog")):e.setAttribute("aria-describedby",i)}),s.pipe(L(u=>!u)).subscribe(()=>{e.removeAttribute("aria-controls"),e.removeAttribute("aria-describedby"),e.removeAttribute("aria-haspopup")}),Qu(e,r).pipe($(u=>a.next(u)),V(()=>a.complete()),f(u=>H({ref:e},u)))})}function Ye(e,{viewport$:t},r=document.body){return jr(e,{content$:new U(n=>{let o=e.title,i=ls(o);return n.next(i),e.removeAttribute("title"),r.append(i),()=>{i.remove(),e.setAttribute("title",o)}}),viewport$:t},0)}function ep(e,t){let r=j(()=>ee([Hi(e),Ut(t)])).pipe(f(([{x:n,y:o},i])=>{let{width:a,height:s}=ke(e);return{x:n-i.x+a/2,y:o-i.y+s/2}}));return ir(e).pipe(g(n=>r.pipe(f(o=>({active:n,offset:o})),Me(+!n||1/0))))}function gs(e,t,{target$:r}){let[n,o]=Array.from(e.children);return j(()=>{let i=new I,a=i.pipe(he(),_e(!0));return i.subscribe({next({offset:s}){e.style.setProperty("--md-tooltip-x",`${s.x}px`),e.style.setProperty("--md-tooltip-y",`${s.y}px`)},complete(){e.style.removeProperty("--md-tooltip-x"),e.style.removeProperty("--md-tooltip-y")}}),Et(e).pipe(Q(a)).subscribe(s=>{e.toggleAttribute("data-md-visible",s)}),R(i.pipe(L(({active:s})=>s)),i.pipe(Ke(250),L(({active:s})=>!s))).subscribe({next({active:s}){s?e.prepend(n):n.remove()},complete(){e.prepend(n)}}),i.pipe(Je(16,je)).subscribe(({active:s})=>{n.classList.toggle("md-tooltip--active",s)}),i.pipe(Mr(125,je),L(()=>!!e.offsetParent),f(()=>e.offsetParent.getBoundingClientRect()),f(({x:s})=>s)).subscribe({next(s){s?e.style.setProperty("--md-tooltip-0",`${-s}px`):e.style.removeProperty("--md-tooltip-0")},complete(){e.style.removeProperty("--md-tooltip-0")}}),b(o,"click").pipe(Q(a),L(s=>!(s.metaKey||s.ctrlKey))).subscribe(s=>{s.stopPropagation(),s.preventDefault()}),b(o,"mousedown").pipe(Q(a),le(i)).subscribe(([s,{active:c}])=>{var l;if(s.button!==0||s.metaKey||s.ctrlKey)s.preventDefault();else if(c){s.preventDefault();let u=e.parentElement.closest(".md-annotation");u instanceof HTMLElement?u.focus():(l=xt())==null||l.blur()}}),r.pipe(Q(a),L(s=>s===n),lt(125)).subscribe(()=>e.focus()),ep(e,t).pipe($(s=>i.next(s)),V(()=>i.complete()),f(s=>H({ref:e},s)))})}function tp(e){let t=Ue();if(e.tagName!=="CODE")return[e];let r=[".c",".c1",".cm"];if(t.annotate){let n=e.closest("[class|=language]");if(n)for(let o of Array.from(n.classList)){if(!o.startsWith("language-"))continue;let[,i]=o.split("-");i in t.annotate&&r.push(...t.annotate[i])}}return P(r.join(", "),e)}function rp(e){let t=[];for(let r of tp(e)){let n=[],o=document.createNodeIterator(r,NodeFilter.SHOW_TEXT);for(let i=o.nextNode();i;i=o.nextNode())n.push(i);for(let i of n){let a;for(;a=/(\(\d+\))(!)?/.exec(i.textContent);){let[,s,c]=a;if(typeof c=="undefined"){let l=i.splitText(a.index);i=l.splitText(s.length),t.push(l)}else{i.textContent=s,t.push(i);break}}}}return t}function _s(e,t){t.append(...Array.from(e.childNodes))}function On(e,t,{target$:r,print$:n}){let o=t.closest("[id]"),i=o==null?void 0:o.id,a=new Map;for(let s of rp(t)){let[,c]=s.textContent.match(/\((\d+)\)/);Le(`:scope > li:nth-child(${c})`,e)&&(a.set(c,us(c,i)),s.replaceWith(a.get(c)))}return a.size===0?y:j(()=>{let s=new I,c=s.pipe(he(),_e(!0)),l=[];for(let[u,p]of a)l.push([G(".md-typeset",p),G(`:scope > li:nth-child(${u})`,e)]);return n.pipe(Q(c)).subscribe(u=>{e.hidden=!u,e.classList.toggle("md-annotation-list",u);for(let[p,d]of l)u?_s(p,d):_s(d,p)}),R(...[...a].map(([,u])=>gs(u,t,{target$:r}))).pipe(V(()=>s.complete()),ye())})}function ys(e){if(e.nextElementSibling){let t=e.nextElementSibling;if(t.tagName==="OL")return t;if(t.tagName==="P"&&!t.children.length)return ys(t)}}function xs(e,t){return j(()=>{let r=ys(e);return typeof r!="undefined"?On(r,e,t):y})}var Es=yr(ko());var np=0,ws=R(b(window,"keydown").pipe(f(()=>!0)),R(b(window,"keyup"),b(window,"contextmenu")).pipe(f(()=>!1))).pipe(J(!1),se(1));function Ts(e){if(e.nextElementSibling){let t=e.nextElementSibling;if(t.tagName==="OL")return t;if(t.tagName==="P"&&!t.children.length)return Ts(t)}}function op(e){return Re(e).pipe(f(({width:t})=>({scrollable:kr(e).width>t})),fe("scrollable"))}function Os(e,t){let{matches:r}=matchMedia("(hover)"),n=j(()=>{let o=new I,i=o.pipe(Yn(1));o.subscribe(({scrollable:m})=>{m&&r?e.setAttribute("tabindex","0"):e.removeAttribute("tabindex")});let a=[],s=e.closest("pre"),c=s.closest("[id]"),l=c?c.id:np++;s.id=`__code_${l}`;let u=[],p=e.closest(".highlight");if(p instanceof HTMLElement){let m=Ts(p);if(typeof m!="undefined"&&(p.classList.contains("annotate")||X("content.code.annotate"))){let h=On(m,e,t);u.push(Re(p).pipe(Q(i),f(({width:v,height:O})=>v&&O),ie(),g(v=>v?h:y)))}}let d=P(":scope > span[id]",e);if(d.length&&(e.classList.add("md-code__content"),e.closest(".select")||X("content.code.select")&&!e.closest(".no-select"))){let m=+d[0].id.split("-").pop(),h=fs();a.push(h),X("content.tooltips")&&u.push(Ye(h,{viewport$}));let v=b(h,"click").pipe(Lr(M=>!M,!1),$(()=>h.blur()),ye());v.subscribe(M=>{h.classList.toggle("md-code__button--active",M)});let O=me(d).pipe(oe(M=>Ft(M).pipe(f(S=>[M,S]))));v.pipe(g(M=>M?O:y)).subscribe(([M,S])=>{let N=Le(".hll.select",M);if(N&&!S)N.replaceWith(...Array.from(N.childNodes));else if(!N&&S){let te=document.createElement("span");te.className="hll select",te.append(...Array.from(M.childNodes).slice(1)),M.append(te)}});let x=me(d).pipe(oe(M=>b(M,"mousedown").pipe($(S=>S.preventDefault()),f(()=>M)))),w=v.pipe(g(M=>M?x:y),le(ws),f(([M,S])=>{var te;let N=d.indexOf(M)+m;if(S===!1)return[N,N];{let ue=P(".hll",e).map(ce=>d.indexOf(ce.parentElement)+m);return(te=window.getSelection())==null||te.removeAllRanges(),[Math.min(N,...ue),Math.max(N,...ue)]}})),_=yo(y).pipe(L(M=>M.startsWith(`__codelineno-${l}-`)));_.subscribe(M=>{let[,,S]=M.split("-"),N=S.split(":").map(ue=>+ue-m+1);N.length===1&&N.push(N[0]);for(let ue of P(".hll:not(.select)",e))ue.replaceWith(...Array.from(ue.childNodes));let te=d.slice(N[0]-1,N[1]);for(let ue of te){let ce=document.createElement("span");ce.className="hll",ce.append(...Array.from(ue.childNodes).slice(1)),ue.append(ce)}}),_.pipe(Me(1),Pe(ge)).subscribe(M=>{if(M.includes(":")){let S=document.getElementById(M.split(":")[0]);S&&setTimeout(()=>{let N=S,te=-64;for(;N!==document.body;)te+=N.offsetTop,N=N.offsetParent;window.scrollTo({top:te})},1)}});let be=me(P('a[href^="#__codelineno"]',p)).pipe(oe(M=>b(M,"click").pipe($(S=>S.preventDefault()),f(()=>M)))).pipe(Q(i),le(ws),f(([M,S])=>{let te=+G(`[id="${M.hash.slice(1)}"]`).parentElement.id.split("-").pop();if(S===!1)return[te,te];{let ue=P(".hll",e).map(ce=>+ce.parentElement.id.split("-").pop());return[Math.min(te,...ue),Math.max(te,...ue)]}}));R(w,be).subscribe(M=>{let S=`#__codelineno-${l}-`;M[0]===M[1]?S+=M[0]:S+=`${M[0]}:${M[1]}`,history.replaceState({},"",S),window.dispatchEvent(new HashChangeEvent("hashchange",{newURL:window.location.origin+window.location.pathname+S,oldURL:window.location.href}))})}if(Es.default.isSupported()&&(e.closest(".copy")||X("content.code.copy")&&!e.closest(".no-copy"))){let m=ps(s.id);a.push(m),X("content.tooltips")&&u.push(Ye(m,{viewport$}))}if(a.length){let m=ms();m.append(...a),s.insertBefore(m,e)}return op(e).pipe($(m=>o.next(m)),V(()=>o.complete()),f(m=>H({ref:e},m)),Rt(R(...u).pipe(Q(i))))});return X("content.lazy")?Et(e).pipe(L(o=>o),Me(1),g(()=>n)):n}function ip(e,{target$:t,print$:r}){let n=!0;return R(t.pipe(f(o=>o.closest("details:not([open])")),L(o=>e===o),f(()=>({action:"open",reveal:!0}))),r.pipe(L(o=>o||!n),$(()=>n=e.open),f(o=>({action:o?"open":"close"}))))}function Ss(e,t){return j(()=>{let r=new I;return r.subscribe(({action:n,reveal:o})=>{e.toggleAttribute("open",n==="open"),o&&e.scrollIntoView()}),ip(e,t).pipe($(n=>r.next(n)),V(()=>r.complete()),f(n=>H({ref:e},n)))})}var Ls=0;function ap(e){let t=document.createElement("h3");t.innerHTML=e.innerHTML;let r=[t],n=e.nextElementSibling;for(;n&&!(n instanceof HTMLHeadingElement);)r.push(n),n=n.nextElementSibling;return r}function sp(e,t){for(let r of P("[href], [src]",e))for(let n of["href","src"]){let o=r.getAttribute(n);if(o&&!/^(?:[a-z]+:)?\/\//i.test(o)){r[n]=new URL(r.getAttribute(n),t).toString();break}}for(let r of P("[name^=__], [for]",e))for(let n of["id","for","name"]){let o=r.getAttribute(n);o&&r.setAttribute(n,`${o}$preview_${Ls}`)}return Ls++,Y(e)}function Ms(e,t){let{sitemap$:r}=t;if(!(e instanceof HTMLAnchorElement))return y;if(!(X("navigation.instant.preview")||e.hasAttribute("data-preview")))return y;e.removeAttribute("title");let n=ee([ir(e),Ft(e)]).pipe(f(([i,a])=>i||a),ie(),L(i=>i));return Pt([r,n]).pipe(g(([i])=>{let a=new URL(e.href);return a.search=a.hash="",i.has(`${a}`)?Y(a):y}),g(i=>wn(i).pipe(g(a=>sp(a,i)))),g(i=>{let a=e.hash?`article [id="${e.hash.slice(1)}"]`:"article h1",s=Le(a,i);return typeof s=="undefined"?y:Y(ap(s))})).pipe(g(i=>{let a=new U(s=>{let c=Tn(...i);return s.next(c),document.body.append(c),()=>c.remove()});return jr(e,H({content$:a},t))}))}var ks=".node circle,.node ellipse,.node path,.node polygon,.node rect{fill:var(--md-mermaid-node-bg-color);stroke:var(--md-mermaid-node-fg-color)}marker{fill:var(--md-mermaid-edge-color)!important}.edgeLabel .label rect{fill:#0000}.flowchartTitleText{fill:var(--md-mermaid-label-fg-color)}.label{color:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}.label foreignObject{line-height:normal;overflow:visible}.label div .edgeLabel{color:var(--md-mermaid-label-fg-color)}.edgeLabel,.edgeLabel p,.label div .edgeLabel{background-color:var(--md-mermaid-label-bg-color)}.edgeLabel,.edgeLabel p{fill:var(--md-mermaid-label-bg-color);color:var(--md-mermaid-edge-color)}.edgePath .path,.flowchart-link{stroke:var(--md-mermaid-edge-color)}.edgePath .arrowheadPath{fill:var(--md-mermaid-edge-color);stroke:none}.cluster rect{fill:var(--md-default-fg-color--lightest);stroke:var(--md-default-fg-color--lighter)}.cluster span{color:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}g #flowchart-circleEnd,g #flowchart-circleStart,g #flowchart-crossEnd,g #flowchart-crossStart,g #flowchart-pointEnd,g #flowchart-pointStart{stroke:none}.classDiagramTitleText{fill:var(--md-mermaid-label-fg-color)}g.classGroup line,g.classGroup rect{fill:var(--md-mermaid-node-bg-color);stroke:var(--md-mermaid-node-fg-color)}g.classGroup text{fill:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}.classLabel .box{fill:var(--md-mermaid-label-bg-color);background-color:var(--md-mermaid-label-bg-color);opacity:1}.classLabel .label{fill:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}.node .divider{stroke:var(--md-mermaid-node-fg-color)}.relation{stroke:var(--md-mermaid-edge-color)}.cardinality{fill:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}.cardinality text{fill:inherit!important}defs marker.marker.composition.class path,defs marker.marker.dependency.class path,defs marker.marker.extension.class path{fill:var(--md-mermaid-edge-color)!important;stroke:var(--md-mermaid-edge-color)!important}defs marker.marker.aggregation.class path{fill:var(--md-mermaid-label-bg-color)!important;stroke:var(--md-mermaid-edge-color)!important}.statediagramTitleText{fill:var(--md-mermaid-label-fg-color)}g.stateGroup rect{fill:var(--md-mermaid-node-bg-color);stroke:var(--md-mermaid-node-fg-color)}g.stateGroup .state-title{fill:var(--md-mermaid-label-fg-color)!important;font-family:var(--md-mermaid-font-family)}g.stateGroup .composit{fill:var(--md-mermaid-label-bg-color)}.nodeLabel,.nodeLabel p{color:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}a .nodeLabel{text-decoration:underline}.node circle.state-end,.node circle.state-start,.start-state{fill:var(--md-mermaid-edge-color);stroke:none}.end-state-inner,.end-state-outer{fill:var(--md-mermaid-edge-color)}.end-state-inner,.node circle.state-end{stroke:var(--md-mermaid-label-bg-color)}.transition{stroke:var(--md-mermaid-edge-color)}[id^=state-fork] rect,[id^=state-join] rect{fill:var(--md-mermaid-edge-color)!important;stroke:none!important}.statediagram-cluster.statediagram-cluster .inner{fill:var(--md-default-bg-color)}.statediagram-cluster rect{fill:var(--md-mermaid-node-bg-color);stroke:var(--md-mermaid-node-fg-color)}.statediagram-state rect.divider{fill:var(--md-default-fg-color--lightest);stroke:var(--md-default-fg-color--lighter)}defs #statediagram-barbEnd{stroke:var(--md-mermaid-edge-color)}[id^=entity] path,[id^=entity] rect{fill:var(--md-default-bg-color)}.relationshipLine{stroke:var(--md-mermaid-edge-color)}defs .marker.oneOrMore.er *,defs .marker.onlyOne.er *,defs .marker.zeroOrMore.er *,defs .marker.zeroOrOne.er *{stroke:var(--md-mermaid-edge-color)!important}text:not([class]):last-child{fill:var(--md-mermaid-label-fg-color)}.actor{fill:var(--md-mermaid-sequence-actor-bg-color);stroke:var(--md-mermaid-sequence-actor-border-color)}text.actor>tspan{fill:var(--md-mermaid-sequence-actor-fg-color);font-family:var(--md-mermaid-font-family)}line{stroke:var(--md-mermaid-sequence-actor-line-color)}.actor-man circle,.actor-man line{fill:var(--md-mermaid-sequence-actorman-bg-color);stroke:var(--md-mermaid-sequence-actorman-line-color)}.messageLine0,.messageLine1{stroke:var(--md-mermaid-sequence-message-line-color)}.note{fill:var(--md-mermaid-sequence-note-bg-color);stroke:var(--md-mermaid-sequence-note-border-color)}.loopText,.loopText>tspan,.messageText,.noteText>tspan{stroke:none;font-family:var(--md-mermaid-font-family)!important}.messageText{fill:var(--md-mermaid-sequence-message-fg-color)}.loopText,.loopText>tspan{fill:var(--md-mermaid-sequence-loop-fg-color)}.noteText>tspan{fill:var(--md-mermaid-sequence-note-fg-color)}#arrowhead path{fill:var(--md-mermaid-sequence-message-line-color);stroke:none}.loopLine{fill:var(--md-mermaid-sequence-loop-bg-color);stroke:var(--md-mermaid-sequence-loop-border-color)}.labelBox{fill:var(--md-mermaid-sequence-label-bg-color);stroke:none}.labelText,.labelText>span{fill:var(--md-mermaid-sequence-label-fg-color);font-family:var(--md-mermaid-font-family)}.sequenceNumber{fill:var(--md-mermaid-sequence-number-fg-color)}rect.rect{fill:var(--md-mermaid-sequence-box-bg-color);stroke:none}rect.rect+text.text{fill:var(--md-mermaid-sequence-box-fg-color)}defs #sequencenumber{fill:var(--md-mermaid-sequence-number-bg-color)!important}";var Ao,lp=0;function up(){return typeof mermaid=="undefined"||mermaid instanceof Element?ar("https://unpkg.com/mermaid@11/dist/mermaid.min.js"):Y(void 0)}function As(e){return e.classList.remove("mermaid"),Ao||(Ao=up().pipe($(()=>mermaid.initialize({startOnLoad:!1,themeCSS:ks,sequence:{actorFontSize:"16px",messageFontSize:"16px",noteFontSize:"16px"}})),f(()=>{}),se(1))),Ao.subscribe(()=>Uo(null,null,function*(){e.classList.add("mermaid");let t=`__mermaid_${lp++}`,r=A("div",{class:"mermaid"}),n=e.textContent,{svg:o,fn:i}=yield mermaid.render(t,n),a=r.attachShadow({mode:"closed"});a.innerHTML=o,e.replaceWith(r),i==null||i(a)})),Ao.pipe(f(()=>({ref:e})))}var Cs=A("table");function Hs(e){return e.replaceWith(Cs),Cs.replaceWith(vs(e)),Y({ref:e})}function pp(e){let t=e.find(r=>r.checked)||e[0];return R(...e.map(r=>b(r,"change").pipe(f(()=>G(`label[for="${r.id}"]`))))).pipe(J(G(`label[for="${t.id}"]`)),f(r=>({active:r})))}function $s(e,{viewport$:t,target$:r}){let n=G(".tabbed-labels",e),o=P(":scope > input",e),i=Lo("prev");e.append(i);let a=Lo("next");return e.append(a),j(()=>{let s=new I,c=s.pipe(he(),_e(!0));ee([s,Re(e),Et(e)]).pipe(Q(c),Je(1,je)).subscribe({next([{active:l},u]){let p=wt(l),{width:d}=ke(l);e.style.setProperty("--md-indicator-x",`${p.x}px`),e.style.setProperty("--md-indicator-width",`${d}px`);let m=un(n);(p.x=t.count.fields)return{documents:r,terms:l};let o=t.shards[n];return e.forEach(a=>{let{occurrences:s}=o.terms[a];for(let u=0;uDefintions
-
+
@@ -361,10 +332,12 @@
-
+
-
+
+
+
diff --git a/deploy/includes/snippets.yml b/deploy/includes/snippets.yml
new file mode 100755
index 0000000..e69de29
diff --git a/site/index.html b/deploy/index.html
old mode 100644
new mode 100755
similarity index 88%
rename from site/index.html
rename to deploy/index.html
index 273de92..ebb2125
--- a/site/index.html
+++ b/deploy/index.html
@@ -9,7 +9,7 @@
-
+
@@ -23,7 +23,7 @@
-
+
@@ -34,7 +34,7 @@
-
+
@@ -42,35 +42,6 @@
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
@@ -87,9 +58,9 @@
-
+
-
+
@@ -105,7 +76,7 @@
-
+
@@ -125,7 +96,7 @@
I worked on brands such as Windhoek Beer, Hyundai, Vitaminwater, Sanlam (financial services), Lucky Star (food), and Club Mykonos (accommodation) in print, radio, online, and television. Campaigns where I was the Copywriter have won Gold, Silver, and Bronze Loeries; a Silver Cannes Lion; and a Bronze Clio.
Communications Specialist Allan Gray(1)I created and edited investment content for radio, print, and online; worked in public relations to prepare executives for inrterviews; managed the creation of webinars for outreach to advisers and other creative projects.
Content Manager Yoco(1)Built a content hub from its foundations - including building a team of freelance writers across the country to supply the content. I was involved in developing content for content marketing campaigns and multimedia stories about merchants.
Senior Technical Writer Mambu(1)I was promoted to team lead to manage and mentor two other technical writers. This shifted my role into more managerial tasks on top of working on documentation.
Maintained legacy API ReferenceThe API References included old documentation that needed to maintenance for clients that had not yet migrated to the latest versions of the REST API.
Documented integrations and CLIDocumented integrations with services like nCino and Wise, and documented the Mambu Process Orchestrator - which managed these connections. Also documented the Mambu CLI for external engineers to connect to the back-end.
OpenAPI Specification Hugo Shell JavaScript TypeScript Current Documentation Engineer SPREAD.ai(1)As the first hired technical writer, I established documentation as a function in the company. This includes creating the processes for the Engineering and Product teams to include documentation as a part of the software cycle and onboarding new joiners.
Set up the technical infrastructureBuilt the documentation operations infrastructure from scratch using a Docs-as-Code approach. This included getting a portal up in the first month, building the CI/CD pipeline for publishing and linting content in the first quarter, and setting the procedure for in-app documentation.
Achieved 75% product coverageDocumented three quarters of the product range with the first documentation set published in the first three months. The product range has since shifted, but coverage remains high - despite being the only person maintaining documentation.
GraphQL MkDocs Material Markdown Jinja Vale Ollama Docker Python JavaScript WritingWriting is my primary skill and I'm capable of writing in different formats using different mediums to persuade, teach, and engage. I've been writing professionally for over 15 years and privately since as far as memory can recall.
Documented REST APIs and GraphQL. With REST APIs worked with a system where annotations in the source code automatically created the reference.
Created developer-focused documentation to create integrations with other financial services and orchestrate services.
Read developer docsDocumented Point-of-Sale (POS) devices for small business owners to use. This involved getting user feedback to understand how users were using the devices.
Created explainer content to give readers an understanding of concepts or ideas behind a tool,technology, or application.
See the overview docsDocumentation for performing actions and using a tool or an application.
Read the tutorialReference content is like a dictionary: a term and its definition in a list. I've created glossaries and technical references for developers and non-developers.
I've created courses for more in-depth teaching that combines theory and practice in a set lesson plan.
Open the intro courseI have written and edited scripts for television and radio, including this advert.
As a one-man technical writing department, my technical skills are important to maintaining Documentation Operations (DocOps) and building infrastructure. I create, service, and maintain all the technical aspects of documentation.
Web development html, javascript, css, sass, python, static site generators, node.js, yaml, appsmith DocOps and automation github workflows, vale linting, shell scripting, node red Reading and writing code javascript, python, json, xpath, yaml, openapi spec, graphql, markdown Machine learning ollama, deepseek, qwen, llama, agents, chatbots, comfyui, openweb-ui Built the documentation site of SPREAD.ai and the CI/CD pipeline and review automation process.sequenceDiagram\nautonumber\nβπ½ writer->>βπ½ writer: Collect feedback\nβπ½ writer->>βπ½ writer: Brainstorm content ideas\nβπ½ writer->>βπ½ writer: Write draft content\nβπ½ writer->>π§π½βπ§ technical expert: Check the draft for technical accuracy\nπ§π½βπ§ technical expert->>π§π½βπ§ technical expert: Check content\nNote right of π§π½βπ§ technical expert: Identify issues with draft\nπ§π½βπ§ technical expert-->>βπ½ writer: Revert with issues to fix\nβπ½ writer->>βπ½ writer: Fix issues and send back\nπ§π½βπ§ technical expert->>π§π½βπ§ technical expert: Check content\nNote right of π§π½βπ§ technical expert: Pass content\nπ§π½βπ§ technical expert-->>βπ½ writer: Return pass\nβπ½ writer->>βπ½ other writer: Check draft for language\nβπ½ other writer->>βπ½ other writer: Review language and understanding\nNote right of βπ½ other writer: Note improvements\nβπ½ other writer->>βπ½ writer: Send notes for improvement\nβπ½ writer->>βπ½ writer: Make improvements\nβπ½ writer->>π€ automated check: Check using AI and/or Vale\nπ€ automated check->>βπ½ writer: Return fixes\nβπ½ writer->>βπ½ writer: Prepare and publish final draft Process Publishing content, reviewing content, and managing a tehcnical writing team involves creating processes around people. As a team lead, I've had to define priorities for the documentation function; mentor and manage other writers; create writing and review processes; measure impact; and manage relationships with software engineering teams, marketing and sales, and executives.
","path":["ResumΓ©"],"tags":[]},{"location":"writing/","level":1,"title":"Writing","text":"sawubona, i'm g* and i like making pretty arrangements of words","path":["Writing"],"tags":[]},{"location":"qself/qself/","level":1,"title":"Overview","text":"According to legend, the first maxim of the Oracle of Delphi - said to spring from Apollo himself - is to know yourself. Or in Greek: nosce te ipsum, temet nosce. Repeated twice for emphasis and for nuance. Know yourself, to your own self be known. To know and have knowledge of yourself and then to process that knowledge. To know and to accept.
The purpose of what has been a decades-long interest for me is exactly that, but a little more. What value do the days 23 September 2004, or 8 July 1995, or 17 February 2017 have if they are remembered and known nowhere. Who were you on these days? We edit our lives like film editors, cutting out the boring bits - but are these not the foundation of who we are. The accumulation of a person are the days without monumental events - where a series of small and large decisions define you, who you were, and who you will be. And in that way this project is also a data diary of a person. In an age where social media networks, search engines, and a hungry horde of algorithms know us better than we know ourselves - this project is my redoubt. I should be the expert of myself, and I should endeavour to be better for that challenge.
This documentation set covers the mechanism of collecting, analysing, and displaying information about myself to myself. As such, the primary reader is me - but if you find something of use, please feel free to use it. There will be typos, broken processes, and periods of inactivity - because life doesn't stop for measurements.
","path":["Overview"],"tags":["HTML","JavaScript","CSS","Python","Shell","Logic","Manual","Database","Collect","Validate","Display","Sync","Analyse","Predict","Watch","Mobile","Laptop"]},{"location":"qself/qself/#principles","level":2,"title":"Principles","text":"Own all the data exclusively Avoid storing any data on external services, even temporarily. This especially applies to health data.
Delete nothing Preserve all collected and validated data, as it may have an unimagined use in the future.
Automate as much as possible Automate as much of the collection of data as possible to avoid influencing the results. The process should not impinge on the output.
","path":["Overview"],"tags":["HTML","JavaScript","CSS","Python","Shell","Logic","Manual","Database","Collect","Validate","Display","Sync","Analyse","Predict","Watch","Mobile","Laptop"]},{"location":"qself/qself/#data-collected","level":2,"title":"Data collected","text":"This list may grow and contract over time, as new data sources are added and others are hidden.
Financial: Daily transactions (amount, time, date, category, subcategory, accounts, currency, location, brand, item, liquid balance), Investments (amount, asset type, region, growth/loss), Assets (details, cost, serial, logistics)
Health: Exercise (reps, sets, exercises, bpm, location, weather), Metrics (heart rate, resting heart rate, average heart rate, weight, height, haemotocrit, haemoglobin, eosinophils, basophils, lymphocytes, monocytes, neutrophils, platelet count, red cell count, white cell count, mean cell haemoglobin, mean cell volume, mean cell volume, mean corpuscular haemoglobin, red blood width, esr, systolic, diastolic, waist circumference, body fat, chest circumference, thigh circumference, body fat mass, skeletal muscle mass, visceral fat, body water, total cholesterol, hdl cholesterol, ldl cholesterol, triglyceride, pGlucose fasting, anion gap, bicarbonate, chloride, potassium, sodium, urea, creatinine, b12, ferritin, tsh, freet4, thyroid peroxidase, eye axis, eye cylinder, eye sphere, vo2max, avgspo2, sperm motility, sperm count), Sleep (sleep phases, duration, location, weather, air pressure, ambient light, sleep time, awake time)
Mental: Media (books, movies, tv, theatre, exhibitions), Productivity (focus sessions), Activities (reading, writing, media, art, games, meditation, technical, media, piano, design)
Diagram: Data cycle
","path":["Overview"],"tags":["HTML","JavaScript","CSS","Python","Shell","Logic","Manual","Database","Collect","Validate","Display","Sync","Analyse","Predict","Watch","Mobile","Laptop"]},{"location":"qself/qself/#roadmap","level":2,"title":"Roadmap","text":"Work on this project is planned and managed on this task board.
","path":["Overview"],"tags":["HTML","JavaScript","CSS","Python","Shell","Logic","Manual","Database","Collect","Validate","Display","Sync","Analyse","Predict","Watch","Mobile","Laptop"]},{"location":"qself/financial/","level":1,"title":"Financial","text":"The financial aspect of the qSelf project tracks and processes expenses, investments, income, assets, and logistics:
To keep financial information accurate, the reconciliation flows run on a set schedule to check that the liquid money available, investment portfolio value, asset value, and other balances correspond with the reality. This is the primary function of the 4 Finances flow, which serves all the other financial subflows.
TBC
","path":["Financial"],"tags":["HTML","JavaScript","CSS","Logic"]},{"location":"qself/financial/transactions/","level":1,"title":"Transactions","text":"All financial tracking starts as a transaction, which has the following structure.
| Parameter | Type | Description | Required |
The logic for collecting transactions is handled by the 4a Transactions flow in Automate, which presents an input form, returns the data via query parameters, and enriches the data with exchange rate information, where necessary, and unit cost calculations.
TBC
","path":["Transactions"],"tags":[]},{"location":"qself/getting-started/","level":1,"title":"Getting started","text":"The qSelf project is made up of a number of inter-connected components:
Components are immutable, but the tools that make them work are replaceable and interchangeable.
Diagram: Topology of the qSelf system
","path":["Getting started"],"tags":[]},{"location":"qself/getting-started/#install","level":2,"title":"Install","text":"","path":["Getting started"],"tags":[]},{"location":"qself/getting-started/#1-install-all-applications-and-tools","level":3,"title":"1. Install all applications and tools","text":"Install all applications in the toolset table. This includes CLI tools that are listed in the Termux row, and plugins for Automate.
","path":["Getting started"],"tags":[]},{"location":"qself/getting-started/#2-clone-the-project-repo","level":3,"title":"2. Clone the project repo","text":"Clone the project repo to the root of your user space on your mobile device using Termux and the following commands:
cd /storage/emulated/0/\ngit clone git@github.com:gugulet-hu/qself-process.git\n","path":["Getting started"],"tags":[]},{"location":"qself/getting-started/#3-import-flows-into-automate-and-displays-into-kustom","level":3,"title":"3. Import flows into Automate and displays into Kustom","text":"Import the latest.flo files in each of the directories in the qself-process/Automate/ folder. Inside Automate, the dot menu in the top-left corner includes the option to Import. Import the files in the qself-process/Kustom/wallpapers/ folder into KLWP and import the files in the qself-process/Kustom/watchfaces/ folder into KWCH.
Configure the root settings in qself-process/Automate/.demo-config.json file and rename the file to .config.json.
","path":["Getting started"],"tags":[]},{"location":"qself/getting-started/#5-start-the-1-context-flow-in-automate","level":3,"title":"5. Start the1 Context flow in Automate","text":"","path":["Getting started"],"tags":[]},{"location":"qself/getting-started/#toolset","level":2,"title":"Toolset","text":"Component Tool Device Description Install Learn Logical Python Python is a general purpose programming language used for data analysis and various scripts. Python TreeHouse Automate Automate is a graphical code tool to create and manage logic on the mobile device. The project also requires these Tasker plugins: AutoWear, AutoInput, Termux:Tasker, Sleep as Android, and Kustom (the last two apps come with their respective Automate plugins). Google Play LlamaLab Sensory wearOS device Any wearOS compatible smartwatch. The TicWatch Pro 5 is recommended for its battery life and general ease of use. It can also be rooted quite easily, unlike Samsung devices. TicWatch Android smartphone The smartphone is a fallback option for certain types of sensory input, such as Steps. The Pixel series is a lean option without the junkware from other Android device manufacturers. You can overlay it with Graphene OS to somewhat protect yourself from Google tracking and annoyances. Pixel Sleep as Android This app is the most reliable sleep tracker for Android. Make sure to turn off the features that send your data to the developer. It is deeply integrated into the way the sleep track flow works. Google Play Docs Input and Display HTML HTML is required foundational knowledge to create web screens to accept manual inputs. CSS CSS is required foundational knowledge to create web screens to accept manual inputs. Better yet, Sass to manage the complexity of some of the input screens. JavaScript JavaScript is required foundational knowledge to create web screens to accept manual inputs. Some JS is also required for using advanced Automate techniques. KLWP Kustom Live Wallpaper allows you to create interactive home screens and is a pretty powerful logical engine of its own. Most of the data is piped to the home screen dashboard for easy access. Google Play Kustom KWCH Kustom Watch Face allows you to create watch faces using the Kustom interface. Like KLWP, it is also capable of doing logical operations. Google Play Kustom Analytical TBA Storage and Sync SQLCipher SQLCipher is the secure version of SQLite. The commands and queries are largely the same, except for the parts to access the database. GitHub Zetetic TablePlus GUI tool for relational databases. In this project used to manually edit the database when things go wrong. Also useful to create queries. TablePlus Docs Termux Termux is a terminal for Android that allows you to send commands for many popular application. For this project it is used for git commands and a couple of advanced techniques. The following packages are installed using the pkg install <package> command: curl, gh, git, openssh, python, sqlcipher, termux-api, and termux-tools. GitHub Termux iTerm2 iTerm is my preferred console for macOS. See the description for Termux for which CLI tools to install using the command brew install <package>. Homebrew will also need to be installed. iTerm Docs Syncthing Syncthing syncs folders and files across devices. Used to keep the project files updated between the laptop and the smartphone. Syncthing Docs","path":["Getting started"],"tags":[]},{"location":"qself/health/exercise/","level":1,"title":"Test","text":"","path":["Test"],"tags":[]},{"location":"qself/health/metrics/","level":1,"title":"Test","text":"","path":["Test"],"tags":[]},{"location":"qself/health/sleep/","level":1,"title":"Test","text":"","path":["Test"],"tags":[]},{"location":"qself/mental/emotional/","level":1,"title":"Test","text":"","path":["Test"],"tags":[]},{"location":"qself/mental/media/","level":1,"title":"Test","text":"","path":["Test"],"tags":[]},{"location":"qself/mental/productivity/","level":1,"title":"Test","text":"","path":["Test"],"tags":[]},{"location":"qself/reference/devices/","level":1,"title":"Devices","text":"","path":["Devices"],"tags":["Watch","Mobile","Laptop"]},{"location":"qself/reference/devices/#mobile","level":2,"title":"Mobile","text":"The mobile device used in the qSelf project needs to run the Android operating system; preferably the latest version. Most manufacturers add cruft to their devices, so the Pixel series is recommended for its focus on the pure Android experience. Furthermore, the Graphene-flavoured version of Android gives you more control of your privacy and device use compared to standard Android. The device should be unrooted, but with Developer options enabled. This lets you use the Android Debug Bridge (ADB).
To install Graphene, see their user guide for instructions.
","path":["Devices"],"tags":["Watch","Mobile","Laptop"]},{"location":"qself/reference/devices/#watch","level":2,"title":"Watch","text":"Similarly to the mobile device, the smartwatch needs to run wearOS 3+. The TicWatch series of smartwatches has good battery life and a reasonable number of sensors. You may need to disable or remove additional software added by the manufacturer to get better battery life and less interference. The device should be unrooted, but with Developer options enabled. This lets wirelessly connect using ADB.
The commands that follow can help you debloat your device and make it run smoother.
","path":["Devices"],"tags":["Watch","Mobile","Laptop"]},{"location":"qself/reference/devices/#connect-to-device","level":3,"title":"Connect to device","text":"Once you have enabled ADB via wi-fi and you have the device's address you can connect to the device run the following command from your terminal or console.
CodeExampleadb connect <IP-address>\nadb connect <IP-address>:<Port>\n adb connect 192.168.123.132\nadb connect 192.168.123.132:12345\n Part Description Required adb The Android Debugging Bridge CLI tool. To install it on Termux, use: pkg install android-tools. To install it on macOS, using homebrew: brew install android-tools. Yes connect The command to connect over wi-fi to the device. Yes <IP-address> You can find the IP address on your device when you turn on ADB over wi-fi. It is usually located in Settings > Developer options > Wireless debugging. The command to connect without the port number may be necessary to prompt the permissions dialog, which confirms that you want to connect to this device on the first attempt. Yes <Port> The port number can usually be found in Settings > Developer options > Wireless debugging. The port number is required when there is more than one device connected via ADB. No","path":["Devices"],"tags":["Watch","Mobile","Laptop"]},{"location":"qself/reference/devices/#grant-permissions-to-apps","level":3,"title":"Grant permissions to apps","text":"To allow autoWear, for example, to change secure settings (such as toggling Theatre Mode) use the following command.
CodeExampleadb -s \"<IP-address>:<Port>\" shell pm grant <package-name> <permission>\n adb -s \"192.168.123.132:12345\" shell pm grant com.joaomgcd.autowear android.permission.WRITE_SECURE_SETTINGS\n Part Description Required adb The Android Debugging Bridge CLI tool. To install it on Termux, use: pkg install android-tools. To install it on macOS, using homebrew: brew install android-tools. Yes -s This flag selects a particular device when there is more than one device connected via ADB. No <IP-address> This IP address can be found in Settings > Developer options > Wireless debugging. The command to connect without the port number may be necessary to prompt the permissions dialog, which confirms that you want to connect to this device on the first connection. Yes <Port> The port number is in Settings > Developer options > Wireless debugging. The port number is required when there is more than one device connected via ADB. No shell The shell for interacting with ADB. Yes pm Short for package manager, which manages apps on an Android or wearOS device. Yes grant <package-name> <permission> Grant this package these permissions on the device. Yes","path":["Devices"],"tags":["Watch","Mobile","Laptop"]},{"location":"qself/reference/devices/#list-system-apps","level":3,"title":"List system apps","text":"To list all the manufacturer applications installed.
CodeExampleadb -s \"<IP-address>:<Port>\" shell pm list packages -s -e <manufacturer-name>\n adb -s \"192.168.123.132:12345\" shell pm list packages -s -e mobvoi\n Part Description Required adb The Android Debugging Bridge CLI tool. To install it on Termux, use: pkg install android-tools. To install it on macOS, using homebrew: brew install android-tools. Yes -s This flag selects a particular device when there is more than one device connected via ADB. No <IP-address> This IP address can be found in Settings > Developer options > Wireless debugging. The command to connect without the port number may be necessary to prompt the permissions dialog, which confirms that you want to connect to this device on the first attempt. Yes <Port> The port number is in Settings > Developer options > Wireless debugging. The port number is required when there is more than one device connected via ADB. No shell The shell for interacting with ADB. Yes pm Short for package manager, which manages apps on an Android or wearOS device. Yes list packages List all the packages that meet the conditions that follow. Yes -s A flag to filter for system apps. No -e A flag to filter for enabled apps. To filter for disabled apps use -d. No","path":["Devices"],"tags":["Watch","Mobile","Laptop"]},{"location":"qself/reference/devices/#disable-system-apps","level":3,"title":"Disable system apps","text":"To disable a manufacturer's app on your device.
CodeExampleadb -s \"<IP-address>:<Port>\" shell pm disable-user --user 0 <package-name>\n adb -s \"192.168.123.132:12345\" shell pm disable-user --user 0 com.mobvoi.wear.mcuservice.aw\n Part Description Required adb The Android Debugging Bridge CLI tool. To install it on Termux, use: pkg install android-tools. To install it on macOS, using homebrew: brew install android-tools. Yes -s This flag selects a particular device when there is more than one device connected via ADB. No <IP-address> This IP address can be found in Settings > Developer options > Wireless debugging. The command to connect without the port number may be necessary to prompt the permissions dialog, which confirms that you want to connect to this device on the first attempt. Yes <Port> The port number is in Settings > Developer options > Wireless debugging. The port number is required when there is more than one device connected via ADB. No shell The shell for interacting with ADB. Yes pm Short for package manager, which manages apps on an Android or wearOS device. Yes disable-user --user 0 Disable the following app on the device. Yes <package-name> The name of the package to disable. You can find the package names by listing the packages. Yes","path":["Devices"],"tags":["Watch","Mobile","Laptop"]},{"location":"qself/reference/devices/#laptop","level":2,"title":"Laptop","text":"Any laptop that can run Python is good enough for this project.
Using commands in Powershell
Please be aware that some terminal commands in Linux and macOS are different in Windows Powershell. There may be instances where you need to use ticks (`) to escape ceratin characters.
","path":["Devices"],"tags":["Watch","Mobile","Laptop"]},{"location":"resume/establish-spread-docs/","level":1,"title":"Establish SPREAD documentation","text":"MkDocs Material β GraphQL β JavaScript β Python β Jinja β MarkDown β Vale β GitHub Actions β Docker
","path":["Establish SPREAD documentation"],"tags":[]},{"location":"resume/establish-spread-docs/#brief","level":3,"title":"Brief","text":"February 2022 Establish the documentation function at SPREAD.
","path":["Establish SPREAD documentation"],"tags":[]},{"location":"resume/establish-spread-docs/#challenge","level":2,"title":"Challenge","text":"There was no documentation, except for a few Confluence pages put together by engineers. The challenge was to create a documentation site, create the processes and pipelines to maintain it, and to write the content. The task was made more difficult by the fact that the product was constantly changing and I had engineering time to lean on.
","path":["Establish SPREAD documentation"],"tags":[]},{"location":"resume/establish-spread-docs/#solution","level":2,"title":"Solution","text":"In the first three months:
In the second quarter:
Within the first year:
Within the last year:
See the site
See my rΓ©sume
linkedin/gugulet-hu gugulet.hu/dev","path":["Establish SPREAD documentation"],"tags":[]},{"location":"resume/mambu-cli/","level":1,"title":"Mambu CLI","text":"TypeScript β NodeJS
","path":["Mambu CLI"],"tags":[]},{"location":"resume/mambu-cli/#brief","level":3,"title":"Brief","text":"November 2023 Create documentation for a command-line interface (CLI) used by banking engineering teams to perform actions in Mambu.
","path":["Mambu CLI"],"tags":[]},{"location":"resume/mambu-cli/#challenge","level":2,"title":"Challenge","text":"Document the command-line context as efficiently as possible, with little support from the developing team. Mambu CLI was in prototype and the team had no time to help me document the commands, flags, topics, and functioning of the CLI.
","path":["Mambu CLI"],"tags":[]},{"location":"resume/mambu-cli/#solution","level":2,"title":"Solution","text":"Embedded documentation with the engineering team, where I was part of the race to beta. Engineers would develop a feature alongside me and I would be in the code documenting. This involved working in TypeScript and translating the concepts and trials engineers were developing with them.
See my rΓ©sume
linkedin/gugulet-hu gugulet.hu/dev","path":["Mambu CLI"],"tags":[]},{"location":"resume/mambu-process-orchestrator/","level":1,"title":"Mambu Process Orchestrator","text":"Hugo
","path":["Mambu Process Orchestrator"],"tags":[]},{"location":"resume/mambu-process-orchestrator/#brief","level":3,"title":"Brief","text":"March 2021 Own the documentation for the low-code orchestrator for integrations into banking services.
","path":["Mambu Process Orchestrator"],"tags":[]},{"location":"resume/mambu-process-orchestrator/#challenge","level":2,"title":"Challenge","text":"Mambu Process Orchestrator - a white-labelled product built on top of the Corezoid low-code engine - had no documentation, but was already being used by clients. Some with highly complex workflows that were beginning to break in unexpected ways in an environment where no failure could be tolerated. The underlying technology was built by a Ukrainian company, who were under strain following the invasion by Russia in the same time period.
","path":["Mambu Process Orchestrator"],"tags":[]},{"location":"resume/mambu-process-orchestrator/#solution","level":2,"title":"Solution","text":"Partner with Corezoid to help them develop their documentation alongside ours. Get field-tested best practices from clients who were using the tool. Ask the Solution Engineers to sketch out the most urgent work needed and the scope they cover when working with clients. Compile a documentation set in the shortest time possible to fill this documentation gap.
Read the documentation set
See my rΓ©sume
linkedin/gugulet-hu gugulet.hu/dev","path":["Mambu Process Orchestrator"],"tags":[]},{"location":"resume/pcvue/","level":1,"title":"PcVue assessment","text":"","path":["PcVue assessment"],"tags":[]},{"location":"resume/pcvue/#brief","level":3,"title":"Brief","text":"October 2025 Briefly assess the quality of the product documentation of PcVue.
","path":["PcVue assessment"],"tags":[]},{"location":"resume/pcvue/#content-clarity","level":2,"title":"Content clarity","text":"Acronyms and technical jargon: The documentation generally assumes familiarity with acronyms like HMI and SCADA. It would benefit from brief explanations in these areas. For example, this is from the first paragraph of an overview page:
The HMI (1) for your project is composed of mimics. Mimics (2) are easily and quickly developed to form menus, overviews, process diagrams, trend viewers and so on...
Assumed knowledge: Many pages presuppose a significant amount of technical knowledge, which could confuse readers - especially those new to the industry. The first principle of technical writing is that every page is page one and the reader should find all the context they need on the page (or linked on the page).
This is especially jarring on the landing page of the Product Documentation: PcVue has the description HMI/SCADA, FrontVue has the description Light HMI, and EmVue has the description Energy Monitoring. Of those, only EmVue is understandable to a new user. Using full blurbs that describe what the documentation set contains would be better for understanding.
Use-cases: The absence of real-world use cases leaves a gap in understanding how the software works in practice. There are marketing use-cases on the main website, but they would do more to give product documentation clarity.
","path":["PcVue assessment"],"tags":[]},{"location":"resume/pcvue/#user-experience","level":2,"title":"User experience","text":"User experience: Any documentation set that needs meta-documentation - like the About this documentation section - is signalling that it is not intuitive enough to use. A reader should not have to know about logical operators to use search functionality and interpret icons to understand their meaning. Good intuitive documentation sets don't need meta-documentation to understand how to use the documentation.
Search functionality: The search feature needs enhancement to accommodate natural language queries rather than expecting users to know logical operators or regular expressions. Every reader's expectation is a search experience as good as Google; especially as the main way to navigate a large documentation set is through the search box.
The search function is slow, fragmented, and can't handle questionsGetting Started section: Preferably you need a Getting Started or QuickStart section. The installation minutiae gets in the way of someone who just wants the golden path. Notably, the main installation instructions are listed as the sixth item in the menu under the installation section.
","path":["PcVue assessment"],"tags":[]},{"location":"resume/pcvue/#information-architecture","level":2,"title":"Information architecture","text":"Linking examples with theory: Examples should be integrated with related theoretical content instead of being isolated, like in the Application Architect section, where the Examples section is separate. This approach reinforces learning through immediate application.
Content types: The content needs to be divided into content types more clearly: theory content, tutorial content, and reference content. There is an inconsistency in how the sections are organized. For example, the Application Architect section has a glossary, but the others do not. The DiΓ‘taxis for technical writing explains content types and where they are applicable in more depth.
Headings and page structure: Headings are an indicator of page structure for search engines and for AI answer engines. Headings like \"Example 1\", \"The secondary navigation tree pop-up menu\", \"For the LAN Manager\", and similar mean nothing in isolation - which is how engines parse a website.
Interlinking: The content is light on internal links. There are See more boxes, but the linking between pages is relatively absent for documentation describing one product. Internal linking helps readers make sense of the product as a whole and are critical for Search Engine Optimization (SEO).
","path":["PcVue assessment"],"tags":[]},{"location":"resume/pcvue/#design-and-technical","level":2,"title":"Design and technical","text":"Page load times: PHP, the language that MadCap Flare outputs content to, is slow and the documentation site has a noticeable lag when navigating pages and using search. A server-side language is good for dynamic content, but hamstrings static content - which is mainly how documentation is presented.
Print layout: The print layout when using the print button is not well-styled for PDFs or physical printing. The text is too small, the spacing and styling is a facsimile of the web view when it should be simplified for the print view. Some compliance functions need good PDF functionality to prove that content was made available at a certain time for auditing purposes.
PcVue print layout
Styled print layout
Lists and tables: When to use a table, a list, or another element should be clearer. There were instances were a table would have been better than a list and vise-versa. The formatting of both needs attention: lists are too spaced out and tables contain multiple header rows in the same table.
Diagrams and images: Diagrams are a great tool for getting information across visually, particularly to illustrate complex processes and concepts. There are no diagrams in the documentation. Tools like Mermaid allow you to create diagrams dynamically, without using image editing application. The general quality of the screenshots and images is low, and there are no captions. Captions are important for SEO and for accessibility for visually impaired readers. Having images under Show pictures dropdowns is a suboptimal user experience. It's an additional click for little gain.
Font and presentation layer: The font on the main site is more legible and overall styling is more visually appealing compared to the documentation site. Presentation matters, even for highly technical audiences.
Admonition overuse: Excessive use of admonitions can diminish their impact. There are multiple pages with more than five admonitions per page. If everything is important, nothing is important. Itβs essential to limit their frequency to maintain emphasis.
","path":["PcVue assessment"],"tags":[]},{"location":"resume/pcvue/#general","level":2,"title":"General","text":"The documentation is arranged around how the company views the software and not how users use it. A compliance and audit professional would benefit from a user flow designed for their needs and understanding, same for an integration or process engineer.
The documentation is written like a book, with the expectation that readers will read from top to bottom. This is not how people read documentation. Documentation is primarily driven by search and read in snippets. Readers come with questions and expect answers with full context in a nutshell.
The language scores highly on the Flesch-Kincaid Grade Level, indicating that it can be improved for clarity and flow. This would need a full review of the content to set standards that make it more readable and understandable.
As a reader I get the sense the chapters have been written by different people and the documentation set does not work together.
My general recommendation would be an overhaul, starting with the information architecture, a technical infrastructure review, and then a general language and style standards review.
See my rΓ©sume
linkedin/gugulet-hu gugulet.hu/dev","path":["PcVue assessment"],"tags":[]}]} \ No newline at end of file diff --git a/site/sitemap.xml b/deploy/sitemap.xml old mode 100644 new mode 100755 similarity index 100% rename from site/sitemap.xml rename to deploy/sitemap.xml diff --git a/site/technical/index.html b/deploy/technical/index.html old mode 100644 new mode 100755 similarity index 89% rename from site/technical/index.html rename to deploy/technical/index.html index 2311bc6..471d955 --- a/site/technical/index.html +++ b/deploy/technical/index.html @@ -6,10 +6,10 @@ - + - + @@ -21,7 +21,7 @@ - + @@ -32,7 +32,7 @@ - + @@ -40,35 +40,6 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - @@ -85,9 +56,9 @@ - + - + @@ -103,7 +74,7 @@ - + @@ -156,7 +127,7 @@ - + @@ -364,10 +335,12 @@ - + - + + + diff --git a/site/visual/index.html b/deploy/visual/index.html old mode 100644 new mode 100755 similarity index 89% rename from site/visual/index.html rename to deploy/visual/index.html index e22f1ea..6f764fe --- a/site/visual/index.html +++ b/deploy/visual/index.html @@ -6,10 +6,10 @@ - + - + @@ -21,7 +21,7 @@ - + @@ -32,7 +32,7 @@ - + @@ -40,35 +40,6 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - @@ -85,9 +56,9 @@ - + - + @@ -103,7 +74,7 @@ - + @@ -156,7 +127,7 @@ - + @@ -361,10 +332,12 @@ - + - + + + diff --git a/site/writing/index.html b/deploy/writing/index.html old mode 100644 new mode 100755 similarity index 90% rename from site/writing/index.html rename to deploy/writing/index.html index 5cfa306..b5a727a --- a/site/writing/index.html +++ b/deploy/writing/index.html @@ -9,7 +9,7 @@ - + @@ -21,7 +21,7 @@ - + @@ -32,7 +32,7 @@ - + @@ -40,35 +40,6 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - @@ -85,9 +56,9 @@ - + - + @@ -103,7 +74,7 @@ - + @@ -156,7 +127,7 @@ - + @@ -388,10 +359,12 @@ - + - + + + diff --git a/docs/blog/index.md b/docs/blog/index.md deleted file mode 100644 index c58f16c..0000000 --- a/docs/blog/index.md +++ /dev/null @@ -1,2 +0,0 @@ -# Blog - diff --git a/docs/overrides/main.html b/docs/overrides/main.html deleted file mode 100644 index 34ce29a..0000000 --- a/docs/overrides/main.html +++ /dev/null @@ -1,48 +0,0 @@ -{% extends "base.html" %} - -{% block extrahead %} - -{% endblock %} - -{% block content %} - - {{ super() }} - - - - - - - -{% endblock %} diff --git a/hook.sh b/hook.sh old mode 100644 new mode 100755 diff --git a/mkdocs.yml b/mkdocs.yml deleted file mode 100644 index 1877430..0000000 --- a/mkdocs.yml +++ /dev/null @@ -1,170 +0,0 @@ -copyright: "Β© Gugulethu Hlekwayo. All rights reserved." - -exclude_docs: | - includes/ - overrides/ - readme.md - -extra: - generator: false - -extra_css: - - src/stylesheets/g.css - -markdown_extensions: - # Allows showing additional content on hover for glossaries. [https://squidfunk.github.io/mkdocs-material/setup/extensions/python-markdown/?h=abbr#abbreviations] - - abbr - # Allows the use of admonitions. [https://squidfunk.github.io/mkdocs-material/reference/admonitions/#admonitions] - - admonition - # Attribute lists. [https://squidfunk.github.io/mkdocs-material/setup/extensions/python-markdown/?h=attr+list#attribute-lists] - - attr_list - # Allows creating footonotes. [https://squidfunk.github.io/mkdocs-material/reference/footnotes/?h=footnotes#footnotes] - - footnotes - # Write Markdown in HTML. [https://squidfunk.github.io/mkdocs-material/setup/extensions/python-markdown/#markdown-in-html] - - md_in_html - # Improves handling of emphasis in MarkDown. [https://squidfunk.github.io/mkdocs-material/setup/extensions/python-markdown-extensions/?h=bet#betterem] - - pymdownx.betterem: - smart_enable: all - # Add captions to any block of content. [https://squidfunk.github.io/mkdocs-material/setup/extensions/python-markdown-extensions/#caption] - - pymdownx.blocks.caption - # Enable carets in MarkDown. [https://squidfunk.github.io/mkdocs-material/setup/extensions/python-markdown-extensions/?h=bet#betterem] - - pymdownx.caret - # Add editing marks in the text using Markdown. [https://squidfunk.github.io/mkdocs-material/setup/extensions/python-markdown-extensions/#critic] - - pymdownx.critic - # Makes admonitions collapsible. [https://squidfunk.github.io/mkdocs-material/setup/extensions/python-markdown-extensions/#details] - - pymdownx.details - - pymdownx.emoji: - emoji_index: !!python/name:material.extensions.emoji.twemoji - emoji_generator: - !!python/name:material.extensions.emoji.to_svg # Allows code block highlighting. [https://squidfunk.github.io/mkdocs-material/setup/extensions/python-markdown-extensions/?h=highlig#highlight] - - pymdownx.highlight - # Built on pymdownx.highlight. Allows highlighting inline code. [https://squidfunk.github.io/mkdocs-material/setup/extensions/python-markdown-extensions/?h=inline#inlinehilite] - - pymdownx.inlinehilite - # Add keyboard keys in Markdown. [https://squidfunk.github.io/mkdocs-material/setup/extensions/python-markdown-extensions/?h=inline#keys] - - pymdownx.keys - # Allows highlight text in MarkDown. [https://squidfunk.github.io/mkdocs-material/setup/extensions/python-markdown-extensions/?h=bet#betterem] - - pymdownx.mark - # Add smart symbols, like copyright, in MarkDown. [https://squidfunk.github.io/mkdocs-material/setup/extensions/python-markdown-extensions/?h=smartsym#smartsymbols] - - pymdownx.smartsymbols - # Embed content and show it as a tooltip, liek for the definitions. [https://squidfunk.github.io/mkdocs-material/setup/extensions/python-markdown-extensions/?h=smartsym#snippets] - - pymdownx.snippets: - auto_append: - - includes/definitions.md # Path to definitions that appear in windows in the text. - # Used to target Mermaid diagrams for rendering. [https://squidfunk.github.io/mkdocs-material/upgrade/?h=superfen#pymdownxsuperfences] - - pymdownx.superfences: - custom_fences: - - name: mermaid - class: mermaid - format: - !!python/name:mermaid2.fence_mermaid_custom # Allows creating content tabs. [https://squidfunk.github.io/mkdocs-material/setup/extensions/python-markdown-extensions/?h=tabb#tabbed] - - pymdownx.tabbed: - alternate_style: true # This is the supported style. Works better on mobile view. - # Render tasklists with custom icons. [https://squidfunk.github.io/mkdocs-material/setup/extensions/python-markdown-extensions/?h=taskl#tasklist] - - pymdownx.tasklist: - custom_checkbox: true - #Allows tildes in MarkDown. [https://squidfunk.github.io/mkdocs-material/setup/extensions/python-markdown-extensions/?h=bet#betterem] - - pymdownx.tilde - - toc: - permalink: false - toc_depth: 2 - -nav: - - Homepage: index.md - # - Writing: writing.md - # - Visual: visual.md - # - Technical: - # - technical.md - # - Qself: - # - qself/qself.md - # - Getting started: qself/getting-started.md - # - Finances: qself/finances.md - # - Transactions: qself/transactions.md - # - Reference: qself/reference/index.md - # - Devices: qself/devices.md - - ResumΓ©: - - resume.md - - PcVue assessment: resume/pcvue.md - - Mambu CLI: resume/mambu-cli.md - - Mambu Process Orchestrator: resume/mambu-process-orchestrator.md - - SPREAD documentation: resume/establish-spread-docs.md - -plugins: - # Plugin to enable the blog feature. [https://squidfunk.github.io/mkdocs-material/setup/setting-up-a-blog/#built-in-blog-plugin] - - blog - # Plugin to display a lightbox for clicked images. [https://github.com/Blueswen/mkdocs-glightbox] - - glightbox: - background: white - shadow: false - width: 100% - height: auto - slide_effect: fade - manual: true - # Plugin to use variables and macros across the docs. [https://github.com/fralau/mkdocs-macros-plugin] - - macros: - on_undefined: strict - include_yaml: - - snippets: docs/includes/snippets.yml - # Plugin to display mermaid diagrams. [https://mkdocs-mermaid2.readthedocs.io/en/latest/] - - mermaid2 - # Plugin that minifies all HTML, CSS, and JS files. [https://github.com/byrnereese/mkdocs-minify-plugin] - - minify: - minify_html: true - minify_js: true - minify_css: true - htmlmin_opts: - remove_comments: true - cache_safe: true - # - search - # Plugin to create index pages for each section. [https://github.com/oprypin/mkdocs-section-index] - - section-index - - tags - -repo_name: gugulet-hu/gugulet.hu - -repo_url: https://codeberg.com/gugulethu/gugulet-hu - -site_author: Gugulethu Hlekwayo (https://codeberg.org/gugulethu) - -site_description: The personal website of Gugulethu Hlekwayo. - -site_name: Gugulethu Hlekwayo - -site_url: "https://gugulet.hu" - -theme: - # Folder where there are files that override aspects of the site. - custom_dir: docs/overrides/ - # Link to the favicon image file. - favicon: src/gugulet.hu-site-logo-350x350.png - features: - - content.action.edit # Edit page directly from the GitHub link iun the top-right. - - content.code.annotate # Annotate code blocks. - - content.code.copy # Copy code blocks. - - content.code.select # Select code range in blocks (*). - - navigation.expand # Expand the navigation by default. - - navigation.path # Add breadcrumbs to the top of the article. - - navigation.prune # Only the visible pages are in the menu. - - navigation.tabs: false # Tabs at the top for the chapters (i.e Platform Admin, Platform Tools, ...). - - navigation.tracking # Address bar updated with active anchor. - - navigation.top # Back to the top button on every page. - - navigation.footer # Previous and next buttons in the footer. - - search.highlight # Highlight the search item in the page. - - search.suggest # Suggest search results. - - search.share # Deep-link to a search results page. - font: false - icon: - annotation: material/plus-circle-outline - language: en - logo: src/gugulet.hu-site-logo-350x350.png - name: material - palette: - scheme: default - primary: custom - accent: custom - -# Properties to validate and return messages for in the build process. -validation: - nav: - absolute_links: ignore - not_found: warn - omitted_files: ignore diff --git a/name: lint.yaml b/name: lint.yaml deleted file mode 100644 index ce54366..0000000 --- a/name: lint.yaml +++ /dev/null @@ -1,16 +0,0 @@ -name: lint -on: push - -jobs: - vale: - name: runner / vale - runs-on: ubuntu-latest - steps: - - uses: actions/checkout@v4 - - uses: errata-ai/vale-action@reviewdog - with: - version: 3.7.1 - level: "error" - vale_flags: "--config=core/content/vale/.vale.ini --no-global --output=line --glob=*.md" - fail_on_error: false - files: "core/content/docs" diff --git a/pyproject.toml b/pyproject.toml deleted file mode 100644 index c1230f8..0000000 --- a/pyproject.toml +++ /dev/null @@ -1,57 +0,0 @@ -[project] -name = "gugulet-hu" -version = "2.0.0" -description = "The perosnal website of gugulet.hu" -readme = "README.md" -requires-python = ">=3.13" -dependencies = [ - "babel==2.17.0", - "backrefs==5.9", - "beautifulsoup4==4.14.2", - "certifi==2025.10.5", - "charset-normalizer==3.4.4", - "click==8.1.8", - "colorama==0.4.6", - "csscompressor==0.9.5", - "editorconfig==0.17.1", - "ghp-import==2.1.0", - "hjson==3.1.0", - "htmlmin2==0.1.13", - "idna==3.11", - "importlib-metadata==8.7.0", - "jinja2==3.1.6", - "jsbeautifier==1.15.4", - "jsmin==3.0.1", - "markdown==3.9", - "markupsafe==3.0.3", - "mergedeep==1.3.4", - "mkdocs==1.6.1", - "mkdocs-get-deps==0.2.0", - "mkdocs-glightbox==0.5.1", - "mkdocs-macros-plugin==1.4.0", - "mkdocs-material==9.6.22", - "mkdocs-material-extensions==1.3.1", - "mkdocs-mermaid2-plugin==1.2.3", - "mkdocs-minify-plugin==0.8.0", - "mkdocs-section-index==0.3.10", - "packaging==25.0", - "paginate==0.5.7", - "pathspec==0.12.1", - "platformdirs==4.4.0", - "pygments==2.19.2", - "pymdown-extensions==10.16.1", - "python-dateutil==2.9.0.post0", - "pyyaml==6.0.3", - "pyyaml-env-tag==1.1", - "requests==2.32.5", - "selectolax==0.3.29", - "six==1.17.0", - "soupsieve==2.8", - "super-collections==0.6.2", - "termcolor==3.1.0", - "typing-extensions==4.15.0", - "urllib3==2.5.0", - "watchdog==6.0.0", - "zensical>=0.0.5", - "zipp==3.23.0", -] diff --git a/readme.md b/readme.md old mode 100644 new mode 100755 diff --git a/requirements.txt b/requirements.txt new file mode 100755 index 0000000..a56ca73 --- /dev/null +++ b/requirements.txt @@ -0,0 +1,7 @@ +click==8.3.1 +deepmerge==2.0 +Markdown==3.10.1 +Pygments==2.19.2 +pymdown-extensions==10.20.1 +PyYAML==6.0.3 +zensical==0.0.20 diff --git a/site/assets/javascripts/bundle.1193bd74.min.js b/site/assets/javascripts/bundle.1193bd74.min.js deleted file mode 100644 index 108bc10..0000000 --- a/site/assets/javascripts/bundle.1193bd74.min.js +++ /dev/null @@ -1,3 +0,0 @@ -"use strict";(()=>{var yc=Object.create;var Sn=Object.defineProperty,xc=Object.defineProperties,wc=Object.getOwnPropertyDescriptor,Ec=Object.getOwnPropertyDescriptors,Tc=Object.getOwnPropertyNames,Dr=Object.getOwnPropertySymbols,Oc=Object.getPrototypeOf,Ln=Object.prototype.hasOwnProperty,Fo=Object.prototype.propertyIsEnumerable;var jo=(e,t,r)=>t in e?Sn(e,t,{enumerable:!0,configurable:!0,writable:!0,value:r}):e[t]=r,H=(e,t)=>{for(var r in t||(t={}))Ln.call(t,r)&&jo(e,r,t[r]);if(Dr)for(var r of Dr(t))Fo.call(t,r)&&jo(e,r,t[r]);return e},Ce=(e,t)=>xc(e,Ec(t));var _r=(e,t)=>{var r={};for(var n in e)Ln.call(e,n)&&t.indexOf(n)<0&&(r[n]=e[n]);if(e!=null&&Dr)for(var n of Dr(e))t.indexOf(n)<0&&Fo.call(e,n)&&(r[n]=e[n]);return r};var Mn=(e,t)=>()=>(t||e((t={exports:{}}).exports,t),t.exports);var Sc=(e,t,r,n)=>{if(t&&typeof t=="object"||typeof t=="function")for(let o of Tc(t))!Ln.call(e,o)&&o!==r&&Sn(e,o,{get:()=>t[o],enumerable:!(n=wc(t,o))||n.enumerable});return e};var yr=(e,t,r)=>(r=e!=null?yc(Oc(e)):{},Sc(t||!e||!e.__esModule?Sn(r,"default",{value:e,enumerable:!0}):r,e));var Uo=(e,t,r)=>new Promise((n,o)=>{var i=l=>{try{s(r.next(l))}catch(c){o(c)}},a=l=>{try{s(r.throw(l))}catch(c){o(c)}},s=l=>l.done?n(l.value):Promise.resolve(l.value).then(i,a);s((r=r.apply(e,t)).next())});var Wo=Mn((kn,No)=>{(function(e,t){typeof kn=="object"&&typeof No!="undefined"?t():typeof define=="function"&&define.amd?define(t):t()})(kn,(function(){"use strict";function e(r){var n=!0,o=!1,i=null,a={text:!0,search:!0,url:!0,tel:!0,email:!0,password:!0,number:!0,date:!0,month:!0,week:!0,time:!0,datetime:!0,"datetime-local":!0};function s(_){return!!(_&&_!==document&&_.nodeName!=="HTML"&&_.nodeName!=="BODY"&&"classList"in _&&"contains"in _.classList)}function l(_){var de=_.type,be=_.tagName;return!!(be==="INPUT"&&a[de]&&!_.readOnly||be==="TEXTAREA"&&!_.readOnly||_.isContentEditable)}function c(_){_.classList.contains("focus-visible")||(_.classList.add("focus-visible"),_.setAttribute("data-focus-visible-added",""))}function u(_){_.hasAttribute("data-focus-visible-added")&&(_.classList.remove("focus-visible"),_.removeAttribute("data-focus-visible-added"))}function p(_){_.metaKey||_.altKey||_.ctrlKey||(s(r.activeElement)&&c(r.activeElement),n=!0)}function d(_){n=!1}function m(_){s(_.target)&&(n||l(_.target))&&c(_.target)}function h(_){s(_.target)&&(_.target.classList.contains("focus-visible")||_.target.hasAttribute("data-focus-visible-added"))&&(o=!0,window.clearTimeout(i),i=window.setTimeout(function(){o=!1},100),u(_.target))}function v(_){document.visibilityState==="hidden"&&(o&&(n=!0),O())}function O(){document.addEventListener("mousemove",w),document.addEventListener("mousedown",w),document.addEventListener("mouseup",w),document.addEventListener("pointermove",w),document.addEventListener("pointerdown",w),document.addEventListener("pointerup",w),document.addEventListener("touchmove",w),document.addEventListener("touchstart",w),document.addEventListener("touchend",w)}function x(){document.removeEventListener("mousemove",w),document.removeEventListener("mousedown",w),document.removeEventListener("mouseup",w),document.removeEventListener("pointermove",w),document.removeEventListener("pointerdown",w),document.removeEventListener("pointerup",w),document.removeEventListener("touchmove",w),document.removeEventListener("touchstart",w),document.removeEventListener("touchend",w)}function w(_){_.target.nodeName&&_.target.nodeName.toLowerCase()==="html"||(n=!1,x())}document.addEventListener("keydown",p,!0),document.addEventListener("mousedown",d,!0),document.addEventListener("pointerdown",d,!0),document.addEventListener("touchstart",d,!0),document.addEventListener("visibilitychange",v,!0),O(),r.addEventListener("focus",m,!0),r.addEventListener("blur",h,!0),r.nodeType===Node.DOCUMENT_FRAGMENT_NODE&&r.host?r.host.setAttribute("data-js-focus-visible",""):r.nodeType===Node.DOCUMENT_NODE&&(document.documentElement.classList.add("js-focus-visible"),document.documentElement.setAttribute("data-js-focus-visible",""))}if(typeof window!="undefined"&&typeof document!="undefined"){window.applyFocusVisiblePolyfill=e;var t;try{t=new CustomEvent("focus-visible-polyfill-ready")}catch(r){t=document.createEvent("CustomEvent"),t.initCustomEvent("focus-visible-polyfill-ready",!1,!1,{})}window.dispatchEvent(t)}typeof document!="undefined"&&e(document)}))});var So=Mn((S0,hs)=>{"use strict";var Bu=/["'&<>]/;hs.exports=Yu;function Yu(e){var t=""+e,r=Bu.exec(t);if(!r)return t;var n,o="",i=0,a=0;for(i=r.index;ii&&s.push(r(n,i,d));let{value:h}=l[u];s.push(t(n,{start:d,end:i=m,value:h}))}return i{let o=n.data;switch(o.type){case 1:oa.value=!0;break;case 3:typeof o.data.pagination.prev<"u"?ot.value=Ce(H({},ot.value),{pagination:o.data.pagination,items:[...ot.value.items,...o.data.items]}):ot.value=o.data,so(0);break}},Dt(()=>{cr.value&&r.postMessage({type:0,data:cr.value})}),Dt(()=>{oa.value&&r.postMessage({type:2,data:Te.value})})}var ia={container:"p",hidden:"v"};function Lu(e){return z("div",{class:sr(ia.container,{[ia.hidden]:e.hidden}),onClick:()=>Ut()})}var aa={container:"r",disabled:"c"};function co(e){return z("button",{class:sr(aa.container,{[aa.disabled]:!e.onClick}),onClick:e.onClick,children:e.children})}var sa=e=>e.replace(/([a-z0-9])([A-Z])/g,"$1-$2").toLowerCase(),Mu=e=>e.replace(/^([A-Z])|[\s-_]+(\w)/g,(t,r,n)=>n?n.toUpperCase():r.toLowerCase()),ca=e=>{let t=Mu(e);return t.charAt(0).toUpperCase()+t.slice(1)},ku=(...e)=>e.filter((t,r,n)=>!!t&&t.trim()!==""&&n.indexOf(t)===r).join(" ").trim(),Au={xmlns:"http://www.w3.org/2000/svg",width:24,height:24,viewBox:"0 0 24 24",fill:"none",stroke:"currentColor","stroke-width":"2","stroke-linecap":"round","stroke-linejoin":"round"},Cu=l=>{var c=l,{color:e="currentColor",size:t=24,strokeWidth:r=2,absoluteStrokeWidth:n,children:o,iconNode:i,class:a=""}=c,s=_r(c,["color","size","strokeWidth","absoluteStrokeWidth","children","iconNode","class"]);return Nt("svg",H(Ce(H({},Au),{width:String(t),height:t,stroke:e,"stroke-width":n?Number(r)*24/Number(t):r,class:["lucide",a].join(" ")}),s),[...i.map(([u,p])=>Nt(u,p)),...Hr(o)])},go=(e,t)=>{let r=a=>{var s=a,{class:n="",children:o}=s,i=_r(s,["class","children"]);return Nt(Cu,Ce(H({},i),{iconNode:t,class:ku(`lucide-${sa(ca(e))}`,`lucide-${sa(e)}`,n)}),o)};return r.displayName=ca(e),r},Hu=go("corner-down-left",[["path",{d:"M20 4v7a4 4 0 0 1-4 4H4",key:"6o5b7l"}],["path",{d:"m9 10-5 5 5 5",key:"1kshq7"}]]),$u=go("list-filter",[["path",{d:"M2 5h20",key:"1fs1ex"}],["path",{d:"M6 12h12",key:"8npq4p"}],["path",{d:"M9 19h6",key:"456am0"}]]),Pu=go("search",[["path",{d:"m21 21-4.34-4.34",key:"14j7rj"}],["circle",{cx:"11",cy:"11",r:"8",key:"4ej97u"}]]),Bx=dl(hl(),1);function Iu({threshold:e=0,root:t=null,rootMargin:r="0%",freezeOnceVisible:n=!1,initialIsIntersecting:o=!1,onChange:i}={}){var a;let[s,l]=ro(null),[c,u]=ro(()=>({isIntersecting:o,entry:void 0})),p=ar();p.current=i;let d=((a=c.entry)==null?void 0:a.isIntersecting)&&n;Wt(()=>{if(!s||!("IntersectionObserver"in window)||d)return;let v,O=new IntersectionObserver(x=>{let w=Array.isArray(O.thresholds)?O.thresholds:[O.thresholds];x.forEach(_=>{let de=_.isIntersecting&&w.some(be=>_.intersectionRatio>=be);u({isIntersecting:de,entry:_}),p.current&&p.current(de,_),de&&n&&v&&(v(),v=void 0)})},{threshold:e,root:t,rootMargin:r});return O.observe(s),()=>{O.disconnect()}},[s,JSON.stringify(e),t,r,d,n]);let m=ar(null);Wt(()=>{var v;!s&&(v=c.entry)!=null&&v.target&&!n&&!d&&m.current!==c.entry.target&&(m.current=c.entry.target,u({isIntersecting:o,entry:void 0}))},[s,c.entry,n,d,o]);let h=[l,!!c.isIntersecting,c.entry];return h.ref=h[0],h.isIntersecting=h[1],h.entry=h[2],h}var ut={container:"n",hidden:"l",content:"m",pop:"d",badge:"u",sidebar:"i",controls:"y",results:"w",loadmore:"k"};function Ru(e){let{isIntersecting:t,ref:r}=Iu({threshold:0});Wt(()=>{t&&fu()},[t]);let n=ar(null);Wt(()=>{n.current&&typeof Te.value.page>"u"&&n.current.scrollTo({top:0,behavior:"smooth"})},[Te.value]);let o=qa();return z("div",{class:sr(ut.container,{[ut.hidden]:e.hidden}),children:[z("div",{class:ut.content,children:[z("div",{class:ut.controls,children:[z(co,{onClick:Ut,children:z(Pu,{})}),z(Fu,{focus:!e.hidden}),z(co,{onClick:Va,children:[z($u,{}),o.length>0&&z("span",{class:ut.badge,children:o.length})]})]}),z("div",{class:ut.results,ref:n,children:[z(Uu,{keyboard:!e.hidden}),z("div",{class:ut.loadmore,ref:r})]})]}),z("div",{class:sr(ut.sidebar,{[ut.hidden]:gu()}),children:z(ju,{})})]})}var Et={container:"z",list:"X",heading:"j",title:"F",item:"o",active:"g",value:"I",count:"R"};function ju(e){let t=bu();return t.sort((r,n)=>n.node.count-r.node.count),z("div",{class:Et.container,children:[z("h3",{class:Et.heading,children:"Filters"}),z("h4",{class:Et.title,children:"Tags"}),z("ol",{class:Et.list,children:t.map(r=>z("li",{class:sr(Et.item,{[Et.active]:mu(r.node.value)}),onClick:()=>du(r.node.value),children:[z("span",{class:Et.value,children:r.node.value}),z("span",{class:Et.count,children:r.node.count})]}))})]})}var la={container:"f"};function Fu(e){let t=ar(null);return Wt(()=>{e.focus&&t.current&&t.current.focus()},[e.focus]),z("div",{class:la.container,children:z("input",{ref:t,type:"text",class:la.content,value:bo(),onInput:r=>za(r.currentTarget.value),autocapitalize:"off",autocomplete:"off",autocorrect:"off",placeholder:"Search",spellcheck:!1,role:"combobox"})})}var pt={container:"b",heading:"q",item:"a",active:"h",wrapper:"A",actions:"s",title:"x",path:"t"};function Uu(e){var o;let t=pu(),r=hu();Ca(e.keyboard,i=>{let a=ao();i.key==="ArrowDown"?(i.preventDefault(),so(Math.min(a+1,r.length-1))):i.key==="ArrowUp"&&(i.preventDefault(),so(Math.max(a-1,0)))},[e.keyboard]);let n=(o=vu())!=null?o:0;return z(mt,{children:[r.length>0&&z("h3",{class:pt.heading,children:[z("span",{class:pt.bubble,children:new Intl.NumberFormat("en-US").format(n)})," ","results"]}),z("ol",{class:pt.container,children:r.map((i,a)=>{var u;let s=Ba(t[i.id].title,i.matches.find(({field:p})=>p==="title")),l=Su((u=t[i.id].path)!=null?u:[],i.matches.find(({field:p})=>p==="path")),c=t[i.id].location;if(_u()){let p=encodeURIComponent(bo()),[d,m]=c.split("#",2);c=`${d}?h=${p.replace(/%20/g,"+")}`,typeof m<"u"&&(c+=`#${m}`)}return z("li",{children:z("a",{href:c,onClick:()=>Ut(),class:sr(pt.item,{[pt.active]:a===ao()}),children:[z("div",{class:pt.wrapper,children:[z("h2",{class:pt.title,children:s}),z("menu",{class:pt.path,children:l.map(p=>z("li",{children:p}))})]}),z("nav",{class:pt.actions,children:z(co,{children:z(Hu,{})})})]})})})})]})}var Nu={container:"e"};function Wu(e){return Ca(!0,t=>{var r,n,o;if((t.metaKey||t.ctrlKey)&&t.key==="k")t.preventDefault(),Ut();else if((t.metaKey||t.ctrlKey)&&t.key==="j")document.body.classList.toggle("dark");else if(t.key==="Enter"&&!or()){t.preventDefault(),Ut();let i=ao(),a=(n=(r=ot.value)==null?void 0:r.items[i])==null?void 0:n.id;(o=cr.value)!=null&&o.items[a].location&&(window.location.href=cr.value.items[a].location)}else t.key==="Escape"&&!or()&&(t.preventDefault(),Ut())},[]),z("div",{class:Nu.container,children:[z(Lu,{hidden:or()}),z(Ru,{hidden:or()})]})}function Ga(e,t){uu(e),wl(z(Wu,{}),t)}function _o(){Ut()}function Du(e,t){switch(e.constructor){case HTMLInputElement:return e.type==="radio"?/^Arrow/.test(t):!0;case HTMLSelectElement:case HTMLTextAreaElement:return!0;default:return e.isContentEditable}}function Vu(){return R(b(window,"compositionstart").pipe(f(()=>!0)),b(window,"compositionend").pipe(f(()=>!1))).pipe(J(!1))}function Ja(){let e=b(window,"keydown").pipe(f(t=>({mode:or()?"global":"search",type:t.key,meta:t.ctrlKey||t.metaKey,claim(){t.preventDefault(),t.stopPropagation()}})),L(({mode:t,type:r})=>{if(t==="global"){let n=yt();if(typeof n!="undefined")return!Du(n,r)}return!0}),ye());return Vu().pipe(g(t=>t?y:e))}function Be(){return new URL(location.href)}function fr(e,t=!1){if(X("navigation.instant")&&!t){let r=A("a",{href:e.href});document.body.appendChild(r),r.click(),r.remove()}else location.href=e.href}function Xa(){return new I}function Za(){return location.hash.slice(1)}function Qa(e){let t=A("a",{href:e});t.addEventListener("click",r=>r.stopPropagation()),t.click()}function yo(e){return R(b(window,"hashchange"),e).pipe(f(Za),J(Za()),L(t=>t.length>0),se(1))}function es(e){return yo(e).pipe(f(t=>Le(`[id="${t}"]`)),L(t=>typeof t!="undefined"))}function Rr(e){let t=matchMedia(e);return sn(r=>t.addListener(()=>r(t.matches))).pipe(J(t.matches))}function ts(){let e=matchMedia("print");return R(b(window,"beforeprint").pipe(f(()=>!0)),b(window,"afterprint").pipe(f(()=>!1))).pipe(J(e.matches))}function xo(e,t){return e.pipe(g(r=>r?t():y))}function wo(e,t){return new U(r=>{let n=new XMLHttpRequest;return n.open("GET",`${e}`),n.responseType="blob",n.addEventListener("load",()=>{n.status>=200&&n.status<300?(r.next(n.response),r.complete()):r.error(new Error(n.statusText))}),n.addEventListener("error",()=>{r.error(new Error("Network error"))}),n.addEventListener("abort",()=>{r.complete()}),typeof(t==null?void 0:t.progress$)!="undefined"&&(n.addEventListener("progress",o=>{var i;if(o.lengthComputable)t.progress$.next(o.loaded/o.total*100);else{let a=(i=n.getResponseHeader("Content-Length"))!=null?i:0;t.progress$.next(o.loaded/+a*100)}}),t.progress$.next(5)),n.send(),()=>n.abort()})}function Qe(e,t){return wo(e,t).pipe(g(r=>r.text()),f(r=>JSON.parse(r)),se(1))}function yn(e,t){let r=new DOMParser;return wo(e,t).pipe(g(n=>n.text()),f(n=>r.parseFromString(n,"text/html")),se(1))}function rs(e,t){let r=new DOMParser;return wo(e,t).pipe(g(n=>n.text()),f(n=>r.parseFromString(n,"text/xml")),se(1))}var Eo={drawer:G("[data-md-toggle=drawer]"),search:G("[data-md-toggle=search]")};function To(e,t){Eo[e].checked!==t&&Eo[e].click()}function mr(e){let t=Eo[e];return b(t,"change").pipe(f(()=>t.checked),J(t.checked))}function ns(){return{x:Math.max(0,scrollX),y:Math.max(0,scrollY)}}function os(){return R(b(window,"scroll",{passive:!0}),b(window,"resize",{passive:!0})).pipe(f(ns),J(ns()))}function is(){return{width:innerWidth,height:innerHeight}}function as(){return b(window,"resize",{passive:!0}).pipe(f(is),J(is()))}function ss(){return ee([os(),as()]).pipe(f(([e,t])=>({offset:e,size:t})),se(1))}function xn(e,{viewport$:t,header$:r}){let n=t.pipe(fe("size")),o=ee([n,r]).pipe(f(()=>xt(e)));return ee([r,t,o]).pipe(f(([{height:i},{offset:a,size:s},{x:l,y:c}])=>({offset:{x:a.x-l,y:a.y-c+i},size:s})))}var zu=G("#__config"),dr=JSON.parse(zu.textContent);dr.base=`${new URL(dr.base,Be())}`;function Ue(){return dr}function X(e){return dr.features.includes(e)}function zt(e,t){return typeof t!="undefined"?dr.translations[e].replace("#",t.toString()):dr.translations[e]}function dt(e,t=document){return G(`[data-md-component=${e}]`,t)}function we(e,t=document){return P(`[data-md-component=${e}]`,t)}function qu(e){let t=G(".md-typeset > :first-child",e);return b(t,"click",{once:!0}).pipe(f(()=>G(".md-typeset",e)),f(r=>({hash:__md_hash(r.innerHTML)})))}function cs(e){if(!X("announce.dismiss")||!e.childElementCount)return y;if(!e.hidden){let t=G(".md-typeset",e);__md_hash(t.innerHTML)===__md_get("__announce")&&(e.hidden=!0)}return j(()=>{let t=new I;return t.subscribe(({hash:r})=>{e.hidden=!0,__md_set("__announce",r)}),qu(e).pipe($(r=>t.next(r)),V(()=>t.complete()),f(r=>H({ref:e},r)))})}function Ku(e,{target$:t}){return t.pipe(f(r=>({hidden:r!==e})))}function ls(e,t){let r=new I;return r.subscribe(({hidden:n})=>{e.hidden=n}),Ku(e,t).pipe($(n=>r.next(n)),V(()=>r.complete()),f(n=>H({ref:e},n)))}function Oo(e,t){return t==="inline"?A("div",{class:"md-tooltip md-tooltip--inline",id:e,role:"tooltip"},A("div",{class:"md-tooltip__inner md-typeset"})):A("div",{class:"md-tooltip",id:e,role:"tooltip"},A("div",{class:"md-tooltip__inner md-typeset"}))}function wn(...e){return A("div",{class:"md-tooltip2",role:"dialog"},A("div",{class:"md-tooltip2__inner md-typeset"},e))}function us(...e){return A("div",{class:"md-tooltip2",role:"tooltip"},A("div",{class:"md-tooltip2__inner md-typeset"},e))}function ps(e,t){if(t=t?`${t}_annotation_${e}`:void 0,t){let r=t?`#${t}`:void 0;return A("aside",{class:"md-annotation",tabIndex:0},Oo(t),A("a",{href:r,class:"md-annotation__index",tabIndex:-1},A("span",{"data-md-annotation-id":e})))}else return A("aside",{class:"md-annotation",tabIndex:0},Oo(t),A("span",{class:"md-annotation__index",tabIndex:-1},A("span",{"data-md-annotation-id":e})))}function fs(e){return A("button",{class:"md-code__button",title:zt("clipboard.copy"),"data-clipboard-target":`#${e} > code`,"data-md-type":"copy"})}function ms(){return A("button",{class:"md-code__button",title:"Toggle line selection","data-md-type":"select"})}function ds(){return A("nav",{class:"md-code__nav"})}var Gu=yr(So());function vs(e){return A("ul",{class:"md-source__facts"},Object.entries(e).map(([t,r])=>A("li",{class:`md-source__fact md-source__fact--${t}`},typeof r=="number"?Li(r):r)))}function Lo(e){let t=`tabbed-control tabbed-control--${e}`;return A("div",{class:t,hidden:!0},A("button",{class:"tabbed-button",tabIndex:-1,"aria-hidden":"true"}))}function bs(e){return A("div",{class:"md-typeset__scrollwrap"},A("div",{class:"md-typeset__table"},e))}function Ju(e){var n;let t=Ue(),r=new URL(`../${e.version}/`,t.base);return A("li",{class:"md-version__item"},A("a",{href:`${r}`,class:"md-version__link"},e.title,((n=t.version)==null?void 0:n.alias)&&e.aliases.length>0&&A("span",{class:"md-version__alias"},e.aliases[0])))}function gs(e,t){var n;let r=Ue();return e=e.filter(o=>{var i;return!((i=o.properties)!=null&&i.hidden)}),A("div",{class:"md-version"},A("button",{class:"md-version__current","aria-label":zt("select.version")},t.title,((n=r.version)==null?void 0:n.alias)&&t.aliases.length>0&&A("span",{class:"md-version__alias"},t.aliases[0])),A("ul",{class:"md-version__list"},e.map(Ju)))}var Xu=0;function Zu(e,t=250){let r=ee([rr(e),Rt(e,t)]).pipe(f(([o,i])=>o||i),ie()),n=j(()=>Ai(e)).pipe(oe(jt),Mr(1),Xe(r),f(()=>Ci(e)));return r.pipe(Sr(o=>o),g(()=>ee([r,n])),f(([o,i])=>({active:o,offset:i})),ye())}function jr(e,t,r=250){let{content$:n,viewport$:o}=t,i=`__tooltip2_${Xu++}`;return j(()=>{let a=new I,s=new Rn(!1);a.pipe(he(),_e(!1)).subscribe(s);let l=s.pipe(Or(u=>ze(+!u*250,Un)),ie(),g(u=>u?n:y),$(u=>u.id=i),ye());ee([a.pipe(f(({active:u})=>u)),l.pipe(g(u=>Rt(u,250)),J(!1))]).pipe(f(u=>u.some(p=>p))).subscribe(s);let c=s.pipe(L(u=>u),le(l,o),f(([u,p,{size:d}])=>{let m=e.getBoundingClientRect(),h=m.width/2;if(p.role==="tooltip")return{x:h,y:8+m.height};if(m.y>=d.height/2){let{height:v}=ke(p);return{x:h,y:-16-v}}else return{x:h,y:16+m.height}}));return ee([l,a,c]).subscribe(([u,{offset:p},d])=>{u.style.setProperty("--md-tooltip-host-x",`${p.x}px`),u.style.setProperty("--md-tooltip-host-y",`${p.y}px`),u.style.setProperty("--md-tooltip-x",`${d.x}px`),u.style.setProperty("--md-tooltip-y",`${d.y}px`),u.classList.toggle("md-tooltip2--top",d.y<0),u.classList.toggle("md-tooltip2--bottom",d.y>=0)}),s.pipe(L(u=>u),le(l,(u,p)=>p),L(u=>u.role==="tooltip")).subscribe(u=>{let p=ke(G(":scope > *",u));u.style.setProperty("--md-tooltip-width",`${p.width}px`),u.style.setProperty("--md-tooltip-tail","0px")}),s.pipe(ie(),Pe(je),le(l)).subscribe(([u,p])=>{p.classList.toggle("md-tooltip2--active",u)}),ee([s.pipe(L(u=>u)),l]).subscribe(([u,p])=>{p.role==="dialog"?(e.setAttribute("aria-controls",i),e.setAttribute("aria-haspopup","dialog")):e.setAttribute("aria-describedby",i)}),s.pipe(L(u=>!u)).subscribe(()=>{e.removeAttribute("aria-controls"),e.removeAttribute("aria-describedby"),e.removeAttribute("aria-haspopup")}),Zu(e,r).pipe($(u=>a.next(u)),V(()=>a.complete()),f(u=>H({ref:e},u)))})}function Ye(e,{viewport$:t},r=document.body){return jr(e,{content$:new U(n=>{let o=e.title,i=us(o);return n.next(i),e.removeAttribute("title"),r.append(i),()=>{i.remove(),e.setAttribute("title",o)}}),viewport$:t},0)}function Qu(e,t){let r=j(()=>ee([Hi(e),jt(t)])).pipe(f(([{x:n,y:o},i])=>{let{width:a,height:s}=ke(e);return{x:n-i.x+a/2,y:o-i.y+s/2}}));return rr(e).pipe(g(n=>r.pipe(f(o=>({active:n,offset:o})),Me(+!n||1/0))))}function _s(e,t,{target$:r}){let[n,o]=Array.from(e.children);return j(()=>{let i=new I,a=i.pipe(he(),_e(!0));return i.subscribe({next({offset:s}){e.style.setProperty("--md-tooltip-x",`${s.x}px`),e.style.setProperty("--md-tooltip-y",`${s.y}px`)},complete(){e.style.removeProperty("--md-tooltip-x"),e.style.removeProperty("--md-tooltip-y")}}),wt(e).pipe(Q(a)).subscribe(s=>{e.toggleAttribute("data-md-visible",s)}),R(i.pipe(L(({active:s})=>s)),i.pipe(Ke(250),L(({active:s})=>!s))).subscribe({next({active:s}){s?e.prepend(n):n.remove()},complete(){e.prepend(n)}}),i.pipe(Je(16,je)).subscribe(({active:s})=>{n.classList.toggle("md-tooltip--active",s)}),i.pipe(Mr(125,je),L(()=>!!e.offsetParent),f(()=>e.offsetParent.getBoundingClientRect()),f(({x:s})=>s)).subscribe({next(s){s?e.style.setProperty("--md-tooltip-0",`${-s}px`):e.style.removeProperty("--md-tooltip-0")},complete(){e.style.removeProperty("--md-tooltip-0")}}),b(o,"click").pipe(Q(a),L(s=>!(s.metaKey||s.ctrlKey))).subscribe(s=>{s.stopPropagation(),s.preventDefault()}),b(o,"mousedown").pipe(Q(a),le(i)).subscribe(([s,{active:l}])=>{var c;if(s.button!==0||s.metaKey||s.ctrlKey)s.preventDefault();else if(l){s.preventDefault();let u=e.parentElement.closest(".md-annotation");u instanceof HTMLElement?u.focus():(c=yt())==null||c.blur()}}),r.pipe(Q(a),L(s=>s===n),lt(125)).subscribe(()=>e.focus()),Qu(e,t).pipe($(s=>i.next(s)),V(()=>i.complete()),f(s=>H({ref:e},s)))})}function ep(e){let t=Ue();if(e.tagName!=="CODE")return[e];let r=[".c",".c1",".cm"];if(t.annotate){let n=e.closest("[class|=language]");if(n)for(let o of Array.from(n.classList)){if(!o.startsWith("language-"))continue;let[,i]=o.split("-");i in t.annotate&&r.push(...t.annotate[i])}}return P(r.join(", "),e)}function tp(e){let t=[];for(let r of ep(e)){let n=[],o=document.createNodeIterator(r,NodeFilter.SHOW_TEXT);for(let i=o.nextNode();i;i=o.nextNode())n.push(i);for(let i of n){let a;for(;a=/(\(\d+\))(!)?/.exec(i.textContent);){let[,s,l]=a;if(typeof l=="undefined"){let c=i.splitText(a.index);i=c.splitText(s.length),t.push(c)}else{i.textContent=s,t.push(i);break}}}}return t}function ys(e,t){t.append(...Array.from(e.childNodes))}function En(e,t,{target$:r,print$:n}){let o=t.closest("[id]"),i=o==null?void 0:o.id,a=new Map;for(let s of tp(t)){let[,l]=s.textContent.match(/\((\d+)\)/);Le(`:scope > li:nth-child(${l})`,e)&&(a.set(l,ps(l,i)),s.replaceWith(a.get(l)))}return a.size===0?y:j(()=>{let s=new I,l=s.pipe(he(),_e(!0)),c=[];for(let[u,p]of a)c.push([G(".md-typeset",p),G(`:scope > li:nth-child(${u})`,e)]);return n.pipe(Q(l)).subscribe(u=>{e.hidden=!u,e.classList.toggle("md-annotation-list",u);for(let[p,d]of c)u?ys(p,d):ys(d,p)}),R(...[...a].map(([,u])=>_s(u,t,{target$:r}))).pipe(V(()=>s.complete()),ye())})}function xs(e){if(e.nextElementSibling){let t=e.nextElementSibling;if(t.tagName==="OL")return t;if(t.tagName==="P"&&!t.children.length)return xs(t)}}function ws(e,t){return j(()=>{let r=xs(e);return typeof r!="undefined"?En(r,e,t):y})}var Ts=yr(ko());var rp=0,Es=R(b(window,"keydown").pipe(f(()=>!0)),R(b(window,"keyup"),b(window,"contextmenu")).pipe(f(()=>!1))).pipe(J(!1),se(1));function Os(e){if(e.nextElementSibling){let t=e.nextElementSibling;if(t.tagName==="OL")return t;if(t.tagName==="P"&&!t.children.length)return Os(t)}}function np(e){return Re(e).pipe(f(({width:t})=>({scrollable:kr(e).width>t})),fe("scrollable"))}function Ss(e,t){let{matches:r}=matchMedia("(hover)"),n=j(()=>{let o=new I,i=o.pipe(Kn(1));o.subscribe(({scrollable:m})=>{m&&r?e.setAttribute("tabindex","0"):e.removeAttribute("tabindex")});let a=[],s=e.closest("pre"),l=s.closest("[id]"),c=l?l.id:rp++;s.id=`__code_${c}`;let u=[],p=e.closest(".highlight");if(p instanceof HTMLElement){let m=Os(p);if(typeof m!="undefined"&&(p.classList.contains("annotate")||X("content.code.annotate"))){let h=En(m,e,t);u.push(Re(p).pipe(Q(i),f(({width:v,height:O})=>v&&O),ie(),g(v=>v?h:y)))}}let d=P(":scope > span[id]",e);if(d.length&&(e.classList.add("md-code__content"),e.closest(".select")||X("content.code.select")&&!e.closest(".no-select"))){let m=+d[0].id.split("-").pop(),h=ms();a.push(h),X("content.tooltips")&&u.push(Ye(h,{viewport$}));let v=b(h,"click").pipe(Lr(M=>!M,!1),$(()=>h.blur()),ye());v.subscribe(M=>{h.classList.toggle("md-code__button--active",M)});let O=me(d).pipe(oe(M=>Rt(M).pipe(f(S=>[M,S]))));v.pipe(g(M=>M?O:y)).subscribe(([M,S])=>{let N=Le(".hll.select",M);if(N&&!S)N.replaceWith(...Array.from(N.childNodes));else if(!N&&S){let te=document.createElement("span");te.className="hll select",te.append(...Array.from(M.childNodes).slice(1)),M.append(te)}});let x=me(d).pipe(oe(M=>b(M,"mousedown").pipe($(S=>S.preventDefault()),f(()=>M)))),w=v.pipe(g(M=>M?x:y),le(Es),f(([M,S])=>{var te;let N=d.indexOf(M)+m;if(S===!1)return[N,N];{let ue=P(".hll",e).map(ce=>d.indexOf(ce.parentElement)+m);return(te=window.getSelection())==null||te.removeAllRanges(),[Math.min(N,...ue),Math.max(N,...ue)]}})),_=yo(y).pipe(L(M=>M.startsWith(`__codelineno-${c}-`)));_.subscribe(M=>{let[,,S]=M.split("-"),N=S.split(":").map(ue=>+ue-m+1);N.length===1&&N.push(N[0]);for(let ue of P(".hll:not(.select)",e))ue.replaceWith(...Array.from(ue.childNodes));let te=d.slice(N[0]-1,N[1]);for(let ue of te){let ce=document.createElement("span");ce.className="hll",ce.append(...Array.from(ue.childNodes).slice(1)),ue.append(ce)}}),_.pipe(Me(1),Pe(ge)).subscribe(M=>{if(M.includes(":")){let S=document.getElementById(M.split(":")[0]);S&&setTimeout(()=>{let N=S,te=-64;for(;N!==document.body;)te+=N.offsetTop,N=N.offsetParent;window.scrollTo({top:te})},1)}});let be=me(P('a[href^="#__codelineno"]',p)).pipe(oe(M=>b(M,"click").pipe($(S=>S.preventDefault()),f(()=>M)))).pipe(Q(i),le(Es),f(([M,S])=>{let te=+G(`[id="${M.hash.slice(1)}"]`).parentElement.id.split("-").pop();if(S===!1)return[te,te];{let ue=P(".hll",e).map(ce=>+ce.parentElement.id.split("-").pop());return[Math.min(te,...ue),Math.max(te,...ue)]}}));R(w,be).subscribe(M=>{let S=`#__codelineno-${c}-`;M[0]===M[1]?S+=M[0]:S+=`${M[0]}:${M[1]}`,history.replaceState({},"",S),window.dispatchEvent(new HashChangeEvent("hashchange",{newURL:window.location.origin+window.location.pathname+S,oldURL:window.location.href}))})}if(Ts.default.isSupported()&&(e.closest(".copy")||X("content.code.copy")&&!e.closest(".no-copy"))){let m=fs(s.id);a.push(m),X("content.tooltips")&&u.push(Ye(m,{viewport$}))}if(a.length){let m=ds();m.append(...a),s.insertBefore(m,e)}return np(e).pipe($(m=>o.next(m)),V(()=>o.complete()),f(m=>H({ref:e},m)),Pt(R(...u).pipe(Q(i))))});return X("content.lazy")?wt(e).pipe(L(o=>o),Me(1),g(()=>n)):n}function op(e,{target$:t,print$:r}){let n=!0;return R(t.pipe(f(o=>o.closest("details:not([open])")),L(o=>e===o),f(()=>({action:"open",reveal:!0}))),r.pipe(L(o=>o||!n),$(()=>n=e.open),f(o=>({action:o?"open":"close"}))))}function Ls(e,t){return j(()=>{let r=new I;return r.subscribe(({action:n,reveal:o})=>{e.toggleAttribute("open",n==="open"),o&&e.scrollIntoView()}),op(e,t).pipe($(n=>r.next(n)),V(()=>r.complete()),f(n=>H({ref:e},n)))})}var Ms=0;function ip(e){let t=document.createElement("h3");t.innerHTML=e.innerHTML;let r=[t],n=e.nextElementSibling;for(;n&&!(n instanceof HTMLHeadingElement);)r.push(n),n=n.nextElementSibling;return r}function ap(e,t){for(let r of P("[href], [src]",e))for(let n of["href","src"]){let o=r.getAttribute(n);if(o&&!/^(?:[a-z]+:)?\/\//i.test(o)){r[n]=new URL(r.getAttribute(n),t).toString();break}}for(let r of P("[name^=__], [for]",e))for(let n of["id","for","name"]){let o=r.getAttribute(n);o&&r.setAttribute(n,`${o}$preview_${Ms}`)}return Ms++,Y(e)}function ks(e,t){let{sitemap$:r}=t;if(!(e instanceof HTMLAnchorElement))return y;if(!(X("navigation.instant.preview")||e.hasAttribute("data-preview")))return y;e.removeAttribute("title");let n=ee([rr(e),Rt(e)]).pipe(f(([i,a])=>i||a),ie(),L(i=>i));return Ht([r,n]).pipe(g(([i])=>{let a=new URL(e.href);return a.search=a.hash="",i.has(`${a}`)?Y(a):y}),g(i=>yn(i).pipe(g(a=>ap(a,i)))),g(i=>{let a=e.hash?`article [id="${e.hash.slice(1)}"]`:"article h1",s=Le(a,i);return typeof s=="undefined"?y:Y(ip(s))})).pipe(g(i=>{let a=new U(s=>{let l=wn(...i);return s.next(l),document.body.append(l),()=>l.remove()});return jr(e,H({content$:a},t))}))}var As=".node circle,.node ellipse,.node path,.node polygon,.node rect{fill:var(--md-mermaid-node-bg-color);stroke:var(--md-mermaid-node-fg-color)}marker{fill:var(--md-mermaid-edge-color)!important}.edgeLabel .label rect{fill:#0000}.flowchartTitleText{fill:var(--md-mermaid-label-fg-color)}.label{color:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}.label foreignObject{line-height:normal;overflow:visible}.label div .edgeLabel{color:var(--md-mermaid-label-fg-color)}.edgeLabel,.edgeLabel p,.label div .edgeLabel{background-color:var(--md-mermaid-label-bg-color)}.edgeLabel,.edgeLabel p{fill:var(--md-mermaid-label-bg-color);color:var(--md-mermaid-edge-color)}.edgePath .path,.flowchart-link{stroke:var(--md-mermaid-edge-color)}.edgePath .arrowheadPath{fill:var(--md-mermaid-edge-color);stroke:none}.cluster rect{fill:var(--md-default-fg-color--lightest);stroke:var(--md-default-fg-color--lighter)}.cluster span{color:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}g #flowchart-circleEnd,g #flowchart-circleStart,g #flowchart-crossEnd,g #flowchart-crossStart,g #flowchart-pointEnd,g #flowchart-pointStart{stroke:none}.classDiagramTitleText{fill:var(--md-mermaid-label-fg-color)}g.classGroup line,g.classGroup rect{fill:var(--md-mermaid-node-bg-color);stroke:var(--md-mermaid-node-fg-color)}g.classGroup text{fill:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}.classLabel .box{fill:var(--md-mermaid-label-bg-color);background-color:var(--md-mermaid-label-bg-color);opacity:1}.classLabel .label{fill:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}.node .divider{stroke:var(--md-mermaid-node-fg-color)}.relation{stroke:var(--md-mermaid-edge-color)}.cardinality{fill:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}.cardinality text{fill:inherit!important}defs marker.marker.composition.class path,defs marker.marker.dependency.class path,defs marker.marker.extension.class path{fill:var(--md-mermaid-edge-color)!important;stroke:var(--md-mermaid-edge-color)!important}defs marker.marker.aggregation.class path{fill:var(--md-mermaid-label-bg-color)!important;stroke:var(--md-mermaid-edge-color)!important}.statediagramTitleText{fill:var(--md-mermaid-label-fg-color)}g.stateGroup rect{fill:var(--md-mermaid-node-bg-color);stroke:var(--md-mermaid-node-fg-color)}g.stateGroup .state-title{fill:var(--md-mermaid-label-fg-color)!important;font-family:var(--md-mermaid-font-family)}g.stateGroup .composit{fill:var(--md-mermaid-label-bg-color)}.nodeLabel,.nodeLabel p{color:var(--md-mermaid-label-fg-color);font-family:var(--md-mermaid-font-family)}a .nodeLabel{text-decoration:underline}.node circle.state-end,.node circle.state-start,.start-state{fill:var(--md-mermaid-edge-color);stroke:none}.end-state-inner,.end-state-outer{fill:var(--md-mermaid-edge-color)}.end-state-inner,.node circle.state-end{stroke:var(--md-mermaid-label-bg-color)}.transition{stroke:var(--md-mermaid-edge-color)}[id^=state-fork] rect,[id^=state-join] rect{fill:var(--md-mermaid-edge-color)!important;stroke:none!important}.statediagram-cluster.statediagram-cluster .inner{fill:var(--md-default-bg-color)}.statediagram-cluster rect{fill:var(--md-mermaid-node-bg-color);stroke:var(--md-mermaid-node-fg-color)}.statediagram-state rect.divider{fill:var(--md-default-fg-color--lightest);stroke:var(--md-default-fg-color--lighter)}defs #statediagram-barbEnd{stroke:var(--md-mermaid-edge-color)}[id^=entity] path,[id^=entity] rect{fill:var(--md-default-bg-color)}.relationshipLine{stroke:var(--md-mermaid-edge-color)}defs .marker.oneOrMore.er *,defs .marker.onlyOne.er *,defs .marker.zeroOrMore.er *,defs .marker.zeroOrOne.er *{stroke:var(--md-mermaid-edge-color)!important}text:not([class]):last-child{fill:var(--md-mermaid-label-fg-color)}.actor{fill:var(--md-mermaid-sequence-actor-bg-color);stroke:var(--md-mermaid-sequence-actor-border-color)}text.actor>tspan{fill:var(--md-mermaid-sequence-actor-fg-color);font-family:var(--md-mermaid-font-family)}line{stroke:var(--md-mermaid-sequence-actor-line-color)}.actor-man circle,.actor-man line{fill:var(--md-mermaid-sequence-actorman-bg-color);stroke:var(--md-mermaid-sequence-actorman-line-color)}.messageLine0,.messageLine1{stroke:var(--md-mermaid-sequence-message-line-color)}.note{fill:var(--md-mermaid-sequence-note-bg-color);stroke:var(--md-mermaid-sequence-note-border-color)}.loopText,.loopText>tspan,.messageText,.noteText>tspan{stroke:none;font-family:var(--md-mermaid-font-family)!important}.messageText{fill:var(--md-mermaid-sequence-message-fg-color)}.loopText,.loopText>tspan{fill:var(--md-mermaid-sequence-loop-fg-color)}.noteText>tspan{fill:var(--md-mermaid-sequence-note-fg-color)}#arrowhead path{fill:var(--md-mermaid-sequence-message-line-color);stroke:none}.loopLine{fill:var(--md-mermaid-sequence-loop-bg-color);stroke:var(--md-mermaid-sequence-loop-border-color)}.labelBox{fill:var(--md-mermaid-sequence-label-bg-color);stroke:none}.labelText,.labelText>span{fill:var(--md-mermaid-sequence-label-fg-color);font-family:var(--md-mermaid-font-family)}.sequenceNumber{fill:var(--md-mermaid-sequence-number-fg-color)}rect.rect{fill:var(--md-mermaid-sequence-box-bg-color);stroke:none}rect.rect+text.text{fill:var(--md-mermaid-sequence-box-fg-color)}defs #sequencenumber{fill:var(--md-mermaid-sequence-number-bg-color)!important}";var Ao,cp=0;function lp(){return typeof mermaid=="undefined"||mermaid instanceof Element?nr("https://unpkg.com/mermaid@11/dist/mermaid.min.js"):Y(void 0)}function Cs(e){return e.classList.remove("mermaid"),Ao||(Ao=lp().pipe($(()=>mermaid.initialize({startOnLoad:!1,themeCSS:As,sequence:{actorFontSize:"16px",messageFontSize:"16px",noteFontSize:"16px"}})),f(()=>{}),se(1))),Ao.subscribe(()=>Uo(null,null,function*(){e.classList.add("mermaid");let t=`__mermaid_${cp++}`,r=A("div",{class:"mermaid"}),n=e.textContent,{svg:o,fn:i}=yield mermaid.render(t,n),a=r.attachShadow({mode:"closed"});a.innerHTML=o,e.replaceWith(r),i==null||i(a)})),Ao.pipe(f(()=>({ref:e})))}var Hs=A("table");function $s(e){return e.replaceWith(Hs),Hs.replaceWith(bs(e)),Y({ref:e})}function up(e){let t=e.find(r=>r.checked)||e[0];return R(...e.map(r=>b(r,"change").pipe(f(()=>G(`label[for="${r.id}"]`))))).pipe(J(G(`label[for="${t.id}"]`)),f(r=>({active:r})))}function Ps(e,{viewport$:t,target$:r}){let n=G(".tabbed-labels",e),o=P(":scope > input",e),i=Lo("prev");e.append(i);let a=Lo("next");return e.append(a),j(()=>{let s=new I,l=s.pipe(he(),_e(!0));ee([s,Re(e),wt(e)]).pipe(Q(l),Je(1,je)).subscribe({next([{active:c},u]){let p=xt(c),{width:d}=ke(c);e.style.setProperty("--md-indicator-x",`${p.x}px`),e.style.setProperty("--md-indicator-width",`${d}px`);let m=un(n);(p.x I worked on brands such as Windhoek Beer, Hyundai, Vitaminwater, Sanlam (financial services), Lucky Star (food), and Club Mykonos (accommodation) in print, radio, online, and television. Campaigns where I was the Copywriter have won Gold, Silver, and Bronze Loeries; a Silver Cannes Lion; and a Bronze Clio. I created and edited investment content for radio, print, and online; worked in public relations to prepare executives for inrterviews; managed the creation of webinars for outreach to advisers and other creative projects. Built a content hub from its foundations - including building a team of freelance writers across the country to supply the content. I was involved in developing content for content marketing campaigns and multimedia stories about merchants. I was promoted to team lead to manage and mentor two other technical writers. This shifted my role into more managerial tasks on top of working on documentation. The API References included old documentation that needed to maintenance for clients that had not yet migrated to the latest versions of the REST API. Documented integrations with services like nCino and Wise, and documented the Mambu Process Orchestrator - which managed these connections. Also documented the Mambu CLI for external engineers to connect to the back-end. As the first hired technical writer, I established documentation as a function in the company. This includes creating the processes for the Engineering and Product teams to include documentation as a part of the software cycle and onboarding new joiners. Built the documentation operations infrastructure from scratch using a Docs-as-Code approach. This included getting a portal up in the first month, building the CI/CD pipeline for publishing and linting content in the first quarter, and setting the procedure for in-app documentation. Documented three quarters of the product range with the first documentation set published in the first three months. The product range has since shifted, but coverage remains high - despite being the only person maintaining documentation. Writing is my primary skill and I'm capable of writing in different formats using different mediums to persuade, teach, and engage. I've been writing professionally for over 15 years and privately since as far as memory can recall. Documented REST APIs and GraphQL. With REST APIs worked with a system where annotations in the source code automatically created the reference. Created developer-focused documentation to create integrations with other financial services and orchestrate services. Documented Point-of-Sale (POS) devices for small business owners to use. This involved getting user feedback to understand how users were using the devices. Created explainer content to give readers an understanding of concepts or ideas behind a tool,technology, or application. Documentation for performing actions and using a tool or an application. Reference content is like a dictionary: a term and its definition in a list. I've created glossaries and technical references for developers and non-developers. I've created courses for more in-depth teaching that combines theory and practice in a set lesson plan. I have written and edited scripts for television and radio, including this advert. As a one-man technical writing department, my technical skills are important to maintaining Documentation Operations (DocOps) and building infrastructure. I create, service, and maintain all the technical aspects of documentation. Publishing content, reviewing content, and managing a tehcnical writing team involves creating processes around people. As a team lead, I've had to define priorities for the documentation function; mentor and manage other writers; create writing and review processes; measure impact; and manage relationships with software engineering teams, marketing and sales, and executives. According to legend, the first maxim of the Oracle of Delphi - said to spring from Apollo himself - is to know yourself. Or in Greek: nosce te ipsum, temet nosce. Repeated twice for emphasis and for nuance. Know yourself, to your own self be known. To know and have knowledge of yourself and then to process that knowledge. To know and to accept. The purpose of what has been a decades-long interest for me is exactly that, but a little more. What value do the days 23 September 2004, or 8 July 1995, or 17 February 2017 have if they are remembered and known nowhere. Who were you on these days? We edit our lives like film editors, cutting out the boring bits - but are these not the foundation of who we are. The accumulation of a person are the days without monumental events - where a series of small and large decisions define you, who you were, and who you will be. And in that way this project is also a data diary of a person. In an age where social media networks, search engines, and a hungry horde of algorithms know us better than we know ourselves - this project is my redoubt. I should be the expert of myself, and I should endeavour to be better for that challenge. This documentation set covers the mechanism of collecting, analysing, and displaying information about myself to myself. As such, the primary reader is me - but if you find something of use, please feel free to use it. There will be typos, broken processes, and periods of inactivity - because life doesn't stop for measurements. Own all the data exclusively Avoid storing any data on external services, even temporarily. This especially applies to health data. Delete nothing Preserve all collected and validated data, as it may have an unimagined use in the future. Automate as much as possible Automate as much of the collection of data as possible to avoid influencing the results. The process should not impinge on the output. This list may grow and contract over time, as new data sources are added and others are hidden. Financial: Daily transactions (amount, time, date, category, subcategory, accounts, currency, location, brand, item, liquid balance), Investments (amount, asset type, region, growth/loss), Assets (details, cost, serial, logistics) Health: Exercise (reps, sets, exercises, bpm, location, weather), Metrics (heart rate, resting heart rate, average heart rate, weight, height, haemotocrit, haemoglobin, eosinophils, basophils, lymphocytes, monocytes, neutrophils, platelet count, red cell count, white cell count, mean cell haemoglobin, mean cell volume, mean cell volume, mean corpuscular haemoglobin, red blood width, esr, systolic, diastolic, waist circumference, body fat, chest circumference, thigh circumference, body fat mass, skeletal muscle mass, visceral fat, body water, total cholesterol, hdl cholesterol, ldl cholesterol, triglyceride, pGlucose fasting, anion gap, bicarbonate, chloride, potassium, sodium, urea, creatinine, b12, ferritin, tsh, freet4, thyroid peroxidase, eye axis, eye cylinder, eye sphere, vo2max, avgspo2, sperm motility, sperm count), Sleep (sleep phases, duration, location, weather, air pressure, ambient light, sleep time, awake time) Mental: Media (books, movies, tv, theatre, exhibitions), Productivity (focus sessions), Activities (reading, writing, media, art, games, meditation, technical, media, piano, design) Diagram: Data cycle Work on this project is planned and managed on this task board. The financial aspect of the qSelf project tracks and processes expenses, investments, income, assets, and logistics: To keep financial information accurate, the reconciliation flows run on a set schedule to check that the liquid money available, investment portfolio value, asset value, and other balances correspond with the reality. This is the primary function of the TBC All financial tracking starts as a transaction, which has the following structure. | Parameter | Type | Description | Required | The logic for collecting transactions is handled by the TBC The qSelf project is made up of a number of inter-connected components: Components are immutable, but the tools that make them work are replaceable and interchangeable. Diagram: Topology of the qSelf system Install all applications in the toolset table. This includes CLI tools that are listed in the Termux row, and plugins for Automate. Clone the project repo to the root of your user space on your mobile device using Termux and the following commands: Import the Configure the root settings in qself-process/Automate/.demo-config.json file and rename the file to .config.json. The mobile device used in the qSelf project needs to run the Android operating system; preferably the latest version. Most manufacturers add cruft to their devices, so the Pixel series is recommended for its focus on the pure Android experience. Furthermore, the Graphene-flavoured version of Android gives you more control of your privacy and device use compared to standard Android. The device should be unrooted, but with Developer options enabled. This lets you use the Android Debug Bridge (ADB). To install Graphene, see their user guide for instructions. Similarly to the mobile device, the smartwatch needs to run wearOS 3+. The TicWatch series of smartwatches has good battery life and a reasonable number of sensors. You may need to disable or remove additional software added by the manufacturer to get better battery life and less interference. The device should be unrooted, but with Developer options enabled. This lets wirelessly connect using ADB. The commands that follow can help you debloat your device and make it run smoother. Once you have enabled ADB via wi-fi and you have the device's address you can connect to the device run the following command from your terminal or console. To allow autoWear, for example, to change secure settings (such as toggling Theatre Mode) use the following command. To list all the manufacturer applications installed. To disable a manufacturer's app on your device. Any laptop that can run Python is good enough for this project. Using commands in Powershell Please be aware that some terminal commands in Linux and macOS are different in Windows Powershell. There may be instances where you need to use ticks (`) to escape ceratin characters. MkDocs Material β
GraphQL β
JavaScript β
Python β
Jinja β
MarkDown β
Vale β
GitHub Actions β
Docker February 2022 Establish the documentation function at SPREAD. There was no documentation, except for a few Confluence pages put together by engineers. The challenge was to create a documentation site, create the processes and pipelines to maintain it, and to write the content. The task was made more difficult by the fact that the product was constantly changing and I had engineering time to lean on. In the first three months: In the second quarter: Within the first year: Within the last year: See the site See my rΓ©sume TypeScript β
NodeJS November 2023 Create documentation for a command-line interface (CLI) used by banking engineering teams to perform actions in Mambu. Document the command-line context as efficiently as possible, with little support from the developing team. Mambu CLI was in prototype and the team had no time to help me document the commands, flags, topics, and functioning of the CLI. Embedded documentation with the engineering team, where I was part of the race to beta. Engineers would develop a feature alongside me and I would be in the code documenting. This involved working in TypeScript and translating the concepts and trials engineers were developing with them. See my rΓ©sume Hugo March 2021 Own the documentation for the low-code orchestrator for integrations into banking services. Mambu Process Orchestrator - a white-labelled product built on top of the Corezoid low-code engine - had no documentation, but was already being used by clients. Some with highly complex workflows that were beginning to break in unexpected ways in an environment where no failure could be tolerated. The underlying technology was built by a Ukrainian company, who were under strain following the invasion by Russia in the same time period. Partner with Corezoid to help them develop their documentation alongside ours. Get field-tested best practices from clients who were using the tool. Ask the Solution Engineers to sketch out the most urgent work needed and the scope they cover when working with clients. Compile a documentation set in the shortest time possible to fill this documentation gap. Read the documentation set See my rΓ©sume October 2025 Briefly assess the quality of the product documentation of PcVue. Acronyms and technical jargon: The documentation generally assumes familiarity with acronyms like HMI and SCADA. It would benefit from brief explanations in these areas. For example, this is from the first paragraph of an overview page: The HMI (1) for your project is composed of mimics. Mimics (2) are easily and quickly developed to form menus, overviews, process diagrams, trend viewers and so on... Assumed knowledge: Many pages presuppose a significant amount of technical knowledge, which could confuse readers - especially those new to the industry. The first principle of technical writing is that every page is page one and the reader should find all the context they need on the page (or linked on the page). This is especially jarring on the landing page of the Product Documentation: PcVue has the description HMI/SCADA, FrontVue has the description Light HMI, and EmVue has the description Energy Monitoring. Of those, only EmVue is understandable to a new user. Using full blurbs that describe what the documentation set contains would be better for understanding. Use-cases: The absence of real-world use cases leaves a gap in understanding how the software works in practice. There are marketing use-cases on the main website, but they would do more to give product documentation clarity. User experience: Any documentation set that needs meta-documentation - like the About this documentation section - is signalling that it is not intuitive enough to use. A reader should not have to know about logical operators to use search functionality and interpret icons to understand their meaning. Good intuitive documentation sets don't need meta-documentation to understand how to use the documentation. Search functionality: The search feature needs enhancement to accommodate natural language queries rather than expecting users to know logical operators or regular expressions. Every reader's expectation is a search experience as good as Google; especially as the main way to navigate a large documentation set is through the search box. Getting Started section: Preferably you need a Getting Started or QuickStart section. The installation minutiae gets in the way of someone who just wants the golden path. Notably, the main installation instructions are listed as the sixth item in the menu under the installation section. Linking examples with theory: Examples should be integrated with related theoretical content instead of being isolated, like in the Application Architect section, where the Examples section is separate. This approach reinforces learning through immediate application. Content types: The content needs to be divided into content types more clearly: theory content, tutorial content, and reference content. There is an inconsistency in how the sections are organized. For example, the Application Architect section has a glossary, but the others do not. The DiΓ‘taxis for technical writing explains content types and where they are applicable in more depth. Headings and page structure: Headings are an indicator of page structure for search engines and for AI answer engines. Headings like \"Example 1\", \"The secondary navigation tree pop-up menu\", \"For the LAN Manager\", and similar mean nothing in isolation - which is how engines parse a website. Interlinking: The content is light on internal links. There are See more boxes, but the linking between pages is relatively absent for documentation describing one product. Internal linking helps readers make sense of the product as a whole and are critical for Search Engine Optimization (SEO). Page load times: PHP, the language that MadCap Flare outputs content to, is slow and the documentation site has a noticeable lag when navigating pages and using search. A server-side language is good for dynamic content, but hamstrings static content - which is mainly how documentation is presented. Print layout: The print layout when using the print button is not well-styled for PDFs or physical printing. The text is too small, the spacing and styling is a facsimile of the web view when it should be simplified for the print view. Some compliance functions need good PDF functionality to prove that content was made available at a certain time for auditing purposes. PcVue print layout Styled print layout Lists and tables: When to use a table, a list, or another element should be clearer. There were instances were a table would have been better than a list and vise-versa. The formatting of both needs attention: lists are too spaced out and tables contain multiple header rows in the same table. Diagrams and images: Diagrams are a great tool for getting information across visually, particularly to illustrate complex processes and concepts. There are no diagrams in the documentation. Tools like Mermaid allow you to create diagrams dynamically, without using image editing application. The general quality of the screenshots and images is low, and there are no captions. Captions are important for SEO and for accessibility for visually impaired readers. Having images under Show pictures dropdowns is a suboptimal user experience. It's an additional click for little gain. Font and presentation layer: The font on the main site is more legible and overall styling is more visually appealing compared to the documentation site. Presentation matters, even for highly technical audiences. Admonition overuse: Excessive use of admonitions can diminish their impact. There are multiple pages with more than five admonitions per page. If everything is important, nothing is important. Itβs essential to limit their frequency to maintain emphasis. The documentation is arranged around how the company views the software and not how users use it. A compliance and audit professional would benefit from a user flow designed for their needs and understanding, same for an integration or process engineer. The documentation is written like a book, with the expectation that readers will read from top to bottom. This is not how people read documentation. Documentation is primarily driven by search and read in snippets. Readers come with questions and expect answers with full context in a nutshell. The language scores highly on the Flesch-Kincaid Grade Level, indicating that it can be improved for clarity and flow. This would need a full review of the content to set standards that make it more readable and understandable. As a reader I get the sense the chapters have been written by different people and the documentation set does not work together. My general recommendation would be an overhaul, starting with the information architecture, a technical infrastructure review, and then a general language and style standards review. See my rΓ©sume=e.count.fields)return{documents:r,terms:l};let a=e.shards[n];return t.forEach(o=>{let{occurrences:s}=a.terms[o];for(let i=0;iBlog¶
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
15 years(1)
Languages(1)
linkedin/gugulet-hu gugulet.hu/dev 2013 2015 2019 2021 2024 Copywriting The Jupiter Drawing Room(1)
marketing, advertising, print, radio, television, online, established, private
financial services, investment, unit trusts (mutual funds), established, private
financial services, payments, hardware, scale-up, series b
financial services, banking, saas, scale-up, series e Promoted to team lead
manufacturing, automotive, heavy machinery, saas, scale-up, series b Established the documentation function
Technical
Process sequenceDiagram\nautonumber\nβπ½ writer->>βπ½ writer: Collect feedback\nβπ½ writer->>βπ½ writer: Brainstorm content ideas\nβπ½ writer->>βπ½ writer: Write draft content\nβπ½ writer->>π§π½βπ§ technical expert: Check the draft for technical accuracy\nπ§π½βπ§ technical expert->>π§π½βπ§ technical expert: Check content\nNote right of π§π½βπ§ technical expert: Identify issues with draft\nπ§π½βπ§ technical expert-->>βπ½ writer: Revert with issues to fix\nβπ½ writer->>βπ½ writer: Fix issues and send back\nπ§π½βπ§ technical expert->>π§π½βπ§ technical expert: Check content\nNote right of π§π½βπ§ technical expert: Pass content\nπ§π½βπ§ technical expert-->>βπ½ writer: Return pass\nβπ½ writer->>βπ½ other writer: Check draft for language\nβπ½ other writer->>βπ½ other writer: Review language and understanding\nNote right of βπ½ other writer: Note improvements\nβπ½ other writer->>βπ½ writer: Send notes for improvement\nβπ½ writer->>βπ½ writer: Make improvements\nβπ½ writer->>π€ automated check: Check using AI and/or Vale\nπ€ automated check->>βπ½ writer: Return fixes\nβπ½ writer->>βπ½ writer: Prepare and publish final draft
","path":["Financial"],"tags":["HTML","JavaScript","CSS","Logic"]},{"location":"qself/financial/#reconciliation","level":2,"title":"Reconciliation","text":"4 Finances flow, which serves all the other financial subflows.4a Transactions flow in Automate, which presents an input form, returns the data via query parameters, and enriches the data with exchange rate information, where necessary, and unit cost calculations.
","path":["Getting started"],"tags":[]},{"location":"qself/getting-started/#3-import-flows-into-automate-and-displays-into-kustom","level":3,"title":"3. Import flows into Automate and displays into Kustom","text":"cd /storage/emulated/0/\ngit clone git@github.com:gugulet-hu/qself-process.git\nlatest.flo files in each of the directories in the qself-process/Automate/ folder. Inside Automate, the dot menu in the top-left corner includes the option to Import. Import the files in the qself-process/Kustom/wallpapers/ folder into KLWP and import the files in the qself-process/Kustom/watchfaces/ folder into KWCH.1 Context flow in Automate","text":"","path":["Getting started"],"tags":[]},{"location":"qself/getting-started/#toolset","level":2,"title":"Toolset","text":"Component Tool Device Description Install Learn Logical Python Python is a general purpose programming language used for data analysis and various scripts. Python TreeHouse Automate Automate is a graphical code tool to create and manage logic on the mobile device. The project also requires these Tasker plugins: AutoWear, AutoInput, Termux:Tasker, Sleep as Android, and Kustom (the last two apps come with their respective Automate plugins). Google Play LlamaLab Sensory wearOS device Any wearOS compatible smartwatch. The TicWatch Pro 5 is recommended for its battery life and general ease of use. It can also be rooted quite easily, unlike Samsung devices. TicWatch Android smartphone The smartphone is a fallback option for certain types of sensory input, such as Steps. The Pixel series is a lean option without the junkware from other Android device manufacturers. You can overlay it with Graphene OS to somewhat protect yourself from Google tracking and annoyances. Pixel Sleep as Android This app is the most reliable sleep tracker for Android. Make sure to turn off the features that send your data to the developer. It is deeply integrated into the way the sleep track flow works. Google Play Docs Input and Display HTML HTML is required foundational knowledge to create web screens to accept manual inputs. CSS CSS is required foundational knowledge to create web screens to accept manual inputs. Better yet, Sass to manage the complexity of some of the input screens. JavaScript JavaScript is required foundational knowledge to create web screens to accept manual inputs. Some JS is also required for using advanced Automate techniques. KLWP Kustom Live Wallpaper allows you to create interactive home screens and is a pretty powerful logical engine of its own. Most of the data is piped to the home screen dashboard for easy access. Google Play Kustom KWCH Kustom Watch Face allows you to create watch faces using the Kustom interface. Like KLWP, it is also capable of doing logical operations. Google Play Kustom Analytical TBA Storage and Sync SQLCipher SQLCipher is the secure version of SQLite. The commands and queries are largely the same, except for the parts to access the database. GitHub Zetetic TablePlus GUI tool for relational databases. In this project used to manually edit the database when things go wrong. Also useful to create queries. TablePlus Docs Termux Termux is a terminal for Android that allows you to send commands for many popular application. For this project it is used for git commands and a couple of advanced techniques. The following packages are installed using the pkg install <package> command: curl, gh, git, openssh, python, sqlcipher, termux-api, and termux-tools. GitHub Termux iTerm2 iTerm is my preferred console for macOS. See the description for Termux for which CLI tools to install using the command brew install <package>. Homebrew will also need to be installed. iTerm Docs Syncthing Syncthing syncs folders and files across devices. Used to keep the project files updated between the laptop and the smartphone. Syncthing Docs","path":["Getting started"],"tags":[]},{"location":"qself/health/exercise/","level":1,"title":"Test","text":"","path":["Test"],"tags":[]},{"location":"qself/health/metrics/","level":1,"title":"Test","text":"","path":["Test"],"tags":[]},{"location":"qself/health/sleep/","level":1,"title":"Test","text":"","path":["Test"],"tags":[]},{"location":"qself/mental/emotional/","level":1,"title":"Test","text":"","path":["Test"],"tags":[]},{"location":"qself/mental/media/","level":1,"title":"Test","text":"","path":["Test"],"tags":[]},{"location":"qself/mental/productivity/","level":1,"title":"Test","text":"","path":["Test"],"tags":[]},{"location":"qself/reference/devices/","level":1,"title":"Devices","text":"","path":["Devices"],"tags":["Watch","Mobile","Laptop"]},{"location":"qself/reference/devices/#mobile","level":2,"title":"Mobile","text":"adb connect <IP-address>\nadb connect <IP-address>:<Port>\n
Part Description Required adb connect 192.168.123.132\nadb connect 192.168.123.132:12345\nadb The Android Debugging Bridge CLI tool. To install it on Termux, use: pkg install android-tools. To install it on macOS, using homebrew: brew install android-tools. Yes connect The command to connect over wi-fi to the device. Yes <IP-address> You can find the IP address on your device when you turn on ADB over wi-fi. It is usually located in Settings > Developer options > Wireless debugging. The command to connect without the port number may be necessary to prompt the permissions dialog, which confirms that you want to connect to this device on the first attempt. Yes <Port> The port number can usually be found in Settings > Developer options > Wireless debugging. The port number is required when there is more than one device connected via ADB. No","path":["Devices"],"tags":["Watch","Mobile","Laptop"]},{"location":"qself/reference/devices/#grant-permissions-to-apps","level":3,"title":"Grant permissions to apps","text":"adb -s \"<IP-address>:<Port>\" shell pm grant <package-name> <permission>\n
Part Description Required adb -s \"192.168.123.132:12345\" shell pm grant com.joaomgcd.autowear android.permission.WRITE_SECURE_SETTINGS\nadb The Android Debugging Bridge CLI tool. To install it on Termux, use: pkg install android-tools. To install it on macOS, using homebrew: brew install android-tools. Yes -s This flag selects a particular device when there is more than one device connected via ADB. No <IP-address> This IP address can be found in Settings > Developer options > Wireless debugging. The command to connect without the port number may be necessary to prompt the permissions dialog, which confirms that you want to connect to this device on the first connection. Yes <Port> The port number is in Settings > Developer options > Wireless debugging. The port number is required when there is more than one device connected via ADB. No shell The shell for interacting with ADB. Yes pm Short for package manager, which manages apps on an Android or wearOS device. Yes grant <package-name> <permission> Grant this package these permissions on the device. Yes","path":["Devices"],"tags":["Watch","Mobile","Laptop"]},{"location":"qself/reference/devices/#list-system-apps","level":3,"title":"List system apps","text":"adb -s \"<IP-address>:<Port>\" shell pm list packages -s -e <manufacturer-name>\n
Part Description Required adb -s \"192.168.123.132:12345\" shell pm list packages -s -e mobvoi\nadb The Android Debugging Bridge CLI tool. To install it on Termux, use: pkg install android-tools. To install it on macOS, using homebrew: brew install android-tools. Yes -s This flag selects a particular device when there is more than one device connected via ADB. No <IP-address> This IP address can be found in Settings > Developer options > Wireless debugging. The command to connect without the port number may be necessary to prompt the permissions dialog, which confirms that you want to connect to this device on the first attempt. Yes <Port> The port number is in Settings > Developer options > Wireless debugging. The port number is required when there is more than one device connected via ADB. No shell The shell for interacting with ADB. Yes pm Short for package manager, which manages apps on an Android or wearOS device. Yes list packages List all the packages that meet the conditions that follow. Yes -s A flag to filter for system apps. No -e A flag to filter for enabled apps. To filter for disabled apps use -d. No","path":["Devices"],"tags":["Watch","Mobile","Laptop"]},{"location":"qself/reference/devices/#disable-system-apps","level":3,"title":"Disable system apps","text":"adb -s \"<IP-address>:<Port>\" shell pm disable-user --user 0 <package-name>\n
Part Description Required adb -s \"192.168.123.132:12345\" shell pm disable-user --user 0 com.mobvoi.wear.mcuservice.aw\nadb The Android Debugging Bridge CLI tool. To install it on Termux, use: pkg install android-tools. To install it on macOS, using homebrew: brew install android-tools. Yes -s This flag selects a particular device when there is more than one device connected via ADB. No <IP-address> This IP address can be found in Settings > Developer options > Wireless debugging. The command to connect without the port number may be necessary to prompt the permissions dialog, which confirms that you want to connect to this device on the first attempt. Yes <Port> The port number is in Settings > Developer options > Wireless debugging. The port number is required when there is more than one device connected via ADB. No shell The shell for interacting with ADB. Yes pm Short for package manager, which manages apps on an Android or wearOS device. Yes disable-user --user 0 Disable the following app on the device. Yes <package-name> The name of the package to disable. You can find the package names by listing the packages. Yes","path":["Devices"],"tags":["Watch","Mobile","Laptop"]},{"location":"qself/reference/devices/#laptop","level":2,"title":"Laptop","text":"