diff options
93 files changed, 1921 insertions, 828 deletions
| @@ -3,7 +3,7 @@ max-line-length=100  docstring-convention=all  import-order-style=pycharm  application_import_names=pydis_site -exclude=__pycache__, venv, .venv, **/migrations/**, .cache/ +exclude=__pycache__, venv, .venv, **/migrations/**, .cache/, gunicorn.conf.py  ignore=      B311,W503,E226,S311,T000      # Missing Docstrings diff --git a/.github/PULL_REQUEST_TEMPLATE/pull_request.md b/.github/PULL_REQUEST_TEMPLATE/pull_request.md new file mode 100644 index 00000000..358d2553 --- /dev/null +++ b/.github/PULL_REQUEST_TEMPLATE/pull_request.md @@ -0,0 +1,22 @@ +## Summary +<!-- Please provide a brief description of this PR along with the related issue it fixes --> + + +## Description of changes +<!-- Describe what changes you've made, and how you implemented them --> + + +### I confirm I have: +<!-- Replace [ ] below with [X] to check the boxes --> +- [ ] Joined the [Python Discord community](discord.gg/python) +- [ ] Read the [Code of Conduct](https://www.pydis.com/pages/code-of-conduct) and agree to it +- [ ] I have discussed implementing this feature on the relevant service (Discord, GitHub, etc.) + + +### I have changed API models and I ensure I have: +<!-- Please remove this section if you haven't edited files under pydis_site/apps/api/models --> +- [ ] Opened a PR updating the model on the [API GitHub Repository](https://github.com/python-discord/api) + +**OR** + +- [ ] Opened an issue on the [API GitHub Repository](https://github.com/python-discord/api) explaining what changes need to be made diff --git a/.github/workflows/deploy.yaml b/.github/workflows/deploy.yaml index 4208f727..0e315327 100644 --- a/.github/workflows/deploy.yaml +++ b/.github/workflows/deploy.yaml @@ -41,7 +41,7 @@ jobs:          uses: Azure/k8s-deploy@v1          with:            manifests: | -              site/deployment.yaml +              namespaces/default/site/deployment.yaml            images: 'ghcr.io/python-discord/site:${{ steps.sha_tag.outputs.tag }}'            kubectl-version: 'latest' diff --git a/.github/workflows/static-preview.yaml b/.github/workflows/static-preview.yaml new file mode 100644 index 00000000..52d7df5a --- /dev/null +++ b/.github/workflows/static-preview.yaml @@ -0,0 +1,77 @@ +name: Build & Publish Static Preview + +on: +  push: +    branches: +      - main +  pull_request: + +jobs: +  build: +    name: Build Static Preview +    runs-on: ubuntu-latest + +    steps: +      - uses: actions/checkout@v2 + +     # Create a commit SHA-based tag for the container repositories +      - name: Create SHA Container Tag +        id: sha_tag +        run: | +          tag=$(cut -c 1-7 <<< $GITHUB_SHA) +          echo "::set-output name=tag::$tag" + +      - name: Set up Docker Buildx +        uses: docker/setup-buildx-action@v1 + +      - name: Login to Github Container Registry +        uses: docker/login-action@v1 +        with: +          registry: ghcr.io +          username: ${{ github.repository_owner }} +          password: ${{ secrets.GITHUB_TOKEN }} + +      # Build the container, including an inline cache manifest to +      # allow us to use the registry as a cache source. +      - name: Build Docker Image (Main) +        uses: docker/build-push-action@v2 +        if: github.ref == 'refs/heads/main' +        with: +          context: . +          push: true +          cache-from: type=registry,ref=ghcr.io/python-discord/static-site:latest +          cache-to: type=inline +          tags: | +            ghcr.io/python-discord/static-site:latest +            ghcr.io/python-discord/static-site:${{ steps.sha_tag.outputs.tag }} +          build-args: | +            git_sha=${{ github.sha }} +            STATIC_BUILD=TRUE + +      - name: Extract Build From Docker Image (Main) +        if: github.ref == 'refs/heads/main' +        run: | +          mkdir docker_build \ +          && docker run --entrypoint /bin/echo --name site \ +          ghcr.io/python-discord/static-site:${{ steps.sha_tag.outputs.tag }} \ +          && docker cp site:/app docker_build/ + +      # Build directly to a local folder +      - name: Build Docker Image (PR) +        uses: docker/build-push-action@v2 +        if: github.ref != 'refs/heads/main' +        with: +          context: . +          push: false +          cache-from: type=registry,ref=ghcr.io/python-discord/static-site:latest +          outputs: type=local,dest=docker_build/ +          build-args: | +            git_sha=${{ github.sha }} +            STATIC_BUILD=TRUE + +      - name: Upload Build +        uses: actions/upload-artifact@v2 +        with: +          name: static-build +          path: docker_build/app/build/ +          if-no-files-found: error @@ -126,3 +126,6 @@ staticfiles/  *.js.tmp  log.* + +# Local Netlify folder +.netlify @@ -1,4 +1,4 @@ -FROM python:3.9.5-slim-buster +FROM --platform=linux/amd64 python:3.9-slim-buster  # Allow service to handle stops gracefully  STOPSIGNAL SIGQUIT @@ -24,6 +24,24 @@ ENV GIT_SHA=$git_sha  # Copy the source code in last to optimize rebuilding the image  COPY . . +# Set dummy variables so collectstatic can load settings.py +RUN \ +    # Set BUILDING_DOCKER to anything but undefined so settings.py +    # does not insert django_prometheus into the list of installed apps. +    # This prevents django_prometheus from attempting to connect to the database +    # when the collectstatic task is ran. +    BUILDING_DOCKER=yes \ +    SECRET_KEY=dummy_value \ +    DATABASE_URL=postgres://localhost \ +    METRICITY_DB_URL=postgres://localhost \ +    python manage.py collectstatic --noinput --clear + +# Build static files if we are doing a static build +ARG STATIC_BUILD=false +RUN if [ $STATIC_BUILD = "TRUE" ] ; \ +  then SECRET_KEY=dummy_value python manage.py distill-local build --traceback --force ; \ +fi +  # Run web server through custom manager  ENTRYPOINT ["python", "manage.py"]  CMD ["run"] @@ -12,7 +12,7 @@ This is all of the code that is responsible for maintaining [our website][9] and  The website is built on Django and should be simple to set up and get started with.  If you happen to run into issues with setup, please don't hesitate to open an issue! -If you're looking to contribute or play around with the code, take a look at [the wiki][10] or the [`docs` directory](docs). If you're looking for things to do, check out [our issues][11]. +If you're looking to contribute or play around with the code, take a look at [the wiki][10]. If you're looking for things to do, check out [our issues][11].  [1]: https://github.com/python-discord/site/workflows/Lint%20&%20Test/badge.svg?branch=main  [2]: https://github.com/python-discord/site/actions?query=workflow%3A%22Lint+%26+Test%22+branch%3Amain diff --git a/docker-compose.yml b/docker-compose.yml index 05867a46..eb987624 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -18,6 +18,11 @@ services:        POSTGRES_DB: pysite        POSTGRES_PASSWORD: pysite        POSTGRES_USER: pysite +    healthcheck: +      test: ["CMD-SHELL", "pg_isready -U pysite"] +      interval: 2s +      timeout: 1s +      retries: 5      volumes:        - ./postgres/init.sql:/docker-entrypoint-initdb.d/init.sql @@ -35,7 +40,8 @@ services:      ports:        - "127.0.0.1:8000:8000"      depends_on: -      - postgres +      postgres: +        condition: service_healthy      tty: true      volumes:        - .:/app:ro diff --git a/gunicorn.conf.py b/gunicorn.conf.py new file mode 100644 index 00000000..4930ae5b --- /dev/null +++ b/gunicorn.conf.py @@ -0,0 +1,10 @@ +""" +Configuration file for gunicorn. + +Code taken from https://github.com/prometheus/client_python#multiprocess-mode-eg-gunicorn +""" +from prometheus_client import multiprocess + + +def child_exit(server, worker) -> None: +    multiprocess.mark_process_dead(worker.pid) @@ -1,10 +1,8 @@  #!/usr/bin/env python  import os -import re -import socket +import platform  import sys -import time -from typing import List +from pathlib import Path  import django  from django.contrib.auth import get_user_model @@ -42,7 +40,7 @@ class SiteManager:          --verbose  Sets verbose console output.      """ -    def __init__(self, args: List[str]): +    def __init__(self, args: list[str]):          self.debug = "--debug" in args          self.silent = "--silent" in args @@ -85,38 +83,6 @@ class SiteManager:              print(f"Existing bot token found: {token}")      @staticmethod -    def wait_for_postgres() -> None: -        """Wait for the PostgreSQL database specified in DATABASE_URL.""" -        print("Waiting for PostgreSQL database.") - -        # Get database URL based on environmental variable passed in compose -        database_url = os.environ["DATABASE_URL"] -        match = re.search(r"@([\w.]+):(\d+)/", database_url) -        if not match: -            raise OSError("Valid DATABASE_URL environmental variable not found.") -        domain = match.group(1) -        port = int(match.group(2)) - -        # Attempt to connect to the database socket -        s = socket.socket(socket.AF_INET, socket.SOCK_STREAM) - -        attempts_left = 10 -        while attempts_left: -            try: -                # Ignore 'incomplete startup packet' -                s.connect((domain, port)) -                s.shutdown(socket.SHUT_RDWR) -                print("Database is ready.") -                break -            except socket.error: -                attempts_left -= 1 -                print("Not ready yet, retrying.") -                time.sleep(0.5) -        else: -            print("Database could not be found, exiting.") -            sys.exit(1) - -    @staticmethod      def set_dev_site_name() -> None:          """Set the development site domain in admin from default example."""          # import Site model now after django setup @@ -133,15 +99,19 @@ class SiteManager:          """Perform preparation tasks before running the server."""          django.setup() -        if self.debug: -            self.wait_for_postgres() -          print("Applying migrations.")          call_command("migrate", verbosity=self.verbosity) -        print("Collecting static files.") -        call_command("collectstatic", interactive=False, clear=True, verbosity=self.verbosity)          if self.debug: +            # In Production, collectstatic is ran in the Docker image +            print("Collecting static files.") +            call_command( +                "collectstatic", +                interactive=False, +                clear=True, +                verbosity=self.verbosity - 1 +            ) +              self.set_dev_site_name()              self.create_superuser() @@ -169,18 +139,32 @@ class SiteManager:              "--preload",              "-b", "0.0.0.0:8000",              "pydis_site.wsgi:application", -            "--threads", "8",              "-w", "2", -            "--max-requests", "1000", -            "--max-requests-jitter", "50",              "--statsd-host", "graphite.default.svc.cluster.local:8125",              "--statsd-prefix", "site", +            "--config", "file:gunicorn.conf.py"          ]          # Run gunicorn for the production server.          gunicorn.app.wsgiapp.run() +def clean_up_static_files(build_folder: Path) -> None: +    """Recursively loop over the build directory and fix links.""" +    for file in build_folder.iterdir(): +        if file.is_dir(): +            clean_up_static_files(file) +        elif file.name.endswith(".html"): +            # Fix parent host url +            new = file.read_text(encoding="utf-8").replace(f"//{os.getenv('PARENT_HOST')}", "") + +            # Fix windows paths if on windows +            if platform.system() == "Windows": +                new = new.replace("%5C", "/") + +            file.write_text(new, encoding="utf-8") + +  def main() -> None:      """Entry point for Django management script."""      # Use the custom site manager for launching the server @@ -189,8 +173,23 @@ def main() -> None:      # Pass any others directly to standard management commands      else: +        _static_build = "distill" in sys.argv[1] + +        if _static_build: +            # Build a static version of the site with no databases and API support +            os.environ["STATIC_BUILD"] = "True" +            if not os.getenv("PARENT_HOST"): +                os.environ["PARENT_HOST"] = "REPLACE_THIS.HOST" +          execute_from_command_line(sys.argv) +        if _static_build: +            # Clean up parent host in generated files +            for arg in sys.argv[2:]: +                if not arg.startswith("-"): +                    clean_up_static_files(Path(arg)) +                    break +  if __name__ == '__main__':      main() diff --git a/poetry.lock b/poetry.lock index 76c8890b..eac58fdb 100644 --- a/poetry.lock +++ b/poetry.lock @@ -1,14 +1,6 @@  [[package]] -name = "appdirs" -version = "1.4.4" -description = "A small Python module for determining appropriate platform-specific dirs, e.g. a \"user data dir\"." -category = "dev" -optional = false -python-versions = "*" - -[[package]]  name = "asgiref" -version = "3.3.4" +version = "3.4.1"  description = "ASGI specs, helper code, and adapters"  category = "main"  optional = false @@ -32,6 +24,18 @@ tests = ["coverage[toml] (>=5.0.2)", "hypothesis", "pympler", "pytest (>=4.3.0)"  tests_no_zope = ["coverage[toml] (>=5.0.2)", "hypothesis", "pympler", "pytest (>=4.3.0)", "six", "mypy", "pytest-mypy-plugins"]  [[package]] +name = "backports.entry-points-selectable" +version = "1.1.0" +description = "Compatibility shim providing selectable entry points for older implementations" +category = "dev" +optional = false +python-versions = ">=2.7" + +[package.extras] +docs = ["sphinx", "jaraco.packaging (>=8.2)", "rst.linker (>=1.9)"] +testing = ["pytest (>=4.6)", "pytest-flake8", "pytest-cov", "pytest-black (>=0.3.7)", "pytest-mypy", "pytest-checkdocs (>=2.4)", "pytest-enabler (>=1.0.1)"] + +[[package]]  name = "bandit"  version = "1.7.0"  description = "Security oriented static analyser for python code." @@ -48,7 +52,7 @@ stevedore = ">=1.20.0"  [[package]]  name = "certifi" -version = "2020.12.5" +version = "2021.5.30"  description = "Python package for providing Mozilla's CA Bundle."  category = "main"  optional = false @@ -56,19 +60,22 @@ python-versions = "*"  [[package]]  name = "cfgv" -version = "3.2.0" +version = "3.3.1"  description = "Validate configuration and produce human readable error messages."  category = "dev"  optional = false  python-versions = ">=3.6.1"  [[package]] -name = "chardet" -version = "4.0.0" -description = "Universal encoding detector for Python 2 and 3" +name = "charset-normalizer" +version = "2.0.6" +description = "The Real First Universal Charset Detector. Open, modern and actively maintained alternative to Chardet."  category = "main"  optional = false -python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*" +python-versions = ">=3.5.0" + +[package.extras] +unicode_backport = ["unicodedata2"]  [[package]]  name = "colorama" @@ -107,7 +114,7 @@ yaml = ["PyYAML (>=3.10)"]  [[package]]  name = "distlib" -version = "0.3.1" +version = "0.3.3"  description = "Distribution utilities"  category = "dev"  optional = false @@ -131,6 +138,18 @@ argon2 = ["argon2-cffi (>=16.1.0)"]  bcrypt = ["bcrypt"]  [[package]] +name = "django-distill" +version = "2.9.0" +description = "Static site renderer and publisher for Django." +category = "main" +optional = false +python-versions = "*" + +[package.dependencies] +django = "*" +requests = "*" + +[[package]]  name = "django-environ"  version = "0.4.5"  description = "Django-environ allows you to utilize 12factor inspired environment variables to configure your Django application." @@ -150,16 +169,19 @@ python-versions = ">=3.4"  Django = ">=1.11"  [[package]] -name = "django-hosts" -version = "4.0" -description = "Dynamic and static host resolving for Django. Maps hostnames to URLconfs." +name = "django-prometheus" +version = "2.1.0" +description = "Django middlewares to monitor your application with Prometheus.io."  category = "main"  optional = false -python-versions = ">=3.5" +python-versions = "*" + +[package.dependencies] +prometheus-client = ">=0.7"  [[package]]  name = "django-simple-bulma" -version = "2.2.0" +version = "2.4.0"  description = "Django application to add the Bulma CSS framework and its extensions"  category = "main"  optional = false @@ -193,11 +215,15 @@ python-versions = "*"  [[package]]  name = "filelock" -version = "3.0.12" +version = "3.3.0"  description = "A platform independent file lock."  category = "dev"  optional = false -python-versions = "*" +python-versions = ">=3.6" + +[package.extras] +docs = ["furo (>=2021.8.17b43)", "sphinx (>=4.1)", "sphinx-autodoc-typehints (>=1.12)"] +testing = ["covdefaults (>=1.2.0)", "coverage (>=4)", "pytest (>=4)", "pytest-cov", "pytest-timeout (>=1.4.2)"]  [[package]]  name = "flake8" @@ -299,14 +325,14 @@ flake8 = "*"  [[package]]  name = "flake8-tidy-imports" -version = "4.3.0" +version = "4.4.1"  description = "A flake8 plugin that helps you write tidier imports."  category = "dev"  optional = false  python-versions = ">=3.6"  [package.dependencies] -flake8 = ">=3.0,<3.2.0 || >3.2.0,<4" +flake8 = ">=3.8.0,<4"  [[package]]  name = "flake8-todo" @@ -332,14 +358,15 @@ smmap = ">=3.0.1,<5"  [[package]]  name = "gitpython" -version = "3.1.17" -description = "Python Git Library" +version = "3.1.24" +description = "GitPython is a python library used to interact with Git repositories"  category = "dev"  optional = false -python-versions = ">=3.5" +python-versions = ">=3.7"  [package.dependencies]  gitdb = ">=4.0.1,<5" +typing-extensions = {version = ">=3.7.4.3", markers = "python_version < \"3.10\""}  [[package]]  name = "gunicorn" @@ -357,7 +384,7 @@ tornado = ["tornado (>=0.2)"]  [[package]]  name = "identify" -version = "2.2.4" +version = "2.3.0"  description = "File identification library for Python"  category = "dev"  optional = false @@ -368,15 +395,15 @@ license = ["editdistance-s"]  [[package]]  name = "idna" -version = "2.10" +version = "3.2"  description = "Internationalized Domain Names in Applications (IDNA)"  category = "main"  optional = false -python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*" +python-versions = ">=3.5"  [[package]]  name = "libsass" -version = "0.20.1" +version = "0.21.0"  description = "Sass for Python: A straightforward binding of libsass for Python."  category = "main"  optional = false @@ -430,18 +457,31 @@ python-versions = ">=2.6"  [[package]]  name = "pep8-naming" -version = "0.11.1" +version = "0.12.1"  description = "Check PEP-8 naming conventions, plugin for flake8"  category = "dev"  optional = false  python-versions = "*"  [package.dependencies] +flake8 = ">=3.9.1"  flake8-polyfill = ">=1.0.2,<2"  [[package]] +name = "platformdirs" +version = "2.4.0" +description = "A small Python module for determining appropriate platform-specific dirs, e.g. a \"user data dir\"." +category = "dev" +optional = false +python-versions = ">=3.6" + +[package.extras] +docs = ["Sphinx (>=4)", "furo (>=2021.7.5b38)", "proselint (>=0.10.2)", "sphinx-autodoc-typehints (>=1.12)"] +test = ["appdirs (==1.4.4)", "pytest (>=6)", "pytest-cov (>=2.7)", "pytest-mock (>=3.6)"] + +[[package]]  name = "pre-commit" -version = "2.12.1" +version = "2.15.0"  description = "A framework for managing and maintaining multi-language pre-commit hooks."  category = "dev"  optional = false @@ -456,6 +496,17 @@ toml = "*"  virtualenv = ">=20.0.8"  [[package]] +name = "prometheus-client" +version = "0.11.0" +description = "Python client for the Prometheus monitoring system." +category = "main" +optional = false +python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*" + +[package.extras] +twisted = ["twisted"] + +[[package]]  name = "psutil"  version = "5.8.0"  description = "Cross-platform lib for process and system monitoring in Python." @@ -484,7 +535,7 @@ python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*"  [[package]]  name = "pydocstyle" -version = "6.0.0" +version = "6.1.1"  description = "Python docstring style checker"  category = "dev"  optional = false @@ -493,6 +544,9 @@ python-versions = ">=3.6"  [package.dependencies]  snowballstemmer = "*" +[package.extras] +toml = ["toml"] +  [[package]]  name = "pyfakefs"  version = "4.4.0" @@ -537,7 +591,7 @@ test = ["pytest", "toml", "pyaml"]  [[package]]  name = "pytz" -version = "2021.1" +version = "2021.3"  description = "World timezone definitions, modern and historical"  category = "main"  optional = false @@ -553,21 +607,21 @@ python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*, !=3.5.*"  [[package]]  name = "requests" -version = "2.25.1" +version = "2.26.0"  description = "Python HTTP for Humans."  category = "main"  optional = false -python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*" +python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*, !=3.5.*"  [package.dependencies]  certifi = ">=2017.4.17" -chardet = ">=3.0.2,<5" -idna = ">=2.5,<3" +charset-normalizer = {version = ">=2.0.0,<2.1.0", markers = "python_version >= \"3\""} +idna = {version = ">=2.5,<4", markers = "python_version >= \"3\""}  urllib3 = ">=1.21.1,<1.27"  [package.extras] -security = ["pyOpenSSL (>=0.14)", "cryptography (>=1.3.4)"]  socks = ["PySocks (>=1.5.6,!=1.5.7)", "win-inet-pton"] +use_chardet_on_py3 = ["chardet (>=3.0.2,<5)"]  [[package]]  name = "sentry-sdk" @@ -623,7 +677,7 @@ python-versions = "*"  [[package]]  name = "sqlparse" -version = "0.4.1" +version = "0.4.2"  description = "A non-validating SQL parser."  category = "main"  optional = false @@ -631,7 +685,7 @@ python-versions = ">=3.5"  [[package]]  name = "stevedore" -version = "3.3.0" +version = "3.4.0"  description = "Manage dynamic plugins for Python applications"  category = "dev"  optional = false @@ -662,39 +716,48 @@ optional = false  python-versions = ">=2.6, !=3.0.*, !=3.1.*, !=3.2.*"  [[package]] +name = "typing-extensions" +version = "3.10.0.2" +description = "Backported and Experimental Type Hints for Python 3.5+" +category = "dev" +optional = false +python-versions = "*" + +[[package]]  name = "urllib3" -version = "1.26.4" +version = "1.26.7"  description = "HTTP library with thread-safe connection pooling, file post, and more."  category = "main"  optional = false  python-versions = ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*, <4"  [package.extras] +brotli = ["brotlipy (>=0.6.0)"]  secure = ["pyOpenSSL (>=0.14)", "cryptography (>=1.3.4)", "idna (>=2.0.0)", "certifi", "ipaddress"]  socks = ["PySocks (>=1.5.6,!=1.5.7,<2.0)"] -brotli = ["brotlipy (>=0.6.0)"]  [[package]]  name = "virtualenv" -version = "20.4.6" +version = "20.8.1"  description = "Virtual Python Environment builder"  category = "dev"  optional = false -python-versions = "!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*,>=2.7" +python-versions = "!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*,!=3.4.*,>=2.7"  [package.dependencies] -appdirs = ">=1.4.3,<2" +"backports.entry-points-selectable" = ">=1.0.4"  distlib = ">=0.3.1,<1"  filelock = ">=3.0.0,<4" +platformdirs = ">=2,<3"  six = ">=1.9.0,<2"  [package.extras]  docs = ["proselint (>=0.10.2)", "sphinx (>=3)", "sphinx-argparse (>=0.2.5)", "sphinx-rtd-theme (>=0.4.3)", "towncrier (>=19.9.0rc1)"] -testing = ["coverage (>=4)", "coverage-enable-subprocess (>=1)", "flaky (>=3)", "pytest (>=4)", "pytest-env (>=0.6.2)", "pytest-freezegun (>=0.4.1)", "pytest-mock (>=2)", "pytest-randomly (>=1)", "pytest-timeout (>=1)", "packaging (>=20.0)", "xonsh (>=0.9.16)"] +testing = ["coverage (>=4)", "coverage-enable-subprocess (>=1)", "flaky (>=3)", "pytest (>=4)", "pytest-env (>=0.6.2)", "pytest-freezegun (>=0.4.1)", "pytest-mock (>=2)", "pytest-randomly (>=1)", "pytest-timeout (>=1)", "packaging (>=20.0)"]  [[package]]  name = "whitenoise" -version = "5.2.0" +version = "5.3.0"  description = "Radically simplified static file serving for WSGI applications"  category = "main"  optional = false @@ -706,36 +769,36 @@ brotli = ["brotli"]  [metadata]  lock-version = "1.1"  python-versions = "3.9.*" -content-hash = "741444c18250124e2d998506b0643fb26240d7481389a13648b02fa1794435e3" +content-hash = "9f0c069c14e2dbff63d58474702693f0c02b8cfd30e5af38303975a73b71bcfd"  [metadata.files] -appdirs = [ -    {file = "appdirs-1.4.4-py2.py3-none-any.whl", hash = "sha256:a841dacd6b99318a741b166adb07e19ee71a274450e68237b4650ca1055ab128"}, -    {file = "appdirs-1.4.4.tar.gz", hash = "sha256:7d5d0167b2b1ba821647616af46a749d1c653740dd0d2415100fe26e27afdf41"}, -]  asgiref = [ -    {file = "asgiref-3.3.4-py3-none-any.whl", hash = "sha256:92906c611ce6c967347bbfea733f13d6313901d54dcca88195eaeb52b2a8e8ee"}, -    {file = "asgiref-3.3.4.tar.gz", hash = "sha256:d1216dfbdfb63826470995d31caed36225dcaf34f182e0fa257a4dd9e86f1b78"}, +    {file = "asgiref-3.4.1-py3-none-any.whl", hash = "sha256:ffc141aa908e6f175673e7b1b3b7af4fdb0ecb738fc5c8b88f69f055c2415214"}, +    {file = "asgiref-3.4.1.tar.gz", hash = "sha256:4ef1ab46b484e3c706329cedeff284a5d40824200638503f5768edb6de7d58e9"},  ]  attrs = [      {file = "attrs-21.2.0-py2.py3-none-any.whl", hash = "sha256:149e90d6d8ac20db7a955ad60cf0e6881a3f20d37096140088356da6c716b0b1"},      {file = "attrs-21.2.0.tar.gz", hash = "sha256:ef6aaac3ca6cd92904cdd0d83f629a15f18053ec84e6432106f7a4d04ae4f5fb"},  ] +"backports.entry-points-selectable" = [ +    {file = "backports.entry_points_selectable-1.1.0-py2.py3-none-any.whl", hash = "sha256:a6d9a871cde5e15b4c4a53e3d43ba890cc6861ec1332c9c2428c92f977192acc"}, +    {file = "backports.entry_points_selectable-1.1.0.tar.gz", hash = "sha256:988468260ec1c196dab6ae1149260e2f5472c9110334e5d51adcb77867361f6a"}, +]  bandit = [      {file = "bandit-1.7.0-py3-none-any.whl", hash = "sha256:216be4d044209fa06cf2a3e51b319769a51be8318140659719aa7a115c35ed07"},      {file = "bandit-1.7.0.tar.gz", hash = "sha256:8a4c7415254d75df8ff3c3b15cfe9042ecee628a1e40b44c15a98890fbfc2608"},  ]  certifi = [ -    {file = "certifi-2020.12.5-py2.py3-none-any.whl", hash = "sha256:719a74fb9e33b9bd44cc7f3a8d94bc35e4049deebe19ba7d8e108280cfd59830"}, -    {file = "certifi-2020.12.5.tar.gz", hash = "sha256:1a4995114262bffbc2413b159f2a1a480c969de6e6eb13ee966d470af86af59c"}, +    {file = "certifi-2021.5.30-py2.py3-none-any.whl", hash = "sha256:50b1e4f8446b06f41be7dd6338db18e0990601dce795c2b1686458aa7e8fa7d8"}, +    {file = "certifi-2021.5.30.tar.gz", hash = "sha256:2bbf76fd432960138b3ef6dda3dde0544f27cbf8546c458e60baf371917ba9ee"},  ]  cfgv = [ -    {file = "cfgv-3.2.0-py2.py3-none-any.whl", hash = "sha256:32e43d604bbe7896fe7c248a9c2276447dbef840feb28fe20494f62af110211d"}, -    {file = "cfgv-3.2.0.tar.gz", hash = "sha256:cf22deb93d4bcf92f345a5c3cd39d3d41d6340adc60c78bbbd6588c384fda6a1"}, +    {file = "cfgv-3.3.1-py2.py3-none-any.whl", hash = "sha256:c6a0883f3917a037485059700b9e75da2464e6c27051014ad85ba6aaa5884426"}, +    {file = "cfgv-3.3.1.tar.gz", hash = "sha256:f5a830efb9ce7a445376bb66ec94c638a9787422f96264c98edc6bdeed8ab736"},  ] -chardet = [ -    {file = "chardet-4.0.0-py2.py3-none-any.whl", hash = "sha256:f864054d66fd9118f2e67044ac8981a54775ec5b67aed0441892edb553d21da5"}, -    {file = "chardet-4.0.0.tar.gz", hash = "sha256:0d6f53a15db4120f2b08c94f11e7d93d2c911ee118b6b30a04ec3ee8310179fa"}, +charset-normalizer = [ +    {file = "charset-normalizer-2.0.6.tar.gz", hash = "sha256:5ec46d183433dcbd0ab716f2d7f29d8dee50505b3fdb40c6b985c7c4f5a3591f"}, +    {file = "charset_normalizer-2.0.6-py3-none-any.whl", hash = "sha256:5d209c0a931f215cee683b6445e2d77677e7e75e159f78def0db09d68fafcaa6"},  ]  colorama = [      {file = "colorama-0.4.4-py2.py3-none-any.whl", hash = "sha256:9f47eda37229f68eee03b24b9748937c7dc3868f906e8ba69fbcbdd3bc5dc3e2"}, @@ -800,13 +863,16 @@ coveralls = [      {file = "coveralls-2.2.0.tar.gz", hash = "sha256:b990ba1f7bc4288e63340be0433698c1efe8217f78c689d254c2540af3d38617"},  ]  distlib = [ -    {file = "distlib-0.3.1-py2.py3-none-any.whl", hash = "sha256:8c09de2c67b3e7deef7184574fc060ab8a793e7adbb183d942c389c8b13c52fb"}, -    {file = "distlib-0.3.1.zip", hash = "sha256:edf6116872c863e1aa9d5bb7cb5e05a022c519a4594dc703843343a9ddd9bff1"}, +    {file = "distlib-0.3.3-py2.py3-none-any.whl", hash = "sha256:c8b54e8454e5bf6237cc84c20e8264c3e991e824ef27e8f1e81049867d861e31"}, +    {file = "distlib-0.3.3.zip", hash = "sha256:d982d0751ff6eaaab5e2ec8e691d949ee80eddf01a62eaa96ddb11531fe16b05"},  ]  django = [      {file = "Django-3.0.14-py3-none-any.whl", hash = "sha256:9bc7aa619ed878fedba62ce139abe663a147dccfd20e907725ec11e02a1ca225"},      {file = "Django-3.0.14.tar.gz", hash = "sha256:d58d8394036db75a81896037d757357e79406e8f68816c3e8a28721c1d9d4c11"},  ] +django-distill = [ +    {file = "django-distill-2.9.0.tar.gz", hash = "sha256:08f31dcde2e79e73c0bc4f36941830603a811cc89472be11f79f14affb460d84"}, +]  django-environ = [      {file = "django-environ-0.4.5.tar.gz", hash = "sha256:6c9d87660142608f63ec7d5ce5564c49b603ea8ff25da595fd6098f6dc82afde"},      {file = "django_environ-0.4.5-py2.py3-none-any.whl", hash = "sha256:c57b3c11ec1f319d9474e3e5a79134f40174b17c7cc024bbb2fad84646b120c4"}, @@ -815,13 +881,13 @@ django-filter = [      {file = "django-filter-2.1.0.tar.gz", hash = "sha256:3dafb7d2810790498895c22a1f31b2375795910680ac9c1432821cbedb1e176d"},      {file = "django_filter-2.1.0-py3-none-any.whl", hash = "sha256:a3014de317bef0cd43075a0f08dfa1d319a7ccc5733c3901fb860da70b0dda68"},  ] -django-hosts = [ -    {file = "django-hosts-4.0.tar.gz", hash = "sha256:59a870d453f113c889a7888bae5408888870350e83e362740f382dad569c2281"}, -    {file = "django_hosts-4.0-py2.py3-none-any.whl", hash = "sha256:136ac225f34e7f2c007294441a38663ec2bba9637d870ad001def81bca87e390"}, +django-prometheus = [ +    {file = "django-prometheus-2.1.0.tar.gz", hash = "sha256:dd3f8da1399140fbef5c00d1526a23d1ade286b144281c325f8e409a781643f2"}, +    {file = "django_prometheus-2.1.0-py2.py3-none-any.whl", hash = "sha256:c338d6efde1ca336e90c540b5e87afe9287d7bcc82d651a778f302b0be17a933"},  ]  django-simple-bulma = [ -    {file = "django-simple-bulma-2.2.0.tar.gz", hash = "sha256:dfc34839e050d5e4749498806ed7ee8c77794021efa54ab224a2de925c644fea"}, -    {file = "django_simple_bulma-2.2.0-py3-none-any.whl", hash = "sha256:38530d787b2b6a091b480f7cbb8841a3b3709733ebfa5e543ae339c3d8fece03"}, +    {file = "django-simple-bulma-2.4.0.tar.gz", hash = "sha256:99a15261b0c61062a128af3c6a45da9c066d6a4a548c9063464e0fb7a5438aa1"}, +    {file = "django_simple_bulma-2.4.0-py3-none-any.whl", hash = "sha256:95d5e26bebbf6a0184e33df844a0ff534bdfd91431e413d1a844d47a75c55fff"},  ]  djangorestframework = [      {file = "djangorestframework-3.11.2-py3-none-any.whl", hash = "sha256:5cc724dc4b076463497837269107e1995b1fbc917468d1b92d188fd1af9ea789"}, @@ -831,8 +897,8 @@ docopt = [      {file = "docopt-0.6.2.tar.gz", hash = "sha256:49b3a825280bd66b3aa83585ef59c4a8c82f2c8a522dbe754a8bc8d08c85c491"},  ]  filelock = [ -    {file = "filelock-3.0.12-py3-none-any.whl", hash = "sha256:929b7d63ec5b7d6b71b0fa5ac14e030b3f70b75747cef1b10da9b879fef15836"}, -    {file = "filelock-3.0.12.tar.gz", hash = "sha256:18d82244ee114f543149c66a6e0c14e9c4f8a1044b5cdaadd0f82159d6a6ff59"}, +    {file = "filelock-3.3.0-py3-none-any.whl", hash = "sha256:bbc6a0382fe8ec4744ecdf6683a2e07f65eb10ff1aff53fc02a202565446cde0"}, +    {file = "filelock-3.3.0.tar.gz", hash = "sha256:8c7eab13dc442dc249e95158bcc12dec724465919bdc9831fdbf0660f03d1785"},  ]  flake8 = [      {file = "flake8-3.9.2-py2.py3-none-any.whl", hash = "sha256:bf8fd333346d844f616e8d47905ef3a3384edae6b4e9beb0c5101e25e3110907"}, @@ -866,8 +932,8 @@ flake8-string-format = [      {file = "flake8_string_format-0.3.0-py2.py3-none-any.whl", hash = "sha256:812ff431f10576a74c89be4e85b8e075a705be39bc40c4b4278b5b13e2afa9af"},  ]  flake8-tidy-imports = [ -    {file = "flake8-tidy-imports-4.3.0.tar.gz", hash = "sha256:e66d46f58ed108f36da920e7781a728dc2d8e4f9269e7e764274105700c0a90c"}, -    {file = "flake8_tidy_imports-4.3.0-py3-none-any.whl", hash = "sha256:d6e64cb565ca9474d13d5cb3f838b8deafb5fed15906998d4a674daf55bd6d89"}, +    {file = "flake8-tidy-imports-4.4.1.tar.gz", hash = "sha256:c18b3351b998787db071e766e318da1f0bd9d5cecc69c4022a69e7aa2efb2c51"}, +    {file = "flake8_tidy_imports-4.4.1-py3-none-any.whl", hash = "sha256:631a1ba9daaedbe8bb53f6086c5a92b390e98371205259e0e311a378df8c3dc8"},  ]  flake8-todo = [      {file = "flake8-todo-0.7.tar.gz", hash = "sha256:6e4c5491ff838c06fe5a771b0e95ee15fc005ca57196011011280fc834a85915"}, @@ -877,35 +943,31 @@ gitdb = [      {file = "gitdb-4.0.7.tar.gz", hash = "sha256:96bf5c08b157a666fec41129e6d327235284cca4c81e92109260f353ba138005"},  ]  gitpython = [ -    {file = "GitPython-3.1.17-py3-none-any.whl", hash = "sha256:29fe82050709760081f588dd50ce83504feddbebdc4da6956d02351552b1c135"}, -    {file = "GitPython-3.1.17.tar.gz", hash = "sha256:ee24bdc93dce357630764db659edaf6b8d664d4ff5447ccfeedd2dc5c253f41e"}, +    {file = "GitPython-3.1.24-py3-none-any.whl", hash = "sha256:dc0a7f2f697657acc8d7f89033e8b1ea94dd90356b2983bca89dc8d2ab3cc647"}, +    {file = "GitPython-3.1.24.tar.gz", hash = "sha256:df83fdf5e684fef7c6ee2c02fc68a5ceb7e7e759d08b694088d0cacb4eba59e5"},  ]  gunicorn = [      {file = "gunicorn-20.0.4-py2.py3-none-any.whl", hash = "sha256:cd4a810dd51bf497552cf3f863b575dabd73d6ad6a91075b65936b151cbf4f9c"},      {file = "gunicorn-20.0.4.tar.gz", hash = "sha256:1904bb2b8a43658807108d59c3f3d56c2b6121a701161de0ddf9ad140073c626"},  ]  identify = [ -    {file = "identify-2.2.4-py2.py3-none-any.whl", hash = "sha256:ad9f3fa0c2316618dc4d840f627d474ab6de106392a4f00221820200f490f5a8"}, -    {file = "identify-2.2.4.tar.gz", hash = "sha256:9bcc312d4e2fa96c7abebcdfb1119563b511b5e3985ac52f60d9116277865b2e"}, +    {file = "identify-2.3.0-py2.py3-none-any.whl", hash = "sha256:d1e82c83d063571bb88087676f81261a4eae913c492dafde184067c584bc7c05"}, +    {file = "identify-2.3.0.tar.gz", hash = "sha256:fd08c97f23ceee72784081f1ce5125c8f53a02d3f2716dde79a6ab8f1039fea5"},  ]  idna = [ -    {file = "idna-2.10-py2.py3-none-any.whl", hash = "sha256:b97d804b1e9b523befed77c48dacec60e6dcb0b5391d57af6a65a312a90648c0"}, -    {file = "idna-2.10.tar.gz", hash = "sha256:b307872f855b18632ce0c21c5e45be78c0ea7ae4c15c828c20788b26921eb3f6"}, +    {file = "idna-3.2-py3-none-any.whl", hash = "sha256:14475042e284991034cb48e06f6851428fb14c4dc953acd9be9a5e95c7b6dd7a"}, +    {file = "idna-3.2.tar.gz", hash = "sha256:467fbad99067910785144ce333826c71fb0e63a425657295239737f7ecd125f3"},  ]  libsass = [ -    {file = "libsass-0.20.1-cp27-cp27m-macosx_10_14_x86_64.whl", hash = "sha256:4a246e4b88fd279abef8b669206228c92534d96ddcd0770d7012088c408dff23"}, -    {file = "libsass-0.20.1-cp27-cp27m-win32.whl", hash = "sha256:697f0f9fa8a1367ca9ec6869437cb235b1c537fc8519983d1d890178614a8903"}, -    {file = "libsass-0.20.1-cp27-cp27m-win_amd64.whl", hash = "sha256:1b2d415bbf6fa7da33ef46e549db1418498267b459978eff8357e5e823962d35"}, -    {file = "libsass-0.20.1-cp27-cp27mu-manylinux1_x86_64.whl", hash = "sha256:1521d2a8d4b397c6ec90640a1f6b5529077035efc48ef1c2e53095544e713d1b"}, -    {file = "libsass-0.20.1-cp36-abi3-macosx_10_14_x86_64.whl", hash = "sha256:2ae806427b28bc1bb7cb0258666d854fcf92ba52a04656b0b17ba5e190fb48a9"}, -    {file = "libsass-0.20.1-cp36-abi3-manylinux1_x86_64.whl", hash = "sha256:25ebc2085f5eee574761ccc8d9cd29a9b436fc970546d5ef08c6fa41eb57dff1"}, -    {file = "libsass-0.20.1-cp36-cp36m-win32.whl", hash = "sha256:553e5096414a8d4fb48d0a48f5a038d3411abe254d79deac5e008516c019e63a"}, -    {file = "libsass-0.20.1-cp36-cp36m-win_amd64.whl", hash = "sha256:e64ae2587f1a683e831409aad03ba547c245ef997e1329fffadf7a866d2510b8"}, -    {file = "libsass-0.20.1-cp37-cp37m-win32.whl", hash = "sha256:c9411fec76f480ffbacc97d8188322e02a5abca6fc78e70b86a2a2b421eae8a2"}, -    {file = "libsass-0.20.1-cp37-cp37m-win_amd64.whl", hash = "sha256:a8fd4af9f853e8bf42b1425c5e48dd90b504fa2e70d7dac5ac80b8c0a5a5fe85"}, -    {file = "libsass-0.20.1-cp38-cp38-win32.whl", hash = "sha256:f6852828e9e104d2ce0358b73c550d26dd86cc3a69439438c3b618811b9584f5"}, -    {file = "libsass-0.20.1-cp38-cp38-win_amd64.whl", hash = "sha256:daa98a51086d92aa7e9c8871cf1a8258124b90e2abf4697852a3dca619838618"}, -    {file = "libsass-0.20.1.tar.gz", hash = "sha256:e0e60836eccbf2d9e24ec978a805cd6642fa92515fbd95e3493fee276af76f8a"}, +    {file = "libsass-0.21.0-cp27-cp27m-macosx_10_14_x86_64.whl", hash = "sha256:06c8776417fe930714bdc930a3d7e795ae3d72be6ac883ff72a1b8f7c49e5ffb"}, +    {file = "libsass-0.21.0-cp27-cp27m-win32.whl", hash = "sha256:a005f298f64624f313a3ac618ab03f844c71d84ae4f4a4aec4b68d2a4ffe75eb"}, +    {file = "libsass-0.21.0-cp27-cp27m-win_amd64.whl", hash = "sha256:6b984510ed94993708c0d697b4fef2d118929bbfffc3b90037be0f5ccadf55e7"}, +    {file = "libsass-0.21.0-cp27-cp27mu-manylinux_2_5_x86_64.manylinux1_x86_64.whl", hash = "sha256:1e25dd9047a9392d3c59a0b869e0404f2b325a03871ee45285ee33b3664f5613"}, +    {file = "libsass-0.21.0-cp36-abi3-macosx_10_14_x86_64.whl", hash = "sha256:12f39712de38689a8b785b7db41d3ba2ea1d46f9379d81ea4595802d91fa6529"}, +    {file = "libsass-0.21.0-cp36-abi3-manylinux_2_5_x86_64.manylinux1_x86_64.whl", hash = "sha256:e2b1a7d093f2e76dc694c17c0c285e846d0b0deb0e8b21dc852ba1a3a4e2f1d6"}, +    {file = "libsass-0.21.0-cp36-abi3-win32.whl", hash = "sha256:abc29357ee540849faf1383e1746d40d69ed5cb6d4c346df276b258f5aa8977a"}, +    {file = "libsass-0.21.0-cp36-abi3-win_amd64.whl", hash = "sha256:659ae41af8708681fa3ec73f47b9735a6725e71c3b66ff570bfce78952f2314e"}, +    {file = "libsass-0.21.0.tar.gz", hash = "sha256:d5ba529d9ce668be9380563279f3ffe988f27bc5b299c5a28453df2e0b0fbaf2"},  ]  markdown = [      {file = "Markdown-3.3.4-py3-none-any.whl", hash = "sha256:96c3ba1261de2f7547b46a00ea8463832c921d3f9d6aba3f255a6f71386db20c"}, @@ -928,12 +990,20 @@ pbr = [      {file = "pbr-5.6.0.tar.gz", hash = "sha256:42df03e7797b796625b1029c0400279c7c34fd7df24a7d7818a1abb5b38710dd"},  ]  pep8-naming = [ -    {file = "pep8-naming-0.11.1.tar.gz", hash = "sha256:a1dd47dd243adfe8a83616e27cf03164960b507530f155db94e10b36a6cd6724"}, -    {file = "pep8_naming-0.11.1-py2.py3-none-any.whl", hash = "sha256:f43bfe3eea7e0d73e8b5d07d6407ab47f2476ccaeff6937c84275cd30b016738"}, +    {file = "pep8-naming-0.12.1.tar.gz", hash = "sha256:bb2455947757d162aa4cad55dba4ce029005cd1692f2899a21d51d8630ca7841"}, +    {file = "pep8_naming-0.12.1-py2.py3-none-any.whl", hash = "sha256:4a8daeaeb33cfcde779309fc0c9c0a68a3bbe2ad8a8308b763c5068f86eb9f37"}, +] +platformdirs = [ +    {file = "platformdirs-2.4.0-py3-none-any.whl", hash = "sha256:8868bbe3c3c80d42f20156f22e7131d2fb321f5bc86a2a345375c6481a67021d"}, +    {file = "platformdirs-2.4.0.tar.gz", hash = "sha256:367a5e80b3d04d2428ffa76d33f124cf11e8fff2acdaa9b43d545f5c7d661ef2"},  ]  pre-commit = [ -    {file = "pre_commit-2.12.1-py2.py3-none-any.whl", hash = "sha256:70c5ec1f30406250b706eda35e868b87e3e4ba099af8787e3e8b4b01e84f4712"}, -    {file = "pre_commit-2.12.1.tar.gz", hash = "sha256:900d3c7e1bf4cf0374bb2893c24c23304952181405b4d88c9c40b72bda1bb8a9"}, +    {file = "pre_commit-2.15.0-py2.py3-none-any.whl", hash = "sha256:a4ed01000afcb484d9eb8d504272e642c4c4099bbad3a6b27e519bd6a3e928a6"}, +    {file = "pre_commit-2.15.0.tar.gz", hash = "sha256:3c25add78dbdfb6a28a651780d5c311ac40dd17f160eb3954a0c59da40a505a7"}, +] +prometheus-client = [ +    {file = "prometheus_client-0.11.0-py2.py3-none-any.whl", hash = "sha256:b014bc76815eb1399da8ce5fc84b7717a3e63652b0c0f8804092c9363acab1b2"}, +    {file = "prometheus_client-0.11.0.tar.gz", hash = "sha256:3a8baade6cb80bcfe43297e33e7623f3118d660d41387593758e2fb1ea173a86"},  ]  psutil = [      {file = "psutil-5.8.0-cp27-cp27m-macosx_10_9_x86_64.whl", hash = "sha256:0066a82f7b1b37d334e68697faba68e5ad5e858279fd6351c8ca6024e8d6ba64"}, @@ -1007,8 +1077,8 @@ pycodestyle = [      {file = "pycodestyle-2.7.0.tar.gz", hash = "sha256:c389c1d06bf7904078ca03399a4816f974a1d590090fecea0c63ec26ebaf1cef"},  ]  pydocstyle = [ -    {file = "pydocstyle-6.0.0-py3-none-any.whl", hash = "sha256:d4449cf16d7e6709f63192146706933c7a334af7c0f083904799ccb851c50f6d"}, -    {file = "pydocstyle-6.0.0.tar.gz", hash = "sha256:164befb520d851dbcf0e029681b91f4f599c62c5cd8933fd54b1bfbd50e89e1f"}, +    {file = "pydocstyle-6.1.1-py3-none-any.whl", hash = "sha256:6987826d6775056839940041beef5c08cc7e3d71d63149b48e36727f70144dc4"}, +    {file = "pydocstyle-6.1.1.tar.gz", hash = "sha256:1d41b7c459ba0ee6c345f2eb9ae827cab14a7533a88c5c6f7e94923f72df92dc"},  ]  pyfakefs = [      {file = "pyfakefs-4.4.0-py3-none-any.whl", hash = "sha256:1ac3b2845dabe69af56c20691b9347914581195ccdde352535fb7d4ff0055c19"}, @@ -1027,8 +1097,8 @@ python-frontmatter = [      {file = "python_frontmatter-1.0.0-py3-none-any.whl", hash = "sha256:766ae75f1b301ffc5fe3494339147e0fd80bc3deff3d7590a93991978b579b08"},  ]  pytz = [ -    {file = "pytz-2021.1-py2.py3-none-any.whl", hash = "sha256:eb10ce3e7736052ed3623d49975ce333bcd712c7bb19a58b9e2089d4057d0798"}, -    {file = "pytz-2021.1.tar.gz", hash = "sha256:83a4a90894bf38e243cf052c8b58f381bfe9a7a483f6a9cab140bc7f702ac4da"}, +    {file = "pytz-2021.3-py2.py3-none-any.whl", hash = "sha256:3672058bc3453457b622aab7a1c3bfd5ab0bdae451512f6cf25f64ed37f5b87c"}, +    {file = "pytz-2021.3.tar.gz", hash = "sha256:acad2d8b20a1af07d4e4c9d2e9285c5ed9104354062f275f3fcd88dcef4f1326"},  ]  pyyaml = [      {file = "PyYAML-5.4.1-cp27-cp27m-macosx_10_9_x86_64.whl", hash = "sha256:3b2b1824fe7112845700f815ff6a489360226a5609b96ec2190a45e62a9fc922"}, @@ -1062,8 +1132,8 @@ pyyaml = [      {file = "PyYAML-5.4.1.tar.gz", hash = "sha256:607774cbba28732bfa802b54baa7484215f530991055bb562efbed5b2f20a45e"},  ]  requests = [ -    {file = "requests-2.25.1-py2.py3-none-any.whl", hash = "sha256:c210084e36a42ae6b9219e00e48287def368a26d03a048ddad7bfee44f75871e"}, -    {file = "requests-2.25.1.tar.gz", hash = "sha256:27973dd4a904a4f13b263a19c866c13b92a39ed1c964655f025f3f8d3d75b804"}, +    {file = "requests-2.26.0-py2.py3-none-any.whl", hash = "sha256:6c1246513ecd5ecd4528a0906f910e8f0f9c6b8ec72030dc9fd154dc1a6efd24"}, +    {file = "requests-2.26.0.tar.gz", hash = "sha256:b8aa58f8cf793ffd8782d3d8cb19e66ef36f7aba4353eec859e74678b01b07a7"},  ]  sentry-sdk = [      {file = "sentry-sdk-0.20.3.tar.gz", hash = "sha256:4ae8d1ced6c67f1c8ea51d82a16721c166c489b76876c9f2c202b8a50334b237"}, @@ -1082,12 +1152,12 @@ snowballstemmer = [      {file = "snowballstemmer-2.1.0.tar.gz", hash = "sha256:e997baa4f2e9139951b6f4c631bad912dfd3c792467e2f03d7239464af90e914"},  ]  sqlparse = [ -    {file = "sqlparse-0.4.1-py3-none-any.whl", hash = "sha256:017cde379adbd6a1f15a61873f43e8274179378e95ef3fede90b5aa64d304ed0"}, -    {file = "sqlparse-0.4.1.tar.gz", hash = "sha256:0f91fd2e829c44362cbcfab3e9ae12e22badaa8a29ad5ff599f9ec109f0454e8"}, +    {file = "sqlparse-0.4.2-py3-none-any.whl", hash = "sha256:48719e356bb8b42991bdbb1e8b83223757b93789c00910a616a071910ca4a64d"}, +    {file = "sqlparse-0.4.2.tar.gz", hash = "sha256:0c00730c74263a94e5a9919ade150dfc3b19c574389985446148402998287dae"},  ]  stevedore = [ -    {file = "stevedore-3.3.0-py3-none-any.whl", hash = "sha256:50d7b78fbaf0d04cd62411188fa7eedcb03eb7f4c4b37005615ceebe582aa82a"}, -    {file = "stevedore-3.3.0.tar.gz", hash = "sha256:3a5bbd0652bf552748871eaa73a4a8dc2899786bc497a2aa1fcb4dcdb0debeee"}, +    {file = "stevedore-3.4.0-py3-none-any.whl", hash = "sha256:920ce6259f0b2498aaa4545989536a27e4e4607b8318802d7ddc3a533d3d069e"}, +    {file = "stevedore-3.4.0.tar.gz", hash = "sha256:59b58edb7f57b11897f150475e7bc0c39c5381f0b8e3fa9f5c20ce6c89ec4aa1"},  ]  taskipy = [      {file = "taskipy-1.7.0-py3-none-any.whl", hash = "sha256:9e284c10898e9dee01a3e72220b94b192b1daa0f560271503a6df1da53d03844"}, @@ -1097,15 +1167,20 @@ toml = [      {file = "toml-0.10.2-py2.py3-none-any.whl", hash = "sha256:806143ae5bfb6a3c6e736a764057db0e6a0e05e338b5630894a5f779cabb4f9b"},      {file = "toml-0.10.2.tar.gz", hash = "sha256:b3bda1d108d5dd99f4a20d24d9c348e91c4db7ab1b749200bded2f839ccbe68f"},  ] +typing-extensions = [ +    {file = "typing_extensions-3.10.0.2-py2-none-any.whl", hash = "sha256:d8226d10bc02a29bcc81df19a26e56a9647f8b0a6d4a83924139f4a8b01f17b7"}, +    {file = "typing_extensions-3.10.0.2-py3-none-any.whl", hash = "sha256:f1d25edafde516b146ecd0613dabcc61409817af4766fbbcfb8d1ad4ec441a34"}, +    {file = "typing_extensions-3.10.0.2.tar.gz", hash = "sha256:49f75d16ff11f1cd258e1b988ccff82a3ca5570217d7ad8c5f48205dd99a677e"}, +]  urllib3 = [ -    {file = "urllib3-1.26.4-py2.py3-none-any.whl", hash = "sha256:2f4da4594db7e1e110a944bb1b551fdf4e6c136ad42e4234131391e21eb5b0df"}, -    {file = "urllib3-1.26.4.tar.gz", hash = "sha256:e7b021f7241115872f92f43c6508082facffbd1c048e3c6e2bb9c2a157e28937"}, +    {file = "urllib3-1.26.7-py2.py3-none-any.whl", hash = "sha256:c4fdf4019605b6e5423637e01bc9fe4daef873709a7973e195ceba0a62bbc844"}, +    {file = "urllib3-1.26.7.tar.gz", hash = "sha256:4987c65554f7a2dbf30c18fd48778ef124af6fab771a377103da0585e2336ece"},  ]  virtualenv = [ -    {file = "virtualenv-20.4.6-py2.py3-none-any.whl", hash = "sha256:307a555cf21e1550885c82120eccaf5acedf42978fd362d32ba8410f9593f543"}, -    {file = "virtualenv-20.4.6.tar.gz", hash = "sha256:72cf267afc04bf9c86ec932329b7e94db6a0331ae9847576daaa7ca3c86b29a4"}, +    {file = "virtualenv-20.8.1-py2.py3-none-any.whl", hash = "sha256:10062e34c204b5e4ec5f62e6ef2473f8ba76513a9a617e873f1f8fb4a519d300"}, +    {file = "virtualenv-20.8.1.tar.gz", hash = "sha256:bcc17f0b3a29670dd777d6f0755a4c04f28815395bca279cdcb213b97199a6b8"},  ]  whitenoise = [ -    {file = "whitenoise-5.2.0-py2.py3-none-any.whl", hash = "sha256:05d00198c777028d72d8b0bbd234db605ef6d60e9410125124002518a48e515d"}, -    {file = "whitenoise-5.2.0.tar.gz", hash = "sha256:05ce0be39ad85740a78750c86a93485c40f08ad8c62a6006de0233765996e5c7"}, +    {file = "whitenoise-5.3.0-py2.py3-none-any.whl", hash = "sha256:d963ef25639d1417e8a247be36e6aedd8c7c6f0a08adcb5a89146980a96b577c"}, +    {file = "whitenoise-5.3.0.tar.gz", hash = "sha256:d234b871b52271ae7ed6d9da47ffe857c76568f11dd30e28e18c5869dbd11e12"},  ] diff --git a/pydis_site/apps/admin/urls.py b/pydis_site/apps/admin/urls.py index 146c6496..a4f3e517 100644 --- a/pydis_site/apps/admin/urls.py +++ b/pydis_site/apps/admin/urls.py @@ -2,6 +2,7 @@ from django.contrib import admin  from django.urls import path +app_name = 'admin'  urlpatterns = (      path('', admin.site.urls),  ) diff --git a/pydis_site/apps/api/admin.py b/pydis_site/apps/api/admin.py index 449e660e..2aca38a1 100644 --- a/pydis_site/apps/api/admin.py +++ b/pydis_site/apps/api/admin.py @@ -48,8 +48,8 @@ class BotSettingAdmin(admin.ModelAdmin):  class DocumentationLinkAdmin(admin.ModelAdmin):      """Admin formatting for the DocumentationLink model.""" -    fields = ("package", "base_url", "inventory_url") -    list_display = ("package", "base_url", "inventory_url") +    fields = ("package", "inventory_url", "base_url") +    list_display = ("package", "inventory_url", "base_url")      list_editable = ("base_url", "inventory_url")      search_fields = ("package",) diff --git a/pydis_site/apps/api/migrations/0072_doc_allow_blank_base_url.py b/pydis_site/apps/api/migrations/0072_doc_allow_blank_base_url.py new file mode 100644 index 00000000..d4899354 --- /dev/null +++ b/pydis_site/apps/api/migrations/0072_doc_allow_blank_base_url.py @@ -0,0 +1,19 @@ +# Generated by Django 3.0.14 on 2021-08-30 21:09 + +from django.db import migrations, models +import pydis_site.apps.api.models.bot.documentation_link + + +class Migration(migrations.Migration): + +    dependencies = [ +        ('api', '0071_increase_message_content_4000'), +    ] + +    operations = [ +        migrations.AlterField( +            model_name='documentationlink', +            name='base_url', +            field=models.URLField(blank=True, help_text='The base URL from which documentation will be available for this project. Used to generate links to various symbols within this package.', validators=[pydis_site.apps.api.models.bot.documentation_link.ends_with_slash_validator]), +        ), +    ] diff --git a/pydis_site/apps/api/migrations/0073_otn_allow_GT_and_LT.py b/pydis_site/apps/api/migrations/0073_otn_allow_GT_and_LT.py new file mode 100644 index 00000000..09ad13da --- /dev/null +++ b/pydis_site/apps/api/migrations/0073_otn_allow_GT_and_LT.py @@ -0,0 +1,19 @@ +# Generated by Django 3.0.14 on 2021-09-27 20:38 + +import django.core.validators +from django.db import migrations, models + + +class Migration(migrations.Migration): + +    dependencies = [ +        ('api', '0072_doc_allow_blank_base_url'), +    ] + +    operations = [ +        migrations.AlterField( +            model_name='offtopicchannelname', +            name='name', +            field=models.CharField(help_text='The actual channel name that will be used on our Discord server.', max_length=96, primary_key=True, serialize=False, validators=[django.core.validators.RegexValidator(regex="^[a-z0-9\\U0001d5a0-\\U0001d5b9-ǃ?’'<>]+$")]), +        ), +    ] diff --git a/pydis_site/apps/api/models/bot/documentation_link.py b/pydis_site/apps/api/models/bot/documentation_link.py index 3dcc71fc..9941907c 100644 --- a/pydis_site/apps/api/models/bot/documentation_link.py +++ b/pydis_site/apps/api/models/bot/documentation_link.py @@ -30,6 +30,7 @@ class DocumentationLink(ModelReprMixin, models.Model):              "The base URL from which documentation will be available for this project. "              "Used to generate links to various symbols within this package."          ), +        blank=True,          validators=(ends_with_slash_validator,)      )      inventory_url = models.URLField( diff --git a/pydis_site/apps/api/models/bot/message_deletion_context.py b/pydis_site/apps/api/models/bot/message_deletion_context.py index 1410250a..25741266 100644 --- a/pydis_site/apps/api/models/bot/message_deletion_context.py +++ b/pydis_site/apps/api/models/bot/message_deletion_context.py @@ -1,5 +1,5 @@  from django.db import models -from django_hosts.resolvers import reverse +from django.urls import reverse  from pydis_site.apps.api.models.bot.user import User  from pydis_site.apps.api.models.mixins import ModelReprMixin @@ -33,7 +33,7 @@ class MessageDeletionContext(ModelReprMixin, models.Model):      @property      def log_url(self) -> str:          """Create the url for the deleted message logs.""" -        return reverse('logs', host="staff", args=(self.id,)) +        return reverse('staff:logs', args=(self.id,))      class Meta:          """Set the ordering for list views to newest first.""" diff --git a/pydis_site/apps/api/models/bot/metricity.py b/pydis_site/apps/api/models/bot/metricity.py index 5daa5c66..33fb7ad7 100644 --- a/pydis_site/apps/api/models/bot/metricity.py +++ b/pydis_site/apps/api/models/bot/metricity.py @@ -10,7 +10,7 @@ EXCLUDE_CHANNELS = [  ] -class NotFound(Exception): +class NotFoundError(Exception):      """Raised when an entity cannot be found."""      pass @@ -37,7 +37,7 @@ class Metricity:          values = self.cursor.fetchone()          if not values: -            raise NotFound() +            raise NotFoundError()          return dict(zip(columns, values)) @@ -58,7 +58,7 @@ class Metricity:          values = self.cursor.fetchone()          if not values: -            raise NotFound() +            raise NotFoundError()          return values[0] @@ -88,7 +88,7 @@ class Metricity:          values = self.cursor.fetchone()          if not values: -            raise NotFound() +            raise NotFoundError()          return values[0] @@ -127,6 +127,6 @@ class Metricity:          values = self.cursor.fetchall()          if not values: -            raise NotFound() +            raise NotFoundError()          return values diff --git a/pydis_site/apps/api/models/bot/off_topic_channel_name.py b/pydis_site/apps/api/models/bot/off_topic_channel_name.py index 582c069e..e9fec114 100644 --- a/pydis_site/apps/api/models/bot/off_topic_channel_name.py +++ b/pydis_site/apps/api/models/bot/off_topic_channel_name.py @@ -11,7 +11,7 @@ class OffTopicChannelName(ModelReprMixin, models.Model):          primary_key=True,          max_length=96,          validators=( -            RegexValidator(regex=r"^[a-z0-9\U0001d5a0-\U0001d5b9-ǃ?’']+$"), +            RegexValidator(regex=r"^[a-z0-9\U0001d5a0-\U0001d5b9-ǃ?’'<>]+$"),          ),          help_text="The actual channel name that will be used on our Discord server."      ) diff --git a/pydis_site/apps/api/models/utils.py b/pydis_site/apps/api/models/utils.py index 107231ba..0e220a1d 100644 --- a/pydis_site/apps/api/models/utils.py +++ b/pydis_site/apps/api/models/utils.py @@ -142,7 +142,7 @@ def validate_embed(embed: Any) -> None:              ),              MaxLengthValidator(limit_value=256)          ), -        'description': (MaxLengthValidator(limit_value=2048),), +        'description': (MaxLengthValidator(limit_value=4096),),          'fields': (              MaxLengthValidator(limit_value=25),              validate_embed_fields diff --git a/pydis_site/apps/api/tests/base.py b/pydis_site/apps/api/tests/base.py index 61c23b0f..c9f3cb7e 100644 --- a/pydis_site/apps/api/tests/base.py +++ b/pydis_site/apps/api/tests/base.py @@ -11,7 +11,7 @@ test_user, _created = User.objects.get_or_create(  ) -class APISubdomainTestCase(APITestCase): +class AuthenticatedAPITestCase(APITestCase):      """      Configures the test client. @@ -24,14 +24,13 @@ class APISubdomainTestCase(APITestCase):      `self.client.force_authenticate(user=created_user)` to force authentication      through the created user. -    Using this performs the following niceties for you which ease writing tests: -    - setting the `HTTP_HOST` request header to `api.pythondiscord.local:8000`, and +    Using this performs the following nicety for you which eases writing tests:      - forcing authentication for the test user.      If you don't want to force authentication (for example, to test a route's response      for an unauthenticated user), un-force authentication by using the following: -    >>> from pydis_site.apps.api.tests.base import APISubdomainTestCase -    >>> class UnauthedUserTestCase(APISubdomainTestCase): +    >>> from pydis_site.apps.api.tests.base import AuthenticatedAPITestCase +    >>> class UnauthedUserTestCase(AuthenticatedAPITestCase):      ...     def setUp(self):      ...         super().setUp()      ...         self.client.force_authentication(user=None) @@ -42,30 +41,26 @@ class APISubdomainTestCase(APITestCase):      ...         resp = self.client.delete('/my-publicly-readable-endpoint/42')      ...         self.assertEqual(resp.status_code, 401) -    Make sure to include the `super().setUp(self)` call, otherwise, you may get -    status code 404 for some URLs due to the missing `HTTP_HOST` header. -      ## Example      Using this in a test case is rather straightforward: -    >>> from pydis_site.apps.api.tests.base import APISubdomainTestCase -    >>> class MyAPITestCase(APISubdomainTestCase): +    >>> from pydis_site.apps.api.tests.base import AuthenticatedAPITestCase +    >>> class MyAPITestCase(AuthenticatedAPITestCase):      ...     def test_that_it_works(self):      ...         response = self.client.get('/my-endpoint')      ...         self.assertEqual(response.status_code, 200) -    To reverse URLs of the API host, you need to use `django_hosts`: +    To reverse URLs of the API host, you need to use `django.urls`: -    >>> from django_hosts.resolvers import reverse -    >>> from pydis_site.apps.api.tests.base import APISubdomainTestCase -    >>> class MyReversedTestCase(APISubdomainTestCase): +    >>> from django.urls import reverse +    >>> from pydis_site.apps.api.tests.base import AuthenticatedAPITestCase +    >>> class MyReversedTestCase(AuthenticatedAPITestCase):      ...     def test_my_endpoint(self): -    ...         url = reverse('user-detail', host='api') +    ...         url = reverse('api:user-detail')      ...         response = self.client.get(url)      ...         self.assertEqual(response.status_code, 200)      """      def setUp(self):          super().setUp() -        self.client.defaults['HTTP_HOST'] = 'api.pythondiscord.local:8000'          self.client.force_authenticate(test_user) diff --git a/pydis_site/apps/api/tests/test_deleted_messages.py b/pydis_site/apps/api/tests/test_deleted_messages.py index 40450844..1eb535d8 100644 --- a/pydis_site/apps/api/tests/test_deleted_messages.py +++ b/pydis_site/apps/api/tests/test_deleted_messages.py @@ -1,13 +1,13 @@  from datetime import datetime +from django.urls import reverse  from django.utils import timezone -from django_hosts.resolvers import reverse -from .base import APISubdomainTestCase +from .base import AuthenticatedAPITestCase  from ..models import MessageDeletionContext, User -class DeletedMessagesWithoutActorTests(APISubdomainTestCase): +class DeletedMessagesWithoutActorTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.author = User.objects.create( @@ -40,14 +40,14 @@ class DeletedMessagesWithoutActorTests(APISubdomainTestCase):          }      def test_accepts_valid_data(self): -        url = reverse('bot:messagedeletioncontext-list', host='api') +        url = reverse('api:bot:messagedeletioncontext-list')          response = self.client.post(url, data=self.data)          self.assertEqual(response.status_code, 201)          [context] = MessageDeletionContext.objects.all()          self.assertIsNone(context.actor) -class DeletedMessagesWithActorTests(APISubdomainTestCase): +class DeletedMessagesWithActorTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.author = cls.actor = User.objects.create( @@ -72,14 +72,14 @@ class DeletedMessagesWithActorTests(APISubdomainTestCase):          }      def test_accepts_valid_data_and_sets_actor(self): -        url = reverse('bot:messagedeletioncontext-list', host='api') +        url = reverse('api:bot:messagedeletioncontext-list')          response = self.client.post(url, data=self.data)          self.assertEqual(response.status_code, 201)          [context] = MessageDeletionContext.objects.all()          self.assertEqual(context.actor.id, self.actor.id) -class DeletedMessagesLogURLTests(APISubdomainTestCase): +class DeletedMessagesLogURLTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.author = cls.actor = User.objects.create( @@ -94,6 +94,6 @@ class DeletedMessagesLogURLTests(APISubdomainTestCase):          )      def test_valid_log_url(self): -        expected_url = reverse('logs', host="staff", args=(1,)) +        expected_url = reverse('staff:logs', args=(1,))          [context] = MessageDeletionContext.objects.all()          self.assertEqual(context.log_url, expected_url) diff --git a/pydis_site/apps/api/tests/test_documentation_links.py b/pydis_site/apps/api/tests/test_documentation_links.py index 39fb08f3..4e238cbb 100644 --- a/pydis_site/apps/api/tests/test_documentation_links.py +++ b/pydis_site/apps/api/tests/test_documentation_links.py @@ -1,61 +1,61 @@ -from django_hosts.resolvers import reverse +from django.urls import reverse -from .base import APISubdomainTestCase +from .base import AuthenticatedAPITestCase  from ..models import DocumentationLink -class UnauthedDocumentationLinkAPITests(APISubdomainTestCase): +class UnauthedDocumentationLinkAPITests(AuthenticatedAPITestCase):      def setUp(self):          super().setUp()          self.client.force_authenticate(user=None)      def test_detail_lookup_returns_401(self): -        url = reverse('bot:documentationlink-detail', args=('whatever',), host='api') +        url = reverse('api:bot:documentationlink-detail', args=('whatever',))          response = self.client.get(url)          self.assertEqual(response.status_code, 401)      def test_list_returns_401(self): -        url = reverse('bot:documentationlink-list', host='api') +        url = reverse('api:bot:documentationlink-list')          response = self.client.get(url)          self.assertEqual(response.status_code, 401)      def test_create_returns_401(self): -        url = reverse('bot:documentationlink-list', host='api') +        url = reverse('api:bot:documentationlink-list')          response = self.client.post(url, data={'hi': 'there'})          self.assertEqual(response.status_code, 401)      def test_delete_returns_401(self): -        url = reverse('bot:documentationlink-detail', args=('whatever',), host='api') +        url = reverse('api:bot:documentationlink-detail', args=('whatever',))          response = self.client.delete(url)          self.assertEqual(response.status_code, 401) -class EmptyDatabaseDocumentationLinkAPITests(APISubdomainTestCase): +class EmptyDatabaseDocumentationLinkAPITests(AuthenticatedAPITestCase):      def test_detail_lookup_returns_404(self): -        url = reverse('bot:documentationlink-detail', args=('whatever',), host='api') +        url = reverse('api:bot:documentationlink-detail', args=('whatever',))          response = self.client.get(url)          self.assertEqual(response.status_code, 404)      def test_list_all_returns_empty_list(self): -        url = reverse('bot:documentationlink-list', host='api') +        url = reverse('api:bot:documentationlink-list')          response = self.client.get(url)          self.assertEqual(response.status_code, 200)          self.assertEqual(response.json(), [])      def test_delete_returns_404(self): -        url = reverse('bot:documentationlink-detail', args=('whatever',), host='api') +        url = reverse('api:bot:documentationlink-detail', args=('whatever',))          response = self.client.delete(url)          self.assertEqual(response.status_code, 404) -class DetailLookupDocumentationLinkAPITests(APISubdomainTestCase): +class DetailLookupDocumentationLinkAPITests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.doc_link = DocumentationLink.objects.create( @@ -71,27 +71,27 @@ class DetailLookupDocumentationLinkAPITests(APISubdomainTestCase):          }      def test_detail_lookup_unknown_package_returns_404(self): -        url = reverse('bot:documentationlink-detail', args=('whatever',), host='api') +        url = reverse('api:bot:documentationlink-detail', args=('whatever',))          response = self.client.get(url)          self.assertEqual(response.status_code, 404)      def test_detail_lookup_created_package_returns_package(self): -        url = reverse('bot:documentationlink-detail', args=(self.doc_link.package,), host='api') +        url = reverse('api:bot:documentationlink-detail', args=(self.doc_link.package,))          response = self.client.get(url)          self.assertEqual(response.status_code, 200)          self.assertEqual(response.json(), self.doc_json)      def test_list_all_packages_shows_created_package(self): -        url = reverse('bot:documentationlink-list', host='api') +        url = reverse('api:bot:documentationlink-list')          response = self.client.get(url)          self.assertEqual(response.status_code, 200)          self.assertEqual(response.json(), [self.doc_json])      def test_create_invalid_body_returns_400(self): -        url = reverse('bot:documentationlink-list', host='api') +        url = reverse('api:bot:documentationlink-list')          response = self.client.post(url, data={'i': 'am', 'totally': 'valid'})          self.assertEqual(response.status_code, 400) @@ -103,7 +103,7 @@ class DetailLookupDocumentationLinkAPITests(APISubdomainTestCase):              'inventory_url': 'totally an url'          } -        url = reverse('bot:documentationlink-list', host='api') +        url = reverse('api:bot:documentationlink-list')          response = self.client.post(url, data=body)          self.assertEqual(response.status_code, 400) @@ -114,13 +114,13 @@ class DetailLookupDocumentationLinkAPITests(APISubdomainTestCase):              with self.subTest(package_name=case):                  body = self.doc_json.copy()                  body['package'] = case -                url = reverse('bot:documentationlink-list', host='api') +                url = reverse('api:bot:documentationlink-list')                  response = self.client.post(url, data=body)                  self.assertEqual(response.status_code, 400) -class DocumentationLinkCreationTests(APISubdomainTestCase): +class DocumentationLinkCreationTests(AuthenticatedAPITestCase):      def setUp(self):          super().setUp() @@ -130,27 +130,27 @@ class DocumentationLinkCreationTests(APISubdomainTestCase):              'inventory_url': 'https://docs.example.com'          } -        url = reverse('bot:documentationlink-list', host='api') +        url = reverse('api:bot:documentationlink-list')          response = self.client.post(url, data=self.body)          self.assertEqual(response.status_code, 201)      def test_package_in_full_list(self): -        url = reverse('bot:documentationlink-list', host='api') +        url = reverse('api:bot:documentationlink-list')          response = self.client.get(url)          self.assertEqual(response.status_code, 200)          self.assertEqual(response.json(), [self.body])      def test_detail_lookup_works_with_package(self): -        url = reverse('bot:documentationlink-detail', args=(self.body['package'],), host='api') +        url = reverse('api:bot:documentationlink-detail', args=(self.body['package'],))          response = self.client.get(url)          self.assertEqual(response.status_code, 200)          self.assertEqual(response.json(), self.body) -class DocumentationLinkDeletionTests(APISubdomainTestCase): +class DocumentationLinkDeletionTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.doc_link = DocumentationLink.objects.create( @@ -160,13 +160,13 @@ class DocumentationLinkDeletionTests(APISubdomainTestCase):          )      def test_unknown_package_returns_404(self): -        url = reverse('bot:documentationlink-detail', args=('whatever',), host='api') +        url = reverse('api:bot:documentationlink-detail', args=('whatever',))          response = self.client.delete(url)          self.assertEqual(response.status_code, 404)      def test_delete_known_package_returns_204(self): -        url = reverse('bot:documentationlink-detail', args=(self.doc_link.package,), host='api') +        url = reverse('api:bot:documentationlink-detail', args=(self.doc_link.package,))          response = self.client.delete(url)          self.assertEqual(response.status_code, 204) diff --git a/pydis_site/apps/api/tests/test_filterlists.py b/pydis_site/apps/api/tests/test_filterlists.py index 188c0fff..5a5bca60 100644 --- a/pydis_site/apps/api/tests/test_filterlists.py +++ b/pydis_site/apps/api/tests/test_filterlists.py @@ -1,9 +1,9 @@ -from django_hosts.resolvers import reverse +from django.urls import reverse  from pydis_site.apps.api.models import FilterList -from pydis_site.apps.api.tests.base import APISubdomainTestCase +from pydis_site.apps.api.tests.base import AuthenticatedAPITestCase -URL = reverse('bot:filterlist-list', host='api') +URL = reverse('api:bot:filterlist-list')  JPEG_ALLOWLIST = {      "type": 'FILE_FORMAT',      "allowed": True, @@ -16,7 +16,7 @@ PNG_ALLOWLIST = {  } -class UnauthenticatedTests(APISubdomainTestCase): +class UnauthenticatedTests(AuthenticatedAPITestCase):      def setUp(self):          super().setUp()          self.client.force_authenticate(user=None) @@ -27,7 +27,7 @@ class UnauthenticatedTests(APISubdomainTestCase):          self.assertEqual(response.status_code, 401) -class EmptyDatabaseTests(APISubdomainTestCase): +class EmptyDatabaseTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          FilterList.objects.all().delete() @@ -39,7 +39,7 @@ class EmptyDatabaseTests(APISubdomainTestCase):          self.assertEqual(response.json(), []) -class FetchTests(APISubdomainTestCase): +class FetchTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          FilterList.objects.all().delete() @@ -68,7 +68,7 @@ class FetchTests(APISubdomainTestCase):              self.assertEquals(api_type[1], model_type[1]) -class CreationTests(APISubdomainTestCase): +class CreationTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          FilterList.objects.all().delete() @@ -103,7 +103,7 @@ class CreationTests(APISubdomainTestCase):          self.assertEqual(response.status_code, 400) -class DeletionTests(APISubdomainTestCase): +class DeletionTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          FilterList.objects.all().delete() diff --git a/pydis_site/apps/api/tests/test_healthcheck.py b/pydis_site/apps/api/tests/test_healthcheck.py index b0fd71bf..650403ad 100644 --- a/pydis_site/apps/api/tests/test_healthcheck.py +++ b/pydis_site/apps/api/tests/test_healthcheck.py @@ -1,15 +1,15 @@ -from django_hosts.resolvers import reverse +from django.urls import reverse -from .base import APISubdomainTestCase +from .base import AuthenticatedAPITestCase -class UnauthedHealthcheckAPITests(APISubdomainTestCase): +class UnauthedHealthcheckAPITests(AuthenticatedAPITestCase):      def setUp(self):          super().setUp()          self.client.force_authenticate(user=None)      def test_can_access_healthcheck_view(self): -        url = reverse('healthcheck', host='api') +        url = reverse('api:healthcheck')          response = self.client.get(url)          self.assertEqual(response.status_code, 200) diff --git a/pydis_site/apps/api/tests/test_infractions.py b/pydis_site/apps/api/tests/test_infractions.py index 9aae16c0..b3dd16ee 100644 --- a/pydis_site/apps/api/tests/test_infractions.py +++ b/pydis_site/apps/api/tests/test_infractions.py @@ -4,44 +4,44 @@ from unittest.mock import patch  from urllib.parse import quote  from django.db.utils import IntegrityError -from django_hosts.resolvers import reverse +from django.urls import reverse -from .base import APISubdomainTestCase +from .base import AuthenticatedAPITestCase  from ..models import Infraction, User  from ..serializers import InfractionSerializer -class UnauthenticatedTests(APISubdomainTestCase): +class UnauthenticatedTests(AuthenticatedAPITestCase):      def setUp(self):          super().setUp()          self.client.force_authenticate(user=None)      def test_detail_lookup_returns_401(self): -        url = reverse('bot:infraction-detail', args=(6,), host='api') +        url = reverse('api:bot:infraction-detail', args=(6,))          response = self.client.get(url)          self.assertEqual(response.status_code, 401)      def test_list_returns_401(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          response = self.client.get(url)          self.assertEqual(response.status_code, 401)      def test_create_returns_401(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          response = self.client.post(url, data={'reason': 'Have a nice day.'})          self.assertEqual(response.status_code, 401)      def test_partial_update_returns_401(self): -        url = reverse('bot:infraction-detail', args=(6,), host='api') +        url = reverse('api:bot:infraction-detail', args=(6,))          response = self.client.patch(url, data={'reason': 'Have a nice day.'})          self.assertEqual(response.status_code, 401) -class InfractionTests(APISubdomainTestCase): +class InfractionTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.user = User.objects.create( @@ -92,7 +92,7 @@ class InfractionTests(APISubdomainTestCase):      def test_list_all(self):          """Tests the list-view, which should be ordered by inserted_at (newest first).""" -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          response = self.client.get(url)          self.assertEqual(response.status_code, 200) @@ -106,7 +106,7 @@ class InfractionTests(APISubdomainTestCase):          self.assertEqual(infractions[4]['id'], self.ban_hidden.id)      def test_filter_search(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          pattern = quote(r'^James(\s\w+){3},')          response = self.client.get(f'{url}?search={pattern}') @@ -117,7 +117,7 @@ class InfractionTests(APISubdomainTestCase):          self.assertEqual(infractions[0]['id'], self.ban_inactive.id)      def test_filter_field(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          response = self.client.get(f'{url}?type=ban&hidden=true')          self.assertEqual(response.status_code, 200) @@ -127,7 +127,7 @@ class InfractionTests(APISubdomainTestCase):          self.assertEqual(infractions[0]['id'], self.ban_hidden.id)      def test_filter_permanent_false(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          response = self.client.get(f'{url}?type=mute&permanent=false')          self.assertEqual(response.status_code, 200) @@ -136,7 +136,7 @@ class InfractionTests(APISubdomainTestCase):          self.assertEqual(len(infractions), 0)      def test_filter_permanent_true(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          response = self.client.get(f'{url}?type=mute&permanent=true')          self.assertEqual(response.status_code, 200) @@ -145,7 +145,7 @@ class InfractionTests(APISubdomainTestCase):          self.assertEqual(infractions[0]['id'], self.mute_permanent.id)      def test_filter_after(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          target_time = datetime.datetime.utcnow() + datetime.timedelta(hours=5)          response = self.client.get(f'{url}?type=superstar&expires_after={target_time.isoformat()}') @@ -154,7 +154,7 @@ class InfractionTests(APISubdomainTestCase):          self.assertEqual(len(infractions), 0)      def test_filter_before(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          target_time = datetime.datetime.utcnow() + datetime.timedelta(hours=5)          response = self.client.get(f'{url}?type=superstar&expires_before={target_time.isoformat()}') @@ -164,21 +164,21 @@ class InfractionTests(APISubdomainTestCase):          self.assertEqual(infractions[0]['id'], self.superstar_expires_soon.id)      def test_filter_after_invalid(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          response = self.client.get(f'{url}?expires_after=gibberish')          self.assertEqual(response.status_code, 400)          self.assertEqual(list(response.json())[0], "expires_after")      def test_filter_before_invalid(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          response = self.client.get(f'{url}?expires_before=000000000')          self.assertEqual(response.status_code, 400)          self.assertEqual(list(response.json())[0], "expires_before")      def test_after_before_before(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          target_time = datetime.datetime.utcnow() + datetime.timedelta(hours=4)          target_time_late = datetime.datetime.utcnow() + datetime.timedelta(hours=6)          response = self.client.get( @@ -191,7 +191,7 @@ class InfractionTests(APISubdomainTestCase):          self.assertEqual(response.json()[0]["id"], self.superstar_expires_soon.id)      def test_after_after_before_invalid(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          target_time = datetime.datetime.utcnow() + datetime.timedelta(hours=5)          target_time_late = datetime.datetime.utcnow() + datetime.timedelta(hours=9)          response = self.client.get( @@ -205,7 +205,7 @@ class InfractionTests(APISubdomainTestCase):          self.assertIn("expires_after", errors)      def test_permanent_after_invalid(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          target_time = datetime.datetime.utcnow() + datetime.timedelta(hours=5)          response = self.client.get(f'{url}?permanent=true&expires_after={target_time.isoformat()}') @@ -214,7 +214,7 @@ class InfractionTests(APISubdomainTestCase):          self.assertEqual("permanent", errors[0])      def test_permanent_before_invalid(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          target_time = datetime.datetime.utcnow() + datetime.timedelta(hours=5)          response = self.client.get(f'{url}?permanent=true&expires_before={target_time.isoformat()}') @@ -223,7 +223,7 @@ class InfractionTests(APISubdomainTestCase):          self.assertEqual("permanent", errors[0])      def test_nonpermanent_before(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          target_time = datetime.datetime.utcnow() + datetime.timedelta(hours=6)          response = self.client.get(              f'{url}?permanent=false&expires_before={target_time.isoformat()}' @@ -234,7 +234,7 @@ class InfractionTests(APISubdomainTestCase):          self.assertEqual(response.json()[0]["id"], self.superstar_expires_soon.id)      def test_filter_manytypes(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          response = self.client.get(f'{url}?types=mute,ban')          self.assertEqual(response.status_code, 200) @@ -242,7 +242,7 @@ class InfractionTests(APISubdomainTestCase):          self.assertEqual(len(infractions), 3)      def test_types_type_invalid(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          response = self.client.get(f'{url}?types=mute,ban&type=superstar')          self.assertEqual(response.status_code, 400) @@ -250,7 +250,7 @@ class InfractionTests(APISubdomainTestCase):          self.assertEqual("types", errors[0])      def test_sort_expiresby(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          response = self.client.get(f'{url}?ordering=expires_at&permanent=false')          self.assertEqual(response.status_code, 200)          infractions = response.json() @@ -261,34 +261,34 @@ class InfractionTests(APISubdomainTestCase):          self.assertEqual(infractions[2]['id'], self.ban_hidden.id)      def test_returns_empty_for_no_match(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          response = self.client.get(f'{url}?type=ban&search=poop')          self.assertEqual(response.status_code, 200)          self.assertEqual(len(response.json()), 0)      def test_ignores_bad_filters(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          response = self.client.get(f'{url}?type=ban&hidden=maybe&foo=bar')          self.assertEqual(response.status_code, 200)          self.assertEqual(len(response.json()), 2)      def test_retrieve_single_from_id(self): -        url = reverse('bot:infraction-detail', args=(self.ban_inactive.id,), host='api') +        url = reverse('api:bot:infraction-detail', args=(self.ban_inactive.id,))          response = self.client.get(url)          self.assertEqual(response.status_code, 200)          self.assertEqual(response.json()['id'], self.ban_inactive.id)      def test_retrieve_returns_404_for_absent_id(self): -        url = reverse('bot:infraction-detail', args=(1337,), host='api') +        url = reverse('api:bot:infraction-detail', args=(1337,))          response = self.client.get(url)          self.assertEqual(response.status_code, 404)      def test_partial_update(self): -        url = reverse('bot:infraction-detail', args=(self.ban_hidden.id,), host='api') +        url = reverse('api:bot:infraction-detail', args=(self.ban_hidden.id,))          data = {              'expires_at': '4143-02-15T21:04:31+00:00',              'active': False, @@ -313,7 +313,7 @@ class InfractionTests(APISubdomainTestCase):          self.assertEqual(infraction.hidden, self.ban_hidden.hidden)      def test_partial_update_returns_400_for_frozen_field(self): -        url = reverse('bot:infraction-detail', args=(self.ban_hidden.id,), host='api') +        url = reverse('api:bot:infraction-detail', args=(self.ban_hidden.id,))          data = {'user': 6}          response = self.client.patch(url, data=data) @@ -323,7 +323,7 @@ class InfractionTests(APISubdomainTestCase):          }) -class CreationTests(APISubdomainTestCase): +class CreationTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.user = User.objects.create( @@ -338,7 +338,7 @@ class CreationTests(APISubdomainTestCase):          )      def test_accepts_valid_data(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          data = {              'user': self.user.id,              'actor': self.user.id, @@ -367,7 +367,7 @@ class CreationTests(APISubdomainTestCase):          self.assertEqual(infraction.active, True)      def test_returns_400_for_missing_user(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          data = {              'actor': self.user.id,              'type': 'kick', @@ -381,7 +381,7 @@ class CreationTests(APISubdomainTestCase):          })      def test_returns_400_for_bad_user(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          data = {              'user': 1337,              'actor': self.user.id, @@ -396,7 +396,7 @@ class CreationTests(APISubdomainTestCase):          })      def test_returns_400_for_bad_type(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          data = {              'user': self.user.id,              'actor': self.user.id, @@ -411,7 +411,7 @@ class CreationTests(APISubdomainTestCase):          })      def test_returns_400_for_bad_expired_at_format(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          data = {              'user': self.user.id,              'actor': self.user.id, @@ -430,7 +430,7 @@ class CreationTests(APISubdomainTestCase):          })      def test_returns_400_for_expiring_non_expirable_type(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          for infraction_type in ('kick', 'warning'):              data = { @@ -448,7 +448,7 @@ class CreationTests(APISubdomainTestCase):              })      def test_returns_400_for_hidden_non_hideable_type(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          for infraction_type in ('superstar', 'warning'):              data = { @@ -466,7 +466,7 @@ class CreationTests(APISubdomainTestCase):              })      def test_returns_400_for_non_hidden_required_hidden_type(self): -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          data = {              'user': self.user.id, @@ -484,7 +484,7 @@ class CreationTests(APISubdomainTestCase):      def test_returns_400_for_active_infraction_of_type_that_cannot_be_active(self):          """Test if the API rejects active infractions for types that cannot be active.""" -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          restricted_types = (              ('note', True),              ('warning', False), @@ -511,7 +511,7 @@ class CreationTests(APISubdomainTestCase):      def test_returns_400_for_second_active_infraction_of_the_same_type(self):          """Test if the API rejects a second active infraction of the same type for a given user.""" -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          active_infraction_types = ('mute', 'ban', 'superstar')          for infraction_type in active_infraction_types: @@ -550,7 +550,7 @@ class CreationTests(APISubdomainTestCase):      def test_returns_201_for_second_active_infraction_of_different_type(self):          """Test if the API accepts a second active infraction of a different type than the first.""" -        url = reverse('bot:infraction-list', host='api') +        url = reverse('api:bot:infraction-list')          first_active_infraction = {              'user': self.user.id,              'actor': self.user.id, @@ -677,7 +677,7 @@ class CreationTests(APISubdomainTestCase):              ) -class InfractionDeletionTests(APISubdomainTestCase): +class InfractionDeletionTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.user = User.objects.create( @@ -694,20 +694,20 @@ class InfractionDeletionTests(APISubdomainTestCase):          )      def test_delete_unknown_infraction_returns_404(self): -        url = reverse('bot:infraction-detail', args=('something',), host='api') +        url = reverse('api:bot:infraction-detail', args=('something',))          response = self.client.delete(url)          self.assertEqual(response.status_code, 404)      def test_delete_known_infraction_returns_204(self): -        url = reverse('bot:infraction-detail', args=(self.warning.id,), host='api') +        url = reverse('api:bot:infraction-detail', args=(self.warning.id,))          response = self.client.delete(url)          self.assertEqual(response.status_code, 204)          self.assertRaises(Infraction.DoesNotExist, Infraction.objects.get, id=self.warning.id) -class ExpandedTests(APISubdomainTestCase): +class ExpandedTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.user = User.objects.create( @@ -735,7 +735,7 @@ class ExpandedTests(APISubdomainTestCase):                  self.assertTrue(field in obj, msg=f'field "{field}" missing from {key}')      def test_list_expanded(self): -        url = reverse('bot:infraction-list-expanded', host='api') +        url = reverse('api:bot:infraction-list-expanded')          response = self.client.get(url)          self.assertEqual(response.status_code, 200) @@ -747,7 +747,7 @@ class ExpandedTests(APISubdomainTestCase):              self.check_expanded_fields(infraction)      def test_create_expanded(self): -        url = reverse('bot:infraction-list-expanded', host='api') +        url = reverse('api:bot:infraction-list-expanded')          data = {              'user': self.user.id,              'actor': self.user.id, @@ -762,7 +762,7 @@ class ExpandedTests(APISubdomainTestCase):          self.check_expanded_fields(response.json())      def test_retrieve_expanded(self): -        url = reverse('bot:infraction-detail-expanded', args=(self.warning.id,), host='api') +        url = reverse('api:bot:infraction-detail-expanded', args=(self.warning.id,))          response = self.client.get(url)          self.assertEqual(response.status_code, 200) @@ -772,7 +772,7 @@ class ExpandedTests(APISubdomainTestCase):          self.check_expanded_fields(infraction)      def test_partial_update_expanded(self): -        url = reverse('bot:infraction-detail-expanded', args=(self.kick.id,), host='api') +        url = reverse('api:bot:infraction-detail-expanded', args=(self.kick.id,))          data = {'active': False}          response = self.client.patch(url, data=data) @@ -783,7 +783,7 @@ class ExpandedTests(APISubdomainTestCase):          self.check_expanded_fields(response.json()) -class SerializerTests(APISubdomainTestCase): +class SerializerTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.user = User.objects.create( diff --git a/pydis_site/apps/api/tests/test_nominations.py b/pydis_site/apps/api/tests/test_nominations.py index 9cefbd8f..62b2314c 100644 --- a/pydis_site/apps/api/tests/test_nominations.py +++ b/pydis_site/apps/api/tests/test_nominations.py @@ -1,12 +1,12 @@  from datetime import datetime as dt, timedelta, timezone -from django_hosts.resolvers import reverse +from django.urls import reverse -from .base import APISubdomainTestCase +from .base import AuthenticatedAPITestCase  from ..models import Nomination, NominationEntry, User -class CreationTests(APISubdomainTestCase): +class CreationTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.user = User.objects.create( @@ -21,7 +21,7 @@ class CreationTests(APISubdomainTestCase):          )      def test_accepts_valid_data(self): -        url = reverse('bot:nomination-list', host='api') +        url = reverse('api:bot:nomination-list')          data = {              'actor': self.user.id,              'reason': 'Joe Dart on Fender Bass', @@ -46,7 +46,7 @@ class CreationTests(APISubdomainTestCase):          self.assertEqual(nomination.active, True)      def test_returns_200_on_second_active_nomination_by_different_user(self): -        url = reverse('bot:nomination-list', host='api') +        url = reverse('api:bot:nomination-list')          first_data = {              'actor': self.user.id,              'reason': 'Joe Dart on Fender Bass', @@ -65,7 +65,7 @@ class CreationTests(APISubdomainTestCase):          self.assertEqual(response2.status_code, 201)      def test_returns_400_on_second_active_nomination_by_existing_nominator(self): -        url = reverse('bot:nomination-list', host='api') +        url = reverse('api:bot:nomination-list')          data = {              'actor': self.user.id,              'reason': 'Joe Dart on Fender Bass', @@ -82,7 +82,7 @@ class CreationTests(APISubdomainTestCase):          })      def test_returns_400_for_missing_user(self): -        url = reverse('bot:nomination-list', host='api') +        url = reverse('api:bot:nomination-list')          data = {              'actor': self.user.id,              'reason': 'Joe Dart on Fender Bass', @@ -95,7 +95,7 @@ class CreationTests(APISubdomainTestCase):          })      def test_returns_400_for_missing_actor(self): -        url = reverse('bot:nomination-list', host='api') +        url = reverse('api:bot:nomination-list')          data = {              'user': self.user.id,              'reason': 'Joe Dart on Fender Bass', @@ -108,7 +108,7 @@ class CreationTests(APISubdomainTestCase):          })      def test_returns_201_for_missing_reason(self): -        url = reverse('bot:nomination-list', host='api') +        url = reverse('api:bot:nomination-list')          data = {              'user': self.user.id,              'actor': self.user.id, @@ -118,7 +118,7 @@ class CreationTests(APISubdomainTestCase):          self.assertEqual(response.status_code, 201)      def test_returns_400_for_bad_user(self): -        url = reverse('bot:nomination-list', host='api') +        url = reverse('api:bot:nomination-list')          data = {              'user': 1024,              'reason': 'Joe Dart on Fender Bass', @@ -132,7 +132,7 @@ class CreationTests(APISubdomainTestCase):          })      def test_returns_400_for_bad_actor(self): -        url = reverse('bot:nomination-list', host='api') +        url = reverse('api:bot:nomination-list')          data = {              'user': self.user.id,              'reason': 'Joe Dart on Fender Bass', @@ -146,7 +146,7 @@ class CreationTests(APISubdomainTestCase):          })      def test_returns_400_for_end_reason_at_creation(self): -        url = reverse('bot:nomination-list', host='api') +        url = reverse('api:bot:nomination-list')          data = {              'user': self.user.id,              'reason': 'Joe Dart on Fender Bass', @@ -161,7 +161,7 @@ class CreationTests(APISubdomainTestCase):          })      def test_returns_400_for_ended_at_at_creation(self): -        url = reverse('bot:nomination-list', host='api') +        url = reverse('api:bot:nomination-list')          data = {              'user': self.user.id,              'reason': 'Joe Dart on Fender Bass', @@ -176,7 +176,7 @@ class CreationTests(APISubdomainTestCase):          })      def test_returns_400_for_inserted_at_at_creation(self): -        url = reverse('bot:nomination-list', host='api') +        url = reverse('api:bot:nomination-list')          data = {              'user': self.user.id,              'reason': 'Joe Dart on Fender Bass', @@ -191,7 +191,7 @@ class CreationTests(APISubdomainTestCase):          })      def test_returns_400_for_active_at_creation(self): -        url = reverse('bot:nomination-list', host='api') +        url = reverse('api:bot:nomination-list')          data = {              'user': self.user.id,              'reason': 'Joe Dart on Fender Bass', @@ -206,7 +206,7 @@ class CreationTests(APISubdomainTestCase):          }) -class NominationTests(APISubdomainTestCase): +class NominationTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.user = User.objects.create( @@ -236,7 +236,7 @@ class NominationTests(APISubdomainTestCase):          )      def test_returns_200_update_reason_on_active_with_actor(self): -        url = reverse('bot:nomination-detail', args=(self.active_nomination.id,), host='api') +        url = reverse('api:bot:nomination-detail', args=(self.active_nomination.id,))          data = {              'reason': "He's one funky duck",              'actor': self.user.id @@ -252,7 +252,7 @@ class NominationTests(APISubdomainTestCase):          self.assertEqual(nomination_entry.reason, data['reason'])      def test_returns_400_on_frozen_field_update(self): -        url = reverse('bot:nomination-detail', args=(self.active_nomination.id,), host='api') +        url = reverse('api:bot:nomination-detail', args=(self.active_nomination.id,))          data = {              'user': "Theo Katzman"          } @@ -264,7 +264,7 @@ class NominationTests(APISubdomainTestCase):          })      def test_returns_400_update_end_reason_on_active(self): -        url = reverse('bot:nomination-detail', args=(self.active_nomination.id,), host='api') +        url = reverse('api:bot:nomination-detail', args=(self.active_nomination.id,))          data = {              'end_reason': 'He started playing jazz'          } @@ -276,7 +276,7 @@ class NominationTests(APISubdomainTestCase):          })      def test_returns_200_update_reason_on_inactive(self): -        url = reverse('bot:nomination-detail', args=(self.inactive_nomination.id,), host='api') +        url = reverse('api:bot:nomination-detail', args=(self.inactive_nomination.id,))          data = {              'reason': "He's one funky duck",              'actor': self.user.id @@ -292,7 +292,7 @@ class NominationTests(APISubdomainTestCase):          self.assertEqual(nomination_entry.reason, data['reason'])      def test_returns_200_update_end_reason_on_inactive(self): -        url = reverse('bot:nomination-detail', args=(self.inactive_nomination.id,), host='api') +        url = reverse('api:bot:nomination-detail', args=(self.inactive_nomination.id,))          data = {              'end_reason': 'He started playing jazz'          } @@ -305,9 +305,8 @@ class NominationTests(APISubdomainTestCase):      def test_returns_200_on_valid_end_nomination(self):          url = reverse( -            'bot:nomination-detail', +            'api:bot:nomination-detail',              args=(self.active_nomination.id,), -            host='api'          )          data = {              'active': False, @@ -328,9 +327,8 @@ class NominationTests(APISubdomainTestCase):      def test_returns_400_on_invalid_field_end_nomination(self):          url = reverse( -            'bot:nomination-detail', +            'api:bot:nomination-detail',              args=(self.active_nomination.id,), -            host='api'          )          data = {              'active': False, @@ -344,9 +342,8 @@ class NominationTests(APISubdomainTestCase):      def test_returns_400_on_missing_end_reason_end_nomination(self):          url = reverse( -            'bot:nomination-detail', +            'api:bot:nomination-detail',              args=(self.active_nomination.id,), -            host='api'          )          data = {              'active': False, @@ -360,9 +357,8 @@ class NominationTests(APISubdomainTestCase):      def test_returns_400_on_invalid_use_of_active(self):          url = reverse( -            'bot:nomination-detail', +            'api:bot:nomination-detail',              args=(self.inactive_nomination.id,), -            host='api'          )          data = {              'active': False, @@ -376,9 +372,8 @@ class NominationTests(APISubdomainTestCase):      def test_returns_404_on_get_unknown_nomination(self):          url = reverse( -            'bot:nomination-detail', +            'api:bot:nomination-detail',              args=(9999,), -            host='api'          )          response = self.client.get(url, data={}) @@ -389,9 +384,8 @@ class NominationTests(APISubdomainTestCase):      def test_returns_404_on_patch_unknown_nomination(self):          url = reverse( -            'bot:nomination-detail', +            'api:bot:nomination-detail',              args=(9999,), -            host='api'          )          response = self.client.patch(url, data={}) @@ -401,7 +395,7 @@ class NominationTests(APISubdomainTestCase):          })      def test_returns_405_on_list_put(self): -        url = reverse('bot:nomination-list', host='api') +        url = reverse('api:bot:nomination-list')          response = self.client.put(url, data={})          self.assertEqual(response.status_code, 405) @@ -410,7 +404,7 @@ class NominationTests(APISubdomainTestCase):          })      def test_returns_405_on_list_patch(self): -        url = reverse('bot:nomination-list', host='api') +        url = reverse('api:bot:nomination-list')          response = self.client.patch(url, data={})          self.assertEqual(response.status_code, 405) @@ -419,7 +413,7 @@ class NominationTests(APISubdomainTestCase):          })      def test_returns_405_on_list_delete(self): -        url = reverse('bot:nomination-list', host='api') +        url = reverse('api:bot:nomination-list')          response = self.client.delete(url, data={})          self.assertEqual(response.status_code, 405) @@ -428,7 +422,7 @@ class NominationTests(APISubdomainTestCase):          })      def test_returns_405_on_detail_post(self): -        url = reverse('bot:nomination-detail', args=(self.active_nomination.id,), host='api') +        url = reverse('api:bot:nomination-detail', args=(self.active_nomination.id,))          response = self.client.post(url, data={})          self.assertEqual(response.status_code, 405) @@ -437,7 +431,7 @@ class NominationTests(APISubdomainTestCase):          })      def test_returns_405_on_detail_delete(self): -        url = reverse('bot:nomination-detail', args=(self.active_nomination.id,), host='api') +        url = reverse('api:bot:nomination-detail', args=(self.active_nomination.id,))          response = self.client.delete(url, data={})          self.assertEqual(response.status_code, 405) @@ -446,7 +440,7 @@ class NominationTests(APISubdomainTestCase):          })      def test_returns_405_on_detail_put(self): -        url = reverse('bot:nomination-detail', args=(self.active_nomination.id,), host='api') +        url = reverse('api:bot:nomination-detail', args=(self.active_nomination.id,))          response = self.client.put(url, data={})          self.assertEqual(response.status_code, 405) @@ -455,7 +449,7 @@ class NominationTests(APISubdomainTestCase):          })      def test_filter_returns_0_objects_unknown_user__id(self): -        url = reverse('bot:nomination-list', host='api') +        url = reverse('api:bot:nomination-list')          response = self.client.get(              url, @@ -470,7 +464,7 @@ class NominationTests(APISubdomainTestCase):          self.assertEqual(len(infractions), 0)      def test_filter_returns_2_objects_for_testdata(self): -        url = reverse('bot:nomination-list', host='api') +        url = reverse('api:bot:nomination-list')          response = self.client.get(              url, @@ -485,14 +479,14 @@ class NominationTests(APISubdomainTestCase):          self.assertEqual(len(infractions), 2)      def test_patch_nomination_set_reviewed_of_active_nomination(self): -        url = reverse('api:nomination-detail', args=(self.active_nomination.id,), host='api') +        url = reverse('api:bot:nomination-detail', args=(self.active_nomination.id,))          data = {'reviewed': True}          response = self.client.patch(url, data=data)          self.assertEqual(response.status_code, 200)      def test_patch_nomination_set_reviewed_of_inactive_nomination(self): -        url = reverse('api:nomination-detail', args=(self.inactive_nomination.id,), host='api') +        url = reverse('api:bot:nomination-detail', args=(self.inactive_nomination.id,))          data = {'reviewed': True}          response = self.client.patch(url, data=data) @@ -502,7 +496,7 @@ class NominationTests(APISubdomainTestCase):          })      def test_patch_nomination_set_reviewed_and_end(self): -        url = reverse('api:nomination-detail', args=(self.active_nomination.id,), host='api') +        url = reverse('api:bot:nomination-detail', args=(self.active_nomination.id,))          data = {'reviewed': True, 'active': False, 'end_reason': "What?"}          response = self.client.patch(url, data=data) @@ -512,7 +506,7 @@ class NominationTests(APISubdomainTestCase):          })      def test_modifying_reason_without_actor(self): -        url = reverse('api:nomination-detail', args=(self.active_nomination.id,), host='api') +        url = reverse('api:bot:nomination-detail', args=(self.active_nomination.id,))          data = {'reason': 'That is my reason!'}          response = self.client.patch(url, data=data) @@ -522,7 +516,7 @@ class NominationTests(APISubdomainTestCase):          })      def test_modifying_reason_with_unknown_actor(self): -        url = reverse('api:nomination-detail', args=(self.active_nomination.id,), host='api') +        url = reverse('api:bot:nomination-detail', args=(self.active_nomination.id,))          data = {'reason': 'That is my reason!', 'actor': 90909090909090}          response = self.client.patch(url, data=data) diff --git a/pydis_site/apps/api/tests/test_off_topic_channel_names.py b/pydis_site/apps/api/tests/test_off_topic_channel_names.py index 34dde7c6..354cda9c 100644 --- a/pydis_site/apps/api/tests/test_off_topic_channel_names.py +++ b/pydis_site/apps/api/tests/test_off_topic_channel_names.py @@ -1,33 +1,33 @@ -from django_hosts.resolvers import reverse +from django.urls import reverse -from .base import APISubdomainTestCase +from .base import AuthenticatedAPITestCase  from ..models import OffTopicChannelName -class UnauthenticatedTests(APISubdomainTestCase): +class UnauthenticatedTests(AuthenticatedAPITestCase):      def setUp(self):          super().setUp()          self.client.force_authenticate(user=None)      def test_cannot_read_off_topic_channel_name_list(self):          """Return a 401 response when not authenticated.""" -        url = reverse('bot:offtopicchannelname-list', host='api') +        url = reverse('api:bot:offtopicchannelname-list')          response = self.client.get(url)          self.assertEqual(response.status_code, 401)      def test_cannot_read_off_topic_channel_name_list_with_random_item_param(self):          """Return a 401 response when `random_items` provided and not authenticated.""" -        url = reverse('bot:offtopicchannelname-list', host='api') +        url = reverse('api:bot:offtopicchannelname-list')          response = self.client.get(f'{url}?random_items=no')          self.assertEqual(response.status_code, 401) -class EmptyDatabaseTests(APISubdomainTestCase): +class EmptyDatabaseTests(AuthenticatedAPITestCase):      def test_returns_empty_object(self):          """Return empty list when no names in database.""" -        url = reverse('bot:offtopicchannelname-list', host='api') +        url = reverse('api:bot:offtopicchannelname-list')          response = self.client.get(url)          self.assertEqual(response.status_code, 200) @@ -35,7 +35,7 @@ class EmptyDatabaseTests(APISubdomainTestCase):      def test_returns_empty_list_with_get_all_param(self):          """Return empty list when no names and `random_items` param provided.""" -        url = reverse('bot:offtopicchannelname-list', host='api') +        url = reverse('api:bot:offtopicchannelname-list')          response = self.client.get(f'{url}?random_items=5')          self.assertEqual(response.status_code, 200) @@ -43,7 +43,7 @@ class EmptyDatabaseTests(APISubdomainTestCase):      def test_returns_400_for_bad_random_items_param(self):          """Return error message when passing not integer as `random_items`.""" -        url = reverse('bot:offtopicchannelname-list', host='api') +        url = reverse('api:bot:offtopicchannelname-list')          response = self.client.get(f'{url}?random_items=totally-a-valid-integer')          self.assertEqual(response.status_code, 400) @@ -53,7 +53,7 @@ class EmptyDatabaseTests(APISubdomainTestCase):      def test_returns_400_for_negative_random_items_param(self):          """Return error message when passing negative int as `random_items`.""" -        url = reverse('bot:offtopicchannelname-list', host='api') +        url = reverse('api:bot:offtopicchannelname-list')          response = self.client.get(f'{url}?random_items=-5')          self.assertEqual(response.status_code, 400) @@ -62,7 +62,7 @@ class EmptyDatabaseTests(APISubdomainTestCase):          }) -class ListTests(APISubdomainTestCase): +class ListTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.test_name = OffTopicChannelName.objects.create( @@ -77,7 +77,7 @@ class ListTests(APISubdomainTestCase):      def test_returns_name_in_list(self):          """Return all off-topic channel names.""" -        url = reverse('bot:offtopicchannelname-list', host='api') +        url = reverse('api:bot:offtopicchannelname-list')          response = self.client.get(url)          self.assertEqual(response.status_code, 200) @@ -92,7 +92,7 @@ class ListTests(APISubdomainTestCase):      def test_returns_two_items_with_random_items_param_set_to_2(self):          """Return not-used name instead used.""" -        url = reverse('bot:offtopicchannelname-list', host='api') +        url = reverse('api:bot:offtopicchannelname-list')          response = self.client.get(f'{url}?random_items=2')          self.assertEqual(response.status_code, 200) @@ -101,7 +101,7 @@ class ListTests(APISubdomainTestCase):      def test_running_out_of_names_with_random_parameter(self):          """Reset names `used` parameter to `False` when running out of names.""" -        url = reverse('bot:offtopicchannelname-list', host='api') +        url = reverse('api:bot:offtopicchannelname-list')          response = self.client.get(f'{url}?random_items=3')          self.assertEqual(response.status_code, 200) @@ -112,7 +112,7 @@ class ListTests(APISubdomainTestCase):      def test_returns_inactive_ot_names(self):          """Return inactive off topic names.""" -        url = reverse('bot:offtopicchannelname-list', host="api") +        url = reverse('bot:offtopicchannelname-list')          response = self.client.get(f"{url}?active=false")          self.assertEqual(response.status_code, 200) @@ -123,7 +123,7 @@ class ListTests(APISubdomainTestCase):      def test_returns_active_ot_names(self):          """Return active off topic names.""" -        url = reverse('bot:offtopicchannelname-list', host="api") +        url = reverse('bot:offtopicchannelname-list')          response = self.client.get(f"{url}?active=true")          self.assertEqual(response.status_code, 200) @@ -133,18 +133,18 @@ class ListTests(APISubdomainTestCase):          ) -class CreationTests(APISubdomainTestCase): +class CreationTests(AuthenticatedAPITestCase):      def setUp(self):          super().setUp() -        url = reverse('bot:offtopicchannelname-list', host='api') +        url = reverse('api:bot:offtopicchannelname-list')          self.name = "abcdefghijklmnopqrstuvwxyz-0123456789"          response = self.client.post(f'{url}?name={self.name}')          self.assertEqual(response.status_code, 201)      def test_returns_201_for_unicode_chars(self):          """Accept all valid characters.""" -        url = reverse('bot:offtopicchannelname-list', host='api') +        url = reverse('api:bot:offtopicchannelname-list')          names = (              '𝖠𝖡𝖢𝖣𝖤𝖥𝖦𝖧𝖨𝖩𝖪𝖫𝖬𝖭𝖮𝖯𝖰𝖱𝖲𝖳𝖴𝖵𝖶𝖷𝖸𝖹',              'ǃ?’', @@ -156,7 +156,7 @@ class CreationTests(APISubdomainTestCase):      def test_returns_400_for_missing_name_param(self):          """Return error message when name not provided.""" -        url = reverse('bot:offtopicchannelname-list', host='api') +        url = reverse('api:bot:offtopicchannelname-list')          response = self.client.post(url)          self.assertEqual(response.status_code, 400)          self.assertEqual(response.json(), { @@ -165,7 +165,7 @@ class CreationTests(APISubdomainTestCase):      def test_returns_400_for_bad_name_param(self):          """Return error message when invalid characters provided.""" -        url = reverse('bot:offtopicchannelname-list', host='api') +        url = reverse('api:bot:offtopicchannelname-list')          invalid_names = (              'space between words',              'ABCDEFGHIJKLMNOPQRSTUVWXYZ', @@ -180,33 +180,33 @@ class CreationTests(APISubdomainTestCase):              }) -class DeletionTests(APISubdomainTestCase): +class DeletionTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.test_name = OffTopicChannelName.objects.create(name='lemons-lemonade-stand')          cls.test_name_2 = OffTopicChannelName.objects.create(name='bbq-with-bisk')      def test_deleting_unknown_name_returns_404(self): -        """Return 404 reponse when trying to delete unknown name.""" -        url = reverse('bot:offtopicchannelname-detail', args=('unknown-name',), host='api') +        """Return 404 response when trying to delete unknown name.""" +        url = reverse('api:bot:offtopicchannelname-detail', args=('unknown-name',))          response = self.client.delete(url)          self.assertEqual(response.status_code, 404)      def test_deleting_known_name_returns_204(self):          """Return 204 response when deleting was successful.""" -        url = reverse('bot:offtopicchannelname-detail', args=(self.test_name.name,), host='api') +        url = reverse('api:bot:offtopicchannelname-detail', args=(self.test_name.name,))          response = self.client.delete(url)          self.assertEqual(response.status_code, 204)      def test_name_gets_deleted(self):          """Name gets actually deleted.""" -        url = reverse('bot:offtopicchannelname-detail', args=(self.test_name_2.name,), host='api') +        url = reverse('api:bot:offtopicchannelname-detail', args=(self.test_name_2.name,))          response = self.client.delete(url)          self.assertEqual(response.status_code, 204) -        url = reverse('bot:offtopicchannelname-list', host='api') +        url = reverse('api:bot:offtopicchannelname-list')          response = self.client.get(url)          self.assertNotIn(self.test_name_2.name, response.json()) diff --git a/pydis_site/apps/api/tests/test_offensive_message.py b/pydis_site/apps/api/tests/test_offensive_message.py index 0f3dbffa..3cf95b75 100644 --- a/pydis_site/apps/api/tests/test_offensive_message.py +++ b/pydis_site/apps/api/tests/test_offensive_message.py @@ -1,14 +1,14 @@  import datetime -from django_hosts.resolvers import reverse +from django.urls import reverse -from .base import APISubdomainTestCase +from .base import AuthenticatedAPITestCase  from ..models import OffensiveMessage -class CreationTests(APISubdomainTestCase): +class CreationTests(AuthenticatedAPITestCase):      def test_accept_valid_data(self): -        url = reverse('bot:offensivemessage-list', host='api') +        url = reverse('api:bot:offensivemessage-list')          delete_at = datetime.datetime.now() + datetime.timedelta(days=1)          data = {              'id': '602951077675139072', @@ -31,7 +31,7 @@ class CreationTests(APISubdomainTestCase):          self.assertEqual(data['channel_id'], str(offensive_message.channel_id))      def test_returns_400_on_non_future_date(self): -        url = reverse('bot:offensivemessage-list', host='api') +        url = reverse('api:bot:offensivemessage-list')          delete_at = datetime.datetime.now() - datetime.timedelta(days=1)          data = {              'id': '602951077675139072', @@ -45,7 +45,7 @@ class CreationTests(APISubdomainTestCase):          })      def test_returns_400_on_negative_id_or_channel_id(self): -        url = reverse('bot:offensivemessage-list', host='api') +        url = reverse('api:bot:offensivemessage-list')          delete_at = datetime.datetime.now() + datetime.timedelta(days=1)          data = {              'id': '602951077675139072', @@ -58,7 +58,7 @@ class CreationTests(APISubdomainTestCase):          )          for field, invalid_value in cases: -            with self.subTest(fied=field, invalid_value=invalid_value): +            with self.subTest(field=field, invalid_value=invalid_value):                  test_data = data.copy()                  test_data.update({field: invalid_value}) @@ -69,7 +69,7 @@ class CreationTests(APISubdomainTestCase):                  }) -class ListTests(APISubdomainTestCase): +class ListTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          delete_at = datetime.datetime.now() + datetime.timedelta(days=1) @@ -100,7 +100,7 @@ class ListTests(APISubdomainTestCase):          cls.messages[1]['delete_date'] = delete_at.isoformat() + 'Z'      def test_get_data(self): -        url = reverse('bot:offensivemessage-list', host='api') +        url = reverse('api:bot:offensivemessage-list')          response = self.client.get(url)          self.assertEqual(response.status_code, 200) @@ -108,7 +108,7 @@ class ListTests(APISubdomainTestCase):          self.assertEqual(response.json(), self.messages) -class DeletionTests(APISubdomainTestCase): +class DeletionTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          delete_at = datetime.datetime.now(tz=datetime.timezone.utc) + datetime.timedelta(days=1) @@ -121,7 +121,7 @@ class DeletionTests(APISubdomainTestCase):      def test_delete_data(self):          url = reverse( -            'bot:offensivemessage-detail', host='api', args=(self.valid_offensive_message.id,) +            'api:bot:offensivemessage-detail', args=(self.valid_offensive_message.id,)          )          response = self.client.delete(url) @@ -132,7 +132,7 @@ class DeletionTests(APISubdomainTestCase):          ) -class NotAllowedMethodsTests(APISubdomainTestCase): +class NotAllowedMethodsTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          delete_at = datetime.datetime.now(tz=datetime.timezone.utc) + datetime.timedelta(days=1) @@ -145,7 +145,7 @@ class NotAllowedMethodsTests(APISubdomainTestCase):      def test_returns_405_for_patch_and_put_requests(self):          url = reverse( -            'bot:offensivemessage-detail', host='api', args=(self.valid_offensive_message.id,) +            'api:bot:offensivemessage-detail', args=(self.valid_offensive_message.id,)          )          not_allowed_methods = (self.client.patch, self.client.put) diff --git a/pydis_site/apps/api/tests/test_reminders.py b/pydis_site/apps/api/tests/test_reminders.py index 9dffb668..709685bc 100644 --- a/pydis_site/apps/api/tests/test_reminders.py +++ b/pydis_site/apps/api/tests/test_reminders.py @@ -1,52 +1,52 @@  from datetime import datetime  from django.forms.models import model_to_dict -from django_hosts.resolvers import reverse +from django.urls import reverse -from .base import APISubdomainTestCase +from .base import AuthenticatedAPITestCase  from ..models import Reminder, User -class UnauthedReminderAPITests(APISubdomainTestCase): +class UnauthedReminderAPITests(AuthenticatedAPITestCase):      def setUp(self):          super().setUp()          self.client.force_authenticate(user=None)      def test_list_returns_401(self): -        url = reverse('bot:reminder-list', host='api') +        url = reverse('api:bot:reminder-list')          response = self.client.get(url)          self.assertEqual(response.status_code, 401)      def test_create_returns_401(self): -        url = reverse('bot:reminder-list', host='api') +        url = reverse('api:bot:reminder-list')          response = self.client.post(url, data={'not': 'important'})          self.assertEqual(response.status_code, 401)      def test_delete_returns_401(self): -        url = reverse('bot:reminder-detail', args=('1234',), host='api') +        url = reverse('api:bot:reminder-detail', args=('1234',))          response = self.client.delete(url)          self.assertEqual(response.status_code, 401) -class EmptyDatabaseReminderAPITests(APISubdomainTestCase): +class EmptyDatabaseReminderAPITests(AuthenticatedAPITestCase):      def test_list_all_returns_empty_list(self): -        url = reverse('bot:reminder-list', host='api') +        url = reverse('api:bot:reminder-list')          response = self.client.get(url)          self.assertEqual(response.status_code, 200)          self.assertEqual(response.json(), [])      def test_delete_returns_404(self): -        url = reverse('bot:reminder-detail', args=('1234',), host='api') +        url = reverse('api:bot:reminder-detail', args=('1234',))          response = self.client.delete(url)          self.assertEqual(response.status_code, 404) -class ReminderCreationTests(APISubdomainTestCase): +class ReminderCreationTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.author = User.objects.create( @@ -64,7 +64,7 @@ class ReminderCreationTests(APISubdomainTestCase):              'channel_id': 123,              'mentions': [8888, 9999],          } -        url = reverse('bot:reminder-list', host='api') +        url = reverse('api:bot:reminder-list')          response = self.client.post(url, data=data)          self.assertEqual(response.status_code, 201)          self.assertIsNotNone(Reminder.objects.filter(id=1).first()) @@ -73,13 +73,13 @@ class ReminderCreationTests(APISubdomainTestCase):          data = {              'author': self.author.id,  # Missing multiple required fields          } -        url = reverse('bot:reminder-list', host='api') +        url = reverse('api:bot:reminder-list')          response = self.client.post(url, data=data)          self.assertEqual(response.status_code, 400)          self.assertRaises(Reminder.DoesNotExist, Reminder.objects.get, id=1) -class ReminderDeletionTests(APISubdomainTestCase): +class ReminderDeletionTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.author = User.objects.create( @@ -97,20 +97,20 @@ class ReminderDeletionTests(APISubdomainTestCase):          )      def test_delete_unknown_reminder_returns_404(self): -        url = reverse('bot:reminder-detail', args=('something',), host='api') +        url = reverse('api:bot:reminder-detail', args=('something',))          response = self.client.delete(url)          self.assertEqual(response.status_code, 404)      def test_delete_known_reminder_returns_204(self): -        url = reverse('bot:reminder-detail', args=(self.reminder.id,), host='api') +        url = reverse('api:bot:reminder-detail', args=(self.reminder.id,))          response = self.client.delete(url)          self.assertEqual(response.status_code, 204)          self.assertRaises(Reminder.DoesNotExist, Reminder.objects.get, id=self.reminder.id) -class ReminderListTests(APISubdomainTestCase): +class ReminderListTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.author = User.objects.create( @@ -142,28 +142,28 @@ class ReminderListTests(APISubdomainTestCase):          cls.rem_dict_two['expiration'] += 'Z'  # Massaging a quirk of the response time format      def test_reminders_in_full_list(self): -        url = reverse('bot:reminder-list', host='api') +        url = reverse('api:bot:reminder-list')          response = self.client.get(url)          self.assertEqual(response.status_code, 200)          self.assertCountEqual(response.json(), [self.rem_dict_one, self.rem_dict_two])      def test_filter_search(self): -        url = reverse('bot:reminder-list', host='api') +        url = reverse('api:bot:reminder-list')          response = self.client.get(f'{url}?search={self.author.name}')          self.assertEqual(response.status_code, 200)          self.assertCountEqual(response.json(), [self.rem_dict_one, self.rem_dict_two])      def test_filter_field(self): -        url = reverse('bot:reminder-list', host='api') +        url = reverse('api:bot:reminder-list')          response = self.client.get(f'{url}?active=true')          self.assertEqual(response.status_code, 200)          self.assertEqual(response.json(), [self.rem_dict_one]) -class ReminderRetrieveTests(APISubdomainTestCase): +class ReminderRetrieveTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.author = User.objects.create( @@ -181,17 +181,17 @@ class ReminderRetrieveTests(APISubdomainTestCase):          )      def test_retrieve_unknown_returns_404(self): -        url = reverse('bot:reminder-detail', args=("not_an_id",), host='api') +        url = reverse('api:bot:reminder-detail', args=("not_an_id",))          response = self.client.get(url)          self.assertEqual(response.status_code, 404)      def test_retrieve_known_returns_200(self): -        url = reverse('bot:reminder-detail', args=(self.reminder.id,), host='api') +        url = reverse('api:bot:reminder-detail', args=(self.reminder.id,))          response = self.client.get(url)          self.assertEqual(response.status_code, 200) -class ReminderUpdateTests(APISubdomainTestCase): +class ReminderUpdateTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.author = User.objects.create( @@ -211,7 +211,7 @@ class ReminderUpdateTests(APISubdomainTestCase):          cls.data = {'content': 'Oops I forgot'}      def test_patch_updates_record(self): -        url = reverse('bot:reminder-detail', args=(self.reminder.id,), host='api') +        url = reverse('api:bot:reminder-detail', args=(self.reminder.id,))          response = self.client.patch(url, data=self.data)          self.assertEqual(response.status_code, 200) diff --git a/pydis_site/apps/api/tests/test_roles.py b/pydis_site/apps/api/tests/test_roles.py index 4d1a430c..d39cea4d 100644 --- a/pydis_site/apps/api/tests/test_roles.py +++ b/pydis_site/apps/api/tests/test_roles.py @@ -1,10 +1,10 @@ -from django_hosts.resolvers import reverse +from django.urls import reverse -from .base import APISubdomainTestCase +from .base import AuthenticatedAPITestCase  from ..models import Role -class CreationTests(APISubdomainTestCase): +class CreationTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.admins_role = Role.objects.create( @@ -78,7 +78,7 @@ class CreationTests(APISubdomainTestCase):      def test_role_list(self):          """Tests the GET list-view and validates the contents.""" -        url = reverse('bot:role-list', host='api') +        url = reverse('api:bot:role-list')          response = self.client.get(url)          self.assertContains(response, text="id", count=4, status_code=200) @@ -92,7 +92,7 @@ class CreationTests(APISubdomainTestCase):      def test_role_get_detail_success(self):          """Tests GET detail view of an existing role.""" -        url = reverse('bot:role-detail', host='api', args=(self.admins_role.id, )) +        url = reverse('api:bot:role-detail', args=(self.admins_role.id, ))          response = self.client.get(url)          self.assertContains(response, text="id", count=1, status_code=200) @@ -107,7 +107,7 @@ class CreationTests(APISubdomainTestCase):      def test_role_post_201(self):          """Tests creation of a role with a valid request.""" -        url = reverse('bot:role-list', host='api') +        url = reverse('api:bot:role-list')          data = {              "id": 1234567890,              "name": "Role Creation Test", @@ -120,7 +120,7 @@ class CreationTests(APISubdomainTestCase):      def test_role_post_invalid_request_body(self):          """Tests creation of a role with an invalid request body.""" -        url = reverse('bot:role-list', host='api') +        url = reverse('api:bot:role-list')          data = {              "name": "Role Creation Test",              "permissions": 0b01010010101, @@ -133,7 +133,7 @@ class CreationTests(APISubdomainTestCase):      def test_role_put_200(self):          """Tests PUT role request with valid request body.""" -        url = reverse('bot:role-detail', host='api', args=(self.admins_role.id,)) +        url = reverse('api:bot:role-detail', args=(self.admins_role.id,))          data = {              "id": 123454321,              "name": "Role Put Alteration Test", @@ -153,7 +153,7 @@ class CreationTests(APISubdomainTestCase):      def test_role_put_invalid_request_body(self):          """Tests PUT role request with invalid request body.""" -        url = reverse('bot:role-detail', host='api', args=(self.admins_role.id,)) +        url = reverse('api:bot:role-detail', args=(self.admins_role.id,))          data = {              "name": "Role Put Alteration Test",              "permissions": 255, @@ -165,7 +165,7 @@ class CreationTests(APISubdomainTestCase):      def test_role_patch_200(self):          """Tests PATCH role request with valid request body.""" -        url = reverse('bot:role-detail', host='api', args=(self.admins_role.id,)) +        url = reverse('api:bot:role-detail', args=(self.admins_role.id,))          data = {              "name": "Owners"          } @@ -177,13 +177,13 @@ class CreationTests(APISubdomainTestCase):      def test_role_delete_200(self):          """Tests DELETE requests for existing role.""" -        url = reverse('bot:role-detail', host='api', args=(self.admins_role.id,)) +        url = reverse('api:bot:role-detail', args=(self.admins_role.id,))          response = self.client.delete(url)          self.assertEqual(response.status_code, 204)      def test_role_detail_404_all_methods(self):          """Tests detail view with non-existing ID.""" -        url = reverse('bot:role-detail', host='api', args=(20190815,)) +        url = reverse('api:bot:role-detail', args=(20190815,))          for method in ('get', 'put', 'patch', 'delete'):              response = getattr(self.client, method)(url) diff --git a/pydis_site/apps/api/tests/test_rules.py b/pydis_site/apps/api/tests/test_rules.py index c94f89cc..d08c5fae 100644 --- a/pydis_site/apps/api/tests/test_rules.py +++ b/pydis_site/apps/api/tests/test_rules.py @@ -1,23 +1,23 @@ -from django_hosts.resolvers import reverse +from django.urls import reverse -from .base import APISubdomainTestCase +from .base import AuthenticatedAPITestCase  from ..views import RulesView -class RuleAPITests(APISubdomainTestCase): +class RuleAPITests(AuthenticatedAPITestCase):      def setUp(self):          super().setUp()          self.client.force_authenticate(user=None)      def test_can_access_rules_view(self): -        url = reverse('rules', host='api') +        url = reverse('api:rules')          response = self.client.get(url)          self.assertEqual(response.status_code, 200)          self.assertIsInstance(response.json(), list)      def test_link_format_query_param_produces_different_results(self): -        url = reverse('rules', host='api') +        url = reverse('api:rules')          markdown_links_response = self.client.get(url + '?link_format=md')          html_links_response = self.client.get(url + '?link_format=html')          self.assertNotEqual( @@ -30,6 +30,6 @@ class RuleAPITests(APISubdomainTestCase):              RulesView._format_link("a", "b", "c")      def test_get_returns_400_for_wrong_link_format(self): -        url = reverse('rules', host='api') +        url = reverse('api:rules')          response = self.client.get(url + '?link_format=unknown')          self.assertEqual(response.status_code, 400) diff --git a/pydis_site/apps/api/tests/test_users.py b/pydis_site/apps/api/tests/test_users.py index c43b916a..295bcf64 100644 --- a/pydis_site/apps/api/tests/test_users.py +++ b/pydis_site/apps/api/tests/test_users.py @@ -1,44 +1,45 @@  from unittest.mock import patch  from django.core.exceptions import ObjectDoesNotExist -from django_hosts.resolvers import reverse +from django.urls import reverse -from .base import APISubdomainTestCase +from .base import AuthenticatedAPITestCase  from ..models import Role, User -from ..models.bot.metricity import NotFound +from ..models.bot.metricity import NotFoundError +from ..viewsets.bot.user import UserListPagination -class UnauthedUserAPITests(APISubdomainTestCase): +class UnauthedUserAPITests(AuthenticatedAPITestCase):      def setUp(self):          super().setUp()          self.client.force_authenticate(user=None)      def test_detail_lookup_returns_401(self): -        url = reverse('bot:user-detail', args=('whatever',), host='api') +        url = reverse('api:bot:user-detail', args=('whatever',))          response = self.client.get(url)          self.assertEqual(response.status_code, 401)      def test_list_returns_401(self): -        url = reverse('bot:user-list', host='api') +        url = reverse('api:bot:user-list')          response = self.client.get(url)          self.assertEqual(response.status_code, 401)      def test_create_returns_401(self): -        url = reverse('bot:user-list', host='api') +        url = reverse('api:bot:user-list')          response = self.client.post(url, data={'hi': 'there'})          self.assertEqual(response.status_code, 401)      def test_delete_returns_401(self): -        url = reverse('bot:user-detail', args=('whatever',), host='api') +        url = reverse('api:bot:user-detail', args=('whatever',))          response = self.client.delete(url)          self.assertEqual(response.status_code, 401) -class CreationTests(APISubdomainTestCase): +class CreationTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.role = Role.objects.create( @@ -57,7 +58,7 @@ class CreationTests(APISubdomainTestCase):          )      def test_accepts_valid_data(self): -        url = reverse('bot:user-list', host='api') +        url = reverse('api:bot:user-list')          data = {              'id': 42,              'name': "Test", @@ -78,7 +79,7 @@ class CreationTests(APISubdomainTestCase):          self.assertEqual(user.in_guild, data['in_guild'])      def test_supports_multi_creation(self): -        url = reverse('bot:user-list', host='api') +        url = reverse('api:bot:user-list')          data = [              {                  'id': 5, @@ -103,7 +104,7 @@ class CreationTests(APISubdomainTestCase):          self.assertEqual(response.json(), [])      def test_returns_400_for_unknown_role_id(self): -        url = reverse('bot:user-list', host='api') +        url = reverse('api:bot:user-list')          data = {              'id': 5,              'name': "test man", @@ -117,7 +118,7 @@ class CreationTests(APISubdomainTestCase):          self.assertEqual(response.status_code, 400)      def test_returns_400_for_bad_data(self): -        url = reverse('bot:user-list', host='api') +        url = reverse('api:bot:user-list')          data = {              'id': True,              'discriminator': "totally!" @@ -128,7 +129,7 @@ class CreationTests(APISubdomainTestCase):      def test_returns_400_for_user_recreation(self):          """Return 201 if User is already present in database as it skips User creation.""" -        url = reverse('bot:user-list', host='api') +        url = reverse('api:bot:user-list')          data = [{              'id': 11,              'name': 'You saw nothing.', @@ -140,7 +141,7 @@ class CreationTests(APISubdomainTestCase):      def test_returns_400_for_duplicate_request_users(self):          """Return 400 if 2 Users with same ID is passed in the request data.""" -        url = reverse('bot:user-list', host='api') +        url = reverse('api:bot:user-list')          data = [              {                  'id': 11, @@ -160,7 +161,7 @@ class CreationTests(APISubdomainTestCase):      def test_returns_400_for_existing_user(self):          """Returns 400 if user is already present in DB.""" -        url = reverse('bot:user-list', host='api') +        url = reverse('api:bot:user-list')          data = {              'id': 11,              'name': 'You saw nothing part 3.', @@ -171,7 +172,7 @@ class CreationTests(APISubdomainTestCase):          self.assertEqual(response.status_code, 400) -class MultiPatchTests(APISubdomainTestCase): +class MultiPatchTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.role_developer = Role.objects.create( @@ -195,7 +196,7 @@ class MultiPatchTests(APISubdomainTestCase):          )      def test_multiple_users_patch(self): -        url = reverse("bot:user-bulk-patch", host="api") +        url = reverse("api:bot:user-bulk-patch")          data = [              {                  "id": 1, @@ -218,7 +219,7 @@ class MultiPatchTests(APISubdomainTestCase):          self.assertEqual(user_2.name, data[1]["name"])      def test_returns_400_for_missing_user_id(self): -        url = reverse("bot:user-bulk-patch", host="api") +        url = reverse("api:bot:user-bulk-patch")          data = [              {                  "name": "I am ghost user!", @@ -234,7 +235,7 @@ class MultiPatchTests(APISubdomainTestCase):          self.assertEqual(response.status_code, 400)      def test_returns_404_for_not_found_user(self): -        url = reverse("bot:user-bulk-patch", host="api") +        url = reverse("api:bot:user-bulk-patch")          data = [              {                  "id": 1, @@ -252,7 +253,7 @@ class MultiPatchTests(APISubdomainTestCase):          self.assertEqual(response.status_code, 404)      def test_returns_400_for_bad_data(self): -        url = reverse("bot:user-bulk-patch", host="api") +        url = reverse("api:bot:user-bulk-patch")          data = [              {                  "id": 1, @@ -268,7 +269,7 @@ class MultiPatchTests(APISubdomainTestCase):          self.assertEqual(response.status_code, 400)      def test_returns_400_for_insufficient_data(self): -        url = reverse("bot:user-bulk-patch", host="api") +        url = reverse("api:bot:user-bulk-patch")          data = [              {                  "id": 1, @@ -282,7 +283,7 @@ class MultiPatchTests(APISubdomainTestCase):      def test_returns_400_for_duplicate_request_users(self):          """Return 400 if 2 Users with same ID is passed in the request data.""" -        url = reverse("bot:user-bulk-patch", host="api") +        url = reverse("api:bot:user-bulk-patch")          data = [              {                  'id': 1, @@ -297,7 +298,7 @@ class MultiPatchTests(APISubdomainTestCase):          self.assertEqual(response.status_code, 400) -class UserModelTests(APISubdomainTestCase): +class UserModelTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          cls.role_top = Role.objects.create( @@ -353,11 +354,11 @@ class UserModelTests(APISubdomainTestCase):          self.assertEqual(self.user_with_roles.username, "Test User with two roles#0001") -class UserPaginatorTests(APISubdomainTestCase): +class UserPaginatorTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          users = [] -        for i in range(1, 10_001): +        for i in range(1, UserListPagination.page_size + 1):              users.append(User(                  id=i,                  name=f"user{i}", @@ -367,35 +368,37 @@ class UserPaginatorTests(APISubdomainTestCase):          cls.users = User.objects.bulk_create(users)      def test_returns_single_page_response(self): -        url = reverse("bot:user-list", host="api") +        url = reverse("api:bot:user-list")          response = self.client.get(url).json()          self.assertIsNone(response["next_page_no"])          self.assertIsNone(response["previous_page_no"])      def test_returns_next_page_number(self): +        user_id = UserListPagination.page_size + 1          User.objects.create( -            id=10_001, -            name="user10001", +            id=user_id, +            name=f"user{user_id}",              discriminator=1111,              in_guild=True          ) -        url = reverse("bot:user-list", host="api") +        url = reverse("api:bot:user-list")          response = self.client.get(url).json()          self.assertEqual(2, response["next_page_no"])      def test_returns_previous_page_number(self): +        user_id = UserListPagination.page_size + 1          User.objects.create( -            id=10_001, -            name="user10001", +            id=user_id, +            name=f"user{user_id}",              discriminator=1111,              in_guild=True          ) -        url = reverse("bot:user-list", host="api") +        url = reverse("api:bot:user-list")          response = self.client.get(url, {"page": 2}).json()          self.assertEqual(1, response["previous_page_no"]) -class UserMetricityTests(APISubdomainTestCase): +class UserMetricityTests(AuthenticatedAPITestCase):      @classmethod      def setUpTestData(cls):          User.objects.create( @@ -413,7 +416,7 @@ class UserMetricityTests(APISubdomainTestCase):          self.mock_metricity_user(joined_at, total_messages, total_blocks, [])          # When -        url = reverse('bot:user-metricity-data', args=[0], host='api') +        url = reverse('api:bot:user-metricity-data', args=[0])          response = self.client.get(url)          # Then @@ -430,7 +433,7 @@ class UserMetricityTests(APISubdomainTestCase):          self.mock_no_metricity_user()          # When -        url = reverse('bot:user-metricity-data', args=[0], host='api') +        url = reverse('api:bot:user-metricity-data', args=[0])          response = self.client.get(url)          # Then @@ -441,7 +444,7 @@ class UserMetricityTests(APISubdomainTestCase):          self.mock_no_metricity_user()          # When -        url = reverse('bot:user-metricity-review-data', args=[0], host='api') +        url = reverse('api:bot:user-metricity-review-data', args=[0])          response = self.client.get(url)          # Then @@ -460,7 +463,7 @@ class UserMetricityTests(APISubdomainTestCase):                  with patch("pydis_site.apps.api.viewsets.bot.user.Infraction.objects.get") as p:                      p.side_effect = case['exception'] -                    url = reverse('bot:user-metricity-data', args=[0], host='api') +                    url = reverse('api:bot:user-metricity-data', args=[0])                      response = self.client.get(url)                      self.assertEqual(response.status_code, 200) @@ -475,7 +478,7 @@ class UserMetricityTests(APISubdomainTestCase):          self.mock_metricity_user(joined_at, total_messages, total_blocks, channel_activity)          # When -        url = reverse('bot:user-metricity-review-data', args=[0], host='api') +        url = reverse('api:bot:user-metricity-review-data', args=[0])          response = self.client.get(url)          # Then @@ -501,7 +504,7 @@ class UserMetricityTests(APISubdomainTestCase):          self.metricity = patcher.start()          self.addCleanup(patcher.stop)          self.metricity = self.metricity.return_value.__enter__.return_value -        self.metricity.user.side_effect = NotFound() -        self.metricity.total_messages.side_effect = NotFound() -        self.metricity.total_message_blocks.side_effect = NotFound() -        self.metricity.top_channel_activity.side_effect = NotFound() +        self.metricity.user.side_effect = NotFoundError() +        self.metricity.total_messages.side_effect = NotFoundError() +        self.metricity.total_message_blocks.side_effect = NotFoundError() +        self.metricity.top_channel_activity.side_effect = NotFoundError() diff --git a/pydis_site/apps/api/tests/test_validators.py b/pydis_site/apps/api/tests/test_validators.py index 8bb7b917..551cc2aa 100644 --- a/pydis_site/apps/api/tests/test_validators.py +++ b/pydis_site/apps/api/tests/test_validators.py @@ -72,7 +72,7 @@ class TagEmbedValidatorTests(TestCase):      def test_rejects_too_long_description(self):          with self.assertRaises(ValidationError):              validate_embed({ -                'description': 'd' * 2049 +                'description': 'd' * 4097              })      def test_allows_valid_embed(self): diff --git a/pydis_site/apps/api/urls.py b/pydis_site/apps/api/urls.py index 2e1ef0b4..b0ab545b 100644 --- a/pydis_site/apps/api/urls.py +++ b/pydis_site/apps/api/urls.py @@ -16,7 +16,7 @@ from .viewsets import (      UserViewSet  ) -# http://www.django-rest-framework.org/api-guide/routers/#defaultrouter +# https://www.django-rest-framework.org/api-guide/routers/#defaultrouter  bot_router = DefaultRouter(trailing_slash=False)  bot_router.register(      'filter-lists', diff --git a/pydis_site/apps/api/viewsets/bot/off_topic_channel_name.py b/pydis_site/apps/api/viewsets/bot/off_topic_channel_name.py index 18ee84ea..7151d29b 100644 --- a/pydis_site/apps/api/viewsets/bot/off_topic_channel_name.py +++ b/pydis_site/apps/api/viewsets/bot/off_topic_channel_name.py @@ -19,7 +19,7 @@ class OffTopicChannelNameViewSet(ModelViewSet):      ### GET /bot/off-topic-channel-names      Return all known off-topic channel names from the database.      If the `random_items` query parameter is given, for example using... -        $ curl api.pythondiscord.local:8000/bot/off-topic-channel-names?random_items=5 +        $ curl 127.0.0.1:8000/api/bot/off-topic-channel-names?random_items=5      ... then the API will return `5` random items from the database      that is not used in current rotation.      When running out of names, API will mark all names to not used and start new rotation. @@ -38,7 +38,7 @@ class OffTopicChannelNameViewSet(ModelViewSet):      ### POST /bot/off-topic-channel-names      Create a new off-topic-channel name in the database.      The name must be given as a query parameter, for example: -        $ curl api.pythondiscord.local:8000/bot/off-topic-channel-names?name=lemons-lemonade-shop +        $ curl 127.0.0.1:8000/api/bot/off-topic-channel-names?name=lemons-lemonade-shop      #### Status codes      - 201: returned on success diff --git a/pydis_site/apps/api/viewsets/bot/user.py b/pydis_site/apps/api/viewsets/bot/user.py index 25722f5a..22d13dc4 100644 --- a/pydis_site/apps/api/viewsets/bot/user.py +++ b/pydis_site/apps/api/viewsets/bot/user.py @@ -11,7 +11,7 @@ from rest_framework.serializers import ModelSerializer  from rest_framework.viewsets import ModelViewSet  from pydis_site.apps.api.models.bot.infraction import Infraction -from pydis_site.apps.api.models.bot.metricity import Metricity, NotFound +from pydis_site.apps.api.models.bot.metricity import Metricity, NotFoundError  from pydis_site.apps.api.models.bot.user import User  from pydis_site.apps.api.serializers import UserSerializer @@ -19,7 +19,7 @@ from pydis_site.apps.api.serializers import UserSerializer  class UserListPagination(PageNumberPagination):      """Custom pagination class for the User Model.""" -    page_size = 10000 +    page_size = 2500      page_size_query_param = "page_size"      def get_next_page_number(self) -> typing.Optional[int]: @@ -275,7 +275,7 @@ class UserViewSet(ModelViewSet):                  data["voice_banned"] = voice_banned                  data["activity_blocks"] = metricity.total_message_blocks(user.id)                  return Response(data, status=status.HTTP_200_OK) -            except NotFound: +            except NotFoundError:                  return Response(dict(detail="User not found in metricity"),                                  status=status.HTTP_404_NOT_FOUND) @@ -290,6 +290,6 @@ class UserViewSet(ModelViewSet):                  data["total_messages"] = metricity.total_messages(user.id)                  data["top_channel_activity"] = metricity.top_channel_activity(user.id)                  return Response(data, status=status.HTTP_200_OK) -            except NotFound: +            except NotFoundError:                  return Response(dict(detail="User not found in metricity"),                                  status=status.HTTP_404_NOT_FOUND) diff --git a/pydis_site/apps/content/resources/code-of-conduct.md b/pydis_site/apps/content/resources/code-of-conduct.md index 6302438e..56050230 100644 --- a/pydis_site/apps/content/resources/code-of-conduct.md +++ b/pydis_site/apps/content/resources/code-of-conduct.md @@ -77,8 +77,8 @@ You may report in the following ways:  If you wish to appeal a decision or action taken by the moderation team, you can do so in one of the following ways: -* By sending an email to [[email protected]](mailto:[email protected])  * By sending a direct message (DM) to ModMail from our Discord server. +* Joining our [ban appeals server](https://discord.gg/WXrCJxWBnm) and sending a direct message (DM) to the Ban Appeals bot.  Please provide all relevant information in your appeal, including: diff --git a/pydis_site/apps/content/resources/frequently-asked-questions.md b/pydis_site/apps/content/resources/frequently-asked-questions.md index 212ea5f8..1c9c3f6d 100644 --- a/pydis_site/apps/content/resources/frequently-asked-questions.md +++ b/pydis_site/apps/content/resources/frequently-asked-questions.md @@ -89,7 +89,7 @@ It's also to ease the burden on our moderators, otherwise they would have to dow  Even though Discord does support previewing of files like `.txt` and `.py`, that support is only available on Desktop, not mobile. Additionally, we prefer people to use hastebin as it encourages them to only copy over the relevant code snippets instead of their whole code; this makes helping much easier for all involved. -If you want to share code please use our hosted hastebin, [paste.pythondiscord.com](http://paste.pythondiscord.com). +If you want to share code please use our hosted hastebin, [paste.pythondiscord.com](https://paste.pythondiscord.com).  #### **Q: Why is this permission not allowed in that channel?** @@ -119,7 +119,7 @@ You can also open an issue on our meta repo on GitHub, which can be found [here]  While we love our blurple Python logo, we also enjoy celebrating other events throughout the year, like Advent of Code, Pride Month, Black History Month, Valentine's Day, Diwali, and more! In the spirit of those celebrations, we like to have some fun and change our icon instead.  If you're wondering why it's changed this time, check out `#changelog` on the server, as the reasoning for the recent change will be there. -If you'd like to contribute and create a Python Discord server icon for us to use, check out [our branding repo](https://github.com/python-discord/branding) for what we currently have and talk to us in the `#media-branding` channel in the server. +If you'd like to contribute and create a Python Discord server icon for us to use, check out [our branding repo](https://github.com/python-discord/branding) for what we currently have and talk to us in the `#dev-branding` channel in the server.  ## Misc diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/bot.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/bot.md index 741bf28e..b9589def 100644 --- a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/bot.md +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/bot.md @@ -2,207 +2,661 @@  title: Contributing to Bot  description: A guide to setting up and configuring Bot.  icon: fab fa-github -toc: 1 +toc: 3  --- - -# Requirements -* [Python 3.9](https://www.python.org/downloads/) -* [Poetry](https://github.com/python-poetry/poetry#installation) -    * `pip install poetry` -* [Git](https://git-scm.com/downloads) -    * [Windows](https://git-scm.com/download/win) -    * [MacOS](https://git-scm.com/download/mac) or `brew install git` -    * [Linux](https://git-scm.com/download/linux) -* A running webserver for the [site](../site) -    * Follow the linked guide only if you don't want to use Docker or if you plan to do development on the site project too. - -## Using Docker - -Both the site and the bot can be started using Docker. -Using Docker is generally recommended (but not strictly required) because it abstracts away some additional set up work, especially for the site. -However, if you plan to attach a debugger to either the site or the bot, run the respective project directly on your system (AKA the _host_) instead. - -The requirements for Docker are: - -* [Docker CE](https://docs.docker.com/install/) -* [Docker Compose](https://docs.docker.com/compose/install/) (This already comes bundled on macOS and Windows, so you shouldn't need to install it) -    * `pip install docker-compose` +The purpose of this guide is to get you a running local version of [the Python bot](https://github.com/python-discord/bot). +This page will focus on the quickest steps one can take, with mentions of alternatives afterwards. + +### Clone The Repository +First things first, to run the bot's code and make changes to it, you need a local version of it (on your computer). + +<div class="card"> +    <button type="button" class="card-header collapsible"> +        <span class="card-header-title subtitle is-6 my-2 ml-2">Getting started with Git and GitHub</span> +        <span class="card-header-icon"> +            <i class="fas fa-angle-down title is-5" aria-hidden="true"></i> +        </span> +    </button> +    <div class="collapsible-content"> +        <div class="card-content"> +              <p>If you don't have Git on your computer already, <a href="https://git-scm.com/downloads">install it</a>. You can additionally install a Git GUI such as <a href="https://www.gitkraken.com/download">GitKraken</a>, or the <a href="https://cli.github.com/manual/installation">GitHub CLI</a>.</p> +              <p>To learn more about Git, you can look into <a href="../working-with-git">our guides</a>, as well as <a href="https://education.github.com/git-cheat-sheet-education.pdf">this cheatsheet</a>, <a href="https://learngitbranching.js.org">Learn Git Branching</a>, and otherwise any guide you can find on the internet. Once you got the basic idea though, the best way to learn Git is to use it.</p> +              <p>Creating a copy of a repository under your own account is called a <em>fork</em>. This is where all your changes and commits will be pushed to, and from where your pull requests will originate from.</p> +              <p><strong><a href="../forking-repository">Learn about forking a project</a></strong>.</p> +        </div> +    </div> +</div> +<br> + +You will need to create a fork of [the project](https://github.com/python-discord/bot), and clone the fork. +Once this is done, you will have completed the first step towards having a running version of the bot. + +#### Working on the Repository Directly +If you are a member of the organisation (a member of [this list](https://github.com/orgs/python-discord/people), or in our particular case, server staff), you can clone the project repository without creating a fork, and work on a feature branch instead.  --- -# Fork the project -You will need access to a copy of the git repository of your own that will allow you to edit the code and push your commits to. -Creating a copy of a repository under your own account is called a _fork_. - -* [Learn how to create a fork of the repository here.](../forking-repository) -This is where all your changes and commits will be pushed to, and from where your PRs will originate from. +### Set Up a Test Server +The Python bot is tightly coupled with the Python Discord server, so to have a functional version of the bot you need a server with channels it can use. +It's possible to set the bot to use a single channel for all cogs, but that will cause extreme spam and will be difficult to work with. -For any staff member, since you have write permissions already to the original repository, you can just create a feature branch to push your commits to instead. - ---- -# Development environment -1. [Clone your fork to a local project directory](../cloning-repository/) -2. [Install the project's dependencies](../installing-project-dependencies/) -3. [Prepare your hosts file (Optional)](../hosts-file/) +You can start your own server and set up channels as you see fit, but for your convenience we have a template for a development server you can use: [https://discord.new/zmHtscpYN9E3](https://discord.new/zmHtscpYN9E3). +Keep in mind that this is not a mirror of the Python server, but a reduced version for testing purposes. A lot of the channels in the Python server were merged.  --- -# Test server and bot account -You will need your own test server and bot account on Discord to test your changes to the bot. -* [**Create a test server**](../setting-test-server-and-bot-account#setting-up-a-test-server) -* [**Create a bot account**](../setting-test-server-and-bot-account#setting-up-a-bot-account) -* Invite it to the server you just created. +### Set Up a Bot Account +You will need your own bot account on Discord to test your changes to the bot. +See [here](../creating-bot-account) for help with setting up a bot account. Once you have a bot account, invite it to the test server you created in the previous section. -### Privileged Intents +#### Privileged Intents -With `discord.py` 1.5 and later, it is now necessary to explicitly request that your Discord bot receives certain gateway events. +It is necessary to explicitly request that your Discord bot receives certain gateway events.  The Python bot requires the `Server Member Intent` to function.  In order to enable it, visit the [Developer Portal](https://discord.com/developers/applications/) (from where you copied your bot's login token) and scroll down to the `Privileged Gateway Intents` section.  The `Presence Intent` is not necessary and can be left disabled.  If your bot fails to start with a `PrivilegedIntentsRequired` exception, this indicates that the required intent was not enabled. -### Server Setup - -Setup categories, channels, emojis, roles, and webhooks in your server. To see what needs to be added, please refer to the following sections in the `config-default.yml` file: +--- -* `style.emojis` +### Configure the Bot +You now have both the bot's code and a server to run it on. It's time you to connect the two by changing the bot's configurations. + +#### config.yml +Entering the directory of the cloned code, you will find a file named `config-default.yml`. +This file contains the various configurations we use to make the bot run on the Python Discord server, such as channel and role IDs, and the emojis it works with. +It also contains configurations such as how long it takes for a help channel to time out, and how many messages a user needs to voice-verify. + +To run the bot in your test server, you will need to override some of those configurations. +Create and open a new file in the directory called `config.yml`. Alternatively, copy the `config-default.yml` file and rename the copy to `config.yml`. +The bot will first look at the items in `config.yml`, and will fall back to `config-default.yml` only if necessary. Note that you don't have to specify all items in `config.yml`, just the ones you want to override such as channel IDs. + +See [here](../obtaining-discord-ids) for help with obtaining Discord IDs. + +<div class="card"> +    <button type="button" class="card-header collapsible"> +        <span class="card-header-title subtitle is-6 my-2 ml-2">Optional config.yml</span> +        <span class="card-header-icon"> +            <i class="fas fa-angle-down title is-5" aria-hidden="true"></i> +        </span> +    </button> +    <div class="collapsible-content"> +        <div class="card-content"> +              <p>If you used the provided server template, and you're not sure which channels belong where in the config file, you can use the config below. Pay attention to the comments with several <code>#</code> symbols, and replace the <code>�</code> characters with the right IDs.</p> +              <pre> +                <code class="language-yaml"> +bot: +    prefix:      "!" + +    redis: +        host:  "redis" +        password: null +        port:  6379 +        use_fakeredis: true + +    stats: +        presence_update_timeout: 300 +        statsd_host: "graphite.default.svc.cluster.local" + +urls: +    # PyDis site vars +    site:        &DOMAIN       "web:8000" +    site_api:    &API    !JOIN [*DOMAIN, "/api"] +    site_api_schema:           "http://" +    site_paste:  &PASTE  !JOIN ["paste.", "pythondiscord.com"] +    site_schema: &SCHEMA       "http://" +    site_staff:  &STAFF  !JOIN [*DOMAIN, "/staff"] + +    paste_service:                      !JOIN ["https://", *PASTE, "/{key}"] +    site_logs_view:                     !JOIN [*SCHEMA, *STAFF, "/bot/logs"] + +    # Snekbox +    snekbox_eval_api: "http://localhost:8060/eval" + +##### <<  Replace the following � characters with the channel IDs in your test server  >> ##### +#  This assumes the template was used: https://discord.new/zmHtscpYN9E3 +dev_guild: +    id: &DEV_GUILD_ID   � + +    categories: +        logs:           &DEV_LOGS               � +        help_available: &DEV_HELP_AVAILABLE     � +        help_occupied:  &DEV_HELP_OCCUPIED      � +        help_dormant:   &DEV_HELP_DORMANT       � +        voice:          &DEV_VOICE              � + +    channels: +        # Staff +        admins_mods:            &DEV_ADMINS_MODS            � +        lounge_helpers_org:     &DEV_LOUNGE_HELPERS_ORG     � +        defcon:                 &DEV_DEFCON                 � +        incidents:              &DEV_INCIDENTS              � +        incidents_archive:      &DEV_INCIDENTS_ARCHIVE      � +        staff_announcements:    &DEV_STAFF_ANNOUNCEMENTS    � +        dev_logs:               &DEV_DEV_LOGS               � + +        # Logs +        all_logs:   &DEV_ALL_LOGS   � +        bb_logs:    &DEV_BB_LOGS    � +        duck_pond:  &DEV_DUCK_POND  � + +        # Available Help Channels +        how_to_get_help:    &DEV_HTGH   � + +        # Miscellaneous +        bot_commands:       &DEV_BOT_CMD    � +        general_meta_voice: &DEV_GMV        � +        dev_core_contrib:   &DEV_DEV        � + +        # Voice +        voice-verification: &DEV_VOICE_VER      � +        vc:                 &DEV_VC             � +        staff_voice:        &DEV_STAFF_VOICE    � + +        # News +        announcements:  &DEV_ANNOUNCEMENTS  � +        py_news:        &DEV_PY_NEWS        � + +        # Off-topic +        off_topic_0: &DEV_OT_0  � +        off_topic_1: &DEV_OT_1  � +        off_topic_2: &DEV_OT_2  � + +guild: +    ##### <<  Replace the following � characters with the role and webhook IDs in your test server  >> ##### +    roles: +        announcements:                          � +        contributors:                           � +        help_cooldown:                          � +        muted:              &MUTED_ROLE         � +        partners:           &PY_PARTNER_ROLE    � +        python_community:   &PY_COMMUNITY_ROLE  � +        voice_verified:                         � + +        # Staff +        admins:             &ADMINS_ROLE    � +        core_developers:                    � +        devops:                             � +        domain_leads:                       � +        helpers:            &HELPERS_ROLE   � +        moderators:         &MODS_ROLE      � +        mod_team:           &MOD_TEAM_ROLE  � +        owners:             &OWNERS_ROLE    � +        code_jam_event_team:                � +        project_leads:                      � + +        # Code Jam +        team_leaders:   � + +        # Streaming +        video: � + +    webhooks: +        big_brother:                            � +        dev_log:                                � +        duck_pond:                              � +        incidents_archive:                      � +        python_news:        &PYNEWS_WEBHOOK     � +        talent_pool:                            � + +    ##### <<  At this point your test bot should be able to mostly work with your test server  >> ##### +    #  The following is the actual configs the bot uses, don't delete these. +    id: *DEV_GUILD_ID +    invite: "https://discord.gg/python" + +    categories: +        help_available:                     *DEV_HELP_AVAILABLE +        help_dormant:                       *DEV_HELP_DORMANT +        help_in_use:                        *DEV_HELP_OCCUPIED +        logs:                               *DEV_LOGS +        voice:                              *DEV_VOICE + +    channels: +        # Public announcement and news channels +        announcements:  *DEV_ANNOUNCEMENTS +        change_log:     *DEV_ANNOUNCEMENTS +        mailing_lists:  *DEV_ANNOUNCEMENTS +        python_events:  *DEV_ANNOUNCEMENTS +        python_news:    *DEV_PY_NEWS + +        # Development +        dev_contrib:        *DEV_DEV +        dev_core:           *DEV_DEV +        dev_log:            *DEV_DEV_LOGS + +        # Discussion +        meta:                               *DEV_GMV +        python_general:     *DEV_GMV + +        # Python Help: Available +        cooldown:           *DEV_HTGH +        how_to_get_help:    *DEV_HTGH + +        # Topical +        discord_py:         *DEV_GMV + +        # Logs +        attachment_log:     *DEV_ALL_LOGS +        message_log:        *DEV_ALL_LOGS +        mod_log:            *DEV_ALL_LOGS +        user_log:           *DEV_ALL_LOGS +        voice_log:          *DEV_ALL_LOGS + +        # Off-topic +        off_topic_0:    *DEV_OT_0 +        off_topic_1:    *DEV_OT_1 +        off_topic_2:    *DEV_OT_2 + +        # Special +        bot_commands:       *DEV_BOT_CMD +        voice_gate:         *DEV_VOICE_VER +        code_jam_planning:  *DEV_ADMINS_MODS + +        # Staff +        admins:             *DEV_ADMINS_MODS +        admin_spam:         *DEV_ADMINS_MODS +        defcon:             *DEV_DEFCON +        duck_pond:          *DEV_DUCK_POND +        helpers:            *DEV_LOUNGE_HELPERS_ORG +        incidents:                          *DEV_INCIDENTS +        incidents_archive:                  *DEV_INCIDENTS_ARCHIVE +        mods:               *DEV_ADMINS_MODS +        mod_alerts:                         *DEV_ADMINS_MODS +        mod_meta:           *DEV_ADMINS_MODS +        mod_spam:           *DEV_ADMINS_MODS +        mod_tools:          *DEV_ADMINS_MODS +        organisation:       *DEV_LOUNGE_HELPERS_ORG +        staff_lounge:       *DEV_LOUNGE_HELPERS_ORG + +        # Staff announcement channels +        admin_announcements:    *DEV_STAFF_ANNOUNCEMENTS +        mod_announcements:      *DEV_STAFF_ANNOUNCEMENTS +        staff_announcements:    *DEV_STAFF_ANNOUNCEMENTS + +        # Voice Channels +        admins_voice:       *DEV_STAFF_VOICE +        code_help_voice_1:  *DEV_VC +        code_help_voice_2:  *DEV_VC +        general_voice:      *DEV_VC +        staff_voice:        *DEV_STAFF_VOICE + +        # Voice Chat +        code_help_chat_1:                   *DEV_GMV +        code_help_chat_2:                   *DEV_GMV +        staff_voice_chat:                   *DEV_ADMINS_MODS +        voice_chat:                         *DEV_GMV + +        # Watch +        big_brother_logs:                   *DEV_BB_LOGS + +    moderation_categories: +        - *DEV_LOGS + +    moderation_channels: +        - *DEV_ADMINS_MODS + +    # Modlog cog ignores events which occur in these channels +    modlog_blacklist: +        - *DEV_ADMINS_MODS +        - *DEV_ALL_LOGS +        - *DEV_STAFF_VOICE + +    reminder_whitelist: +        - *DEV_BOT_CMD +        - *DEV_DEV + +    moderation_roles: +        - *ADMINS_ROLE +        - *MODS_ROLE +        - *MOD_TEAM_ROLE +        - *OWNERS_ROLE + +    staff_roles: +        - *ADMINS_ROLE +        - *HELPERS_ROLE +        - *MODS_ROLE +        - *OWNERS_ROLE + +##### <<  The bot shouldn't fail without these, but commands adding specific emojis won't work.  >> ##### +#  You should at least set the trashcan. Set the incidents emojis if relevant. +style: +    emojis: +        badge_bug_hunter: "<:bug_hunter_lvl1:�>" +        badge_bug_hunter_level_2: "<:bug_hunter_lvl2:�>" +        badge_early_supporter: "<:early_supporter:�>" +        badge_hypesquad: "<:hypesquad_events:�>" +        badge_hypesquad_balance: "<:hypesquad_balance:�>" +        badge_hypesquad_bravery: "<:hypesquad_bravery:�>" +        badge_hypesquad_brilliance: "<:hypesquad_brilliance:�>" +        badge_partner: "<:partner:�>" +        badge_staff: "<:discord_staff:�>" +        badge_verified_bot_developer: "<:verified_bot_dev:�>" + +        defcon_shutdown:    "<:defcondisabled:�>" +        defcon_unshutdown:  "<:defconenabled:�>" +        defcon_update:      "<:defconsettingsupdated:�>" + +        failmail: "<:failmail:�>" + +        #incident_actioned:      "<:incident_actioned:�>" +        incident_investigating: "<:incident_investigating:�>" +        incident_unactioned:    "<:incident_unactioned:�>" + +        status_dnd:     "<:status_dnd:�>" +        status_idle:    "<:status_idle:�>" +        status_offline: "<:status_offline:�>" +        status_online:  "<:status_online:�>" + +        trashcan: "<:trashcan:�>" + +##### <<  Optional - If you don't care about the filtering and help channel cogs, ignore the rest of this file  >> ##### +filter: +    # What do we filter? +    filter_domains:        true +    filter_everyone_ping:  true +    filter_invites:        true +    filter_zalgo:          false +    watch_regex:           true +    watch_rich_embeds:     true + +    # Notify user on filter? +    # Notifications are not expected for "watchlist" type filters +    notify_user_domains:        false +    notify_user_everyone_ping:  true +    notify_user_invites:        true +    notify_user_zalgo:          false + +    # Filter configuration +    offensive_msg_delete_days: 7     # How many days before deleting an offensive message? +    ping_everyone:             true + +    # Censor doesn't apply to these +    channel_whitelist: +        - *DEV_ADMINS_MODS +        - *DEV_BB_LOGS +        - *DEV_ALL_LOGS +        - *DEV_LOUNGE_HELPERS_ORG + +    role_whitelist: +        - *ADMINS_ROLE +        - *HELPERS_ROLE +        - *MODS_ROLE +        - *OWNERS_ROLE +        - *PY_COMMUNITY_ROLE +        - *PY_PARTNER_ROLE + +help_channels: +    enable: true + +    # Minimum interval before allowing a certain user to claim a new help channel +    claim_minutes: 1 + +    # Roles which are allowed to use the command which makes channels dormant +    cmd_whitelist: +        - *HELPERS_ROLE + +    # Allowed duration of inactivity before making a channel dormant +    idle_minutes: 1 + +    # Allowed duration of inactivity when channel is empty (due to deleted messages) +    # before message making a channel dormant +    deleted_idle_minutes: 1 + +    # Maximum number of channels to put in the available category +    max_available: 2 + +    # Maximum number of channels across all 3 categories +    # Note Discord has a hard limit of 50 channels per category, so this shouldn't be > 50 +    max_total_channels: 20 + +    # Prefix for help channel names +    name_prefix: 'help-' + +    # Notify if more available channels are needed but there are no more dormant ones +    notify: true + +    # Channel in which to send notifications +    notify_channel: *DEV_LOUNGE_HELPERS_ORG + +    # Minimum interval between helper notifications +    notify_minutes: 5 + +    # Mention these roles in notifications +    notify_roles: +        - *HELPERS_ROLE + +##### <<  Add any additional sections you need to override from config-default.yml  >> ##### +            </code> +          </pre> +</div></div></div> +<br> + +If you don't wish to use the provided `config.yml` above, these are the main sections in `config-default.yml` that need overriding: + +* `guild.id`  * `guild.categories`  * `guild.channels`  * `guild.roles`  * `guild.webhooks` +* `style.emojis` -We understand this is tedious and are working on a better solution for setting up test servers. -In the meantime, [here](https://discord.new/zmHtscpYN9E3) is a template for you to use.<br> +Additionally: ---- -# Configure the bot -You will need to copy IDs of the test Discord server, as well as the created channels and roles to paste in the config file. -If you're not sure how to do this, [check out the information over here.](../setting-test-server-and-bot-account#obtain-the-ids) - -1. Create a copy of `config-default.yml` named `config.yml` in the same directory. -2. Set `guild.id` to your test servers's ID. -3. Change the IDs in the [sections](#server-setup) mentioned earlier to match the ones in your test server. -4. Set `urls.site_schema` and `urls.site_api_schema` to `"http://"`. -5. Set `urls.site`: -    - If running the webserver in Docker, set it to `"web:8000"`. -        - If the site container is running separately (i.e. started from a clone of the site repository), then [COMPOSE_PROJECT_NAME](../docker/#compose-project-names) has to be set to use this domain. If you choose not to set it, the domain in the following step can be used instead. -    - If running the webserver locally and the hosts file has been configured, set it to `"pythondiscord.local:8000"`. -    - Otherwise, use whatever domain corresponds to the server where the site is being hosted. -6. Set `urls.site_api` to whatever value you assigned to `urls.site` with `api` prefixed to it, for example if you set `urls.site` to `web:8000` then set `urls.site_api` to `api.web:8000`. -7. Setup the environment variables listed in the section below. - -### Environment variables - -These contain various settings used by the bot. -To learn how to set environment variables, read [this page](../configure-environment-variables) first. +* At this stage, set `bot.redis.use_fakeredis` to `true`. If you're looking for instructions for working with Redis, see [Working with Redis](#optional-working-with-redis). +* Set `urls.site_api` to `!JOIN [*DOMAIN, "/api"]`. +* Set `urls.site_schema` and `urls.site_api_schema` to `"http://"`. -The following is a list of all available environment variables used by the bot: +We understand this is tedious and are working on a better solution for setting up test servers. -| Variable | Required | Description | -| -------- | -------- | -------- | -| `BOT_TOKEN` | Always | Your Discord bot account's token (see [Test server and bot account](#test-server-and-bot-account)). | -| `BOT_API_KEY` | When running bot without Docker | Used to authenticate with the site's API. When using Docker to run the bot, this is automatically set. By default, the site will always have the API key shown in the example below. | -| `BOT_SENTRY_DSN` | When connecting the bot to sentry | The DSN of the sentry monitor. | -| `BOT_TRACE_LOGGERS ` | When you wish to see specific or all trace logs | Comma separated list that specifies which loggers emit trace logs through the listed names. If the ! prefix is used, all of the loggers except the listed ones are set to the trace level. If * is used, the root logger is set to the trace level. | -| `REDIS_PASSWORD` | When not using FakeRedis | The password to connect to the redis database. *Leave empty if you're not using REDIS.* | +<div class="card"> +    <button type="button" class="card-header collapsible"> +        <span class="card-header-title subtitle is-6 my-2 ml-2">Why do you need a separate config file?</span> +        <span class="card-header-icon"> +            <i class="fas fa-angle-down title is-5" aria-hidden="true"></i> +        </span> +    </button> +    <div class="collapsible-content"> +        <div class="card-content"> +            While it's technically possible to edit <code>config-default.yml</code> to match your server, it is heavily discouraged. +            This file's purpose is to provide the configurations the Python bot needs to run in the Python server in production, and should remain as such. +            In contrast, the <code>config.yml</code> file can remain in your local copy of the code, and will be ignored by commits via the project's <code>.gitignore</code>. +        </div> +    </div> +</div> +<br> + +#### .env +The second file you need to create is the one containing the environment variables, and needs to be named `.env`. +Inside, add the line `BOT_TOKEN=YourDiscordBotTokenHere`. See [here](../creating-bot-account) for help with obtaining the bot token. + +The `.env` file will be ignored by commits.  --- -If you are running on the host, while not required, we advise you set `use_fakeredis` to `true` in your `config.yml` file during development to avoid the need of setting up a Redis server. -It does mean you may lose persistent data on restart but this is non-critical. -Otherwise, you should set up a Redis instance and fill in the necessary config. -{: .notification .is-warning } +### Run it! +#### With Docker +You are now almost ready to run the Python bot. The simplest way to do so is with Docker. + +<div class="card"> +    <button type="button" class="card-header collapsible"> +        <span class="card-header-title subtitle is-6 my-2 ml-2">Getting started with Docker</span> +        <span class="card-header-icon"> +            <i class="fas fa-angle-down title is-5" aria-hidden="true"></i> +        </span> +    </button> +    <div class="collapsible-content"> +        <div class="card-content"> +            The requirements for Docker are: +            <ul> +                <li><a href="https://docs.docker.com/install">Docker CE</a></li> +                <li>Docker Compose. If you're using macOS and Windows, this already comes bundled with the previous installation. Otherwise, you can download it either from the <a href="https://docs.docker.com/compose/install">website</a>, or by running <code>pip install docker-compose</code>.</li> +            </ul> +            <p class="notification is-warning">If you get any Docker related errors, reference the <a href="../docker#possible-issues">Possible Issue</a> section of the Docker page.</p> +        </div> +    </div> +</div> +<br> + +In your `config.yml` file: + +* Set `urls.site` to `"web:8000"`. +* If you wish to work with snekbox set `urls.snekbox_eval_api` to `"http://snekbox:8060/eval"`. + +Assuming you have Docker installed **and running**, enter the cloned repo in the command line and type `docker-compose up`. + +After pulling the images and building the containers, your bot will start. Enter your server and type `!help` (or whatever prefix you chose instead of `!`). + +Your bot is now running, but this method makes debugging with an IDE a fairly involved process. For additional running methods, continue reading the following sections. + +#### With the Bot Running Locally +The advantage of this method is that you can run the bot's code in your preferred editor, with debugger and all, while keeping all the setup of the bot's various dependencies inside Docker. + +* Append the following line to your `.env` file: `BOT_API_KEY=badbot13m0n8f570f942013fc818f234916ca531`. +* In your `config.yml` file, set `urls.site` to `"localhost:8000"`. If you wish to keep using `web:8000`, then [COMPOSE_PROJECT_NAME](../docker/#compose-project-names) has to be set. +* To work with snekbox, set `urls.snekbox_eval_api` to `"http://localhost:8060/eval"` + +You will need to start the services separately, but if you got the previous section with Docker working, that's pretty simple: + +* `docker-compose up web` to start the site container. This is required. +* `docker-compose up snekbox` to start the snekbox container. You only need this if you're planning on working on the snekbox cog. +* `docker-compose up redis` to start the Redis container. You only need this if you're not using fakeredis. For more info refer to [Working with Redis](#optional-working-with-redis). + +You can start several services together: `docker-compose up web snekbox redis`. + +##### Setting Up a Development Environment +The bot's code is Python code like any other. To run it locally, you will need the right version of Python with the necessary packages installed: + +1. Make sure you have [Python 3.9](https://www.python.org/downloads/) installed. It helps if it is your system's default Python version. +2. [Install Poetry](https://github.com/python-poetry/poetry#installation). +3. [Install the dependencies](../installing-project-dependencies). + +With at least the site running in Docker already (see the previous section on how to start services separately), you can now start the bot locally through the command line, or through your preferred IDE. +<div class="card"> +    <button type="button" class="card-header collapsible"> +        <span class="card-header-title subtitle is-6 my-2 ml-2">Ways to run code</span> +        <span class="card-header-icon"> +            <i class="fas fa-angle-down title is-5" aria-hidden="true"></i> +        </span> +    </button> +    <div class="collapsible-content"> +        <div class="card-content"> +            Notice that the bot is started as a module. There are several ways to do so: +            <ul> +                <li>Through the command line, inside the bot directory, with either <code>poetry run task start</code>, or directly <code>python -m bot</code>.</li> +                <li>If using PyCharm, enter <code>Edit Configurations</code> and set everything according to this image: <img src="/static/images/content/contributing/pycharm_run_module.png"></li> +                <li>If using Visual Studio Code, set the interpreter to the poetry environment you created. In <code>launch.json</code> create a new Python configuration, and set the name of the program to be run to <code>bot</code>. VSC will correctly run it as a module.</li> +            </ul> +        </div> +    </div> +</div> +<br> + +#### With More Things Running Locally +You can run additional services on the host, but this guide won't go over how to install and start them in this way. +If possible, prefer to start the services through Docker to replicate the production environment as much as possible. + +The site, however, is a mandatory service for the bot. +Refer to the [previous section](#with-the-bot-running-locally) and the [site contributing guide](../site) to learn how to start it on the host, in which case you will need to change `urls.site` in `config.yml` to wherever the site is being hosted.  --- +### Development Tips +Now that you have everything setup, it is finally time to make changes to the bot! -Example `.env` file: +#### Working with Git -```shell -BOT_TOKEN=YourDiscordBotTokenHere -BOT_API_KEY=badbot13m0n8f570f942013fc818f234916ca531 -REDDIT_CLIENT_ID=YourRedditClientIDHere -REDDIT_SECRET=YourRedditSecretHere -``` +If you have not yet [read the contributing guidelines](../contributing-guidelines), now is a good time. +Contributions that do not adhere to the guidelines may be rejected. ---- -# Run the project +Notably, version control of our projects is done using Git and Github. +It can be intimidating at first, so feel free to ask for any help in the server. -The bot can run with or without Docker. -When using Docker, the site, which is a prerequisite, can be automatically set up too. -If you don't use Docker, you have to first follow [the site guide](../site/) to set it up yourself. -The bot and site can be started using independent methods. -For example, the site could run with Docker and the bot could run directly on your system (AKA the _host_) or vice versa. +[**Click here to see the basic Git workflow when contributing to one of our projects.**](../working-with-git/) -## Run with Docker +#### Running tests -The following sections describe how to start either the site, bot, or both using Docker. -If you are not interested in using Docker, see [this page](../site/) for setting up the site and [this section](#run-on-the-host) for running the bot. +[This section](https://github.com/python-discord/bot/blob/main/tests/README.md#tools) of the README in the `tests` repository will explain how to run tests. +The whole document explains how unittesting works, and how it fits in the context of our project. -If you get any Docker related errors, reference the [Possible Issues](../docker#possible-issues) section of the Docker page. +Make sure to run tests *before* pushing code. -### Site and bot +Even if you run the bot through Docker, you might want to [setup a development environment](#setting-up-a-development-environment) in order to run the tests locally. -This method will start both the site and the bot using Docker. +#### Lint before you push +As mentioned in the [contributing guidelines](../contributing-guidelines), you should make sure your code passes linting for each commit you make. -Start the containers using Docker Compose while inside the root of the project directory: +For ease of development, you can install the pre-commit hook with `poetry run task precommit`, which will check your code every time you try to commit it. +For that purpose, even if you run the bot through Docker, you might want to [setup a development environment](#setting-up-a-development-environment), as otherwise the hook installation will fail. -```shell -docker-compose up -``` +#### Reloading parts of the bot +If you make changes to an extension, you might not need to restart the entire bot for the changes to take effect. The command `!ext reload <extension_name>` re-imports the files associated with the extension. +Invoke `!ext list` for a full list of the available extensions. In this bot in particular, cogs are defined inside extensions. -The `-d` option can be appended to the command to run in detached mode. -This runs the containers in the background so the current terminal session is available for use with other things. +Note that if you changed code that is not associated with a particular extension, such as utilities, converters, and constants, you will need to restart the bot. -### Site only +#### Adding new statistics -This method will start only the site using Docker. +Details on how to add new statistics can be found on the [statistic infrastructure page](https://blog.pythondiscord.com/statistics-infrastructure). +We are always open to more statistics so add as many as you can! -```shell -docker-compose up site -``` +--- -See [this section](#run-on-the-host) for how to start the bot on the host. +### Optional: Working with Redis +In [Configure the Bot](#configyml) you were asked to set `bot.redis.use_fakeredis` to `true`. If you do not need to work on features that rely on Redis, this is enough. Fakeredis will give the illusion that features relying on Redis are saving information properly, but restarting the bot or the specific cog will wipe that information. -### Bot only +If you are working on a feature that relies on Redis, you will need to enable Redis to make sure persistency is achieved for the feature across restarts. The first step towards that is going to `config.yml` and setting `bot.redis.use_fakeredis` to `false`. -This method will start only the bot using Docker. -The site has to have been started somehow beforehand. +#### Starting Redis in Docker (Recommended) +If you're using the Docker image provided in the project's Docker Compose, open your `config.yml` file. If you're running the bot in Docker, set `bot.redis.host` to `redis`, and if you're running it on the host set it to `localhost`. Set `bot.redis.password` to `null`. -Start the bot using Docker Compose while inside the root of the project directory: +#### Starting Redis Using Other Methods +You can run your own instance of Redis, but in that case you will need to correctly set `bot.redis.host` and `bot.redis.port`, and the `bot.redis.password` value in `config-default.yml` should not be overridden. Then, enter the `.env` file, and set `REDIS_PASSWORD` to whatever password you set. -```shell -docker-compose up --no-deps bot -``` +--- -## Run on the host +### Optional: Working with Metricity +[Metricity](https://github.com/python-discord/metricity) is our home-grown bot for collecting metrics on activity within the server, such as what users are  present, and IDs of the messages they've sent. +Certain features in the Python bot rely on querying the Metricity database for information such as the number of messages a user has sent, most notably the voice verification system. -Running on the host is particularly useful if you wish to debug the bot. -The site has to have been started somehow beforehand. +If you wish to work on a feature that relies on Metricity, for your convenience we've made the process of using it relatively painless with Docker: Enter the `.env` file you've written for the Python bot, and append the line `USE_METRICITY=true`. +Note that if you don't need Metricity, there's no reason to have it enabled as it is just unnecessary overhead. -```shell -poetry run task start +To make the Metricity bot work with your test server, you will need to override its configurations similarly to the Python bot. +You can see the various configurations in [the Metricity repo](https://github.com/python-discord/metricity), but the bare minimum is the guild ID setting. +In your local version of the Python bot repo, create a file called `metricity-config.toml` and insert the following lines: +```yaml +[bot] +guild_id = replace_with_your_guild_id  ``` +To properly replicate production behavior, set the `staff_role_id`, `staff_categories`, and `ignore_categories` fields as well. ---- -## Working with Git -Now that you have everything setup, it is finally time to make changes to the bot! -If you have not yet [read the contributing guidelines](../contributing-guidelines), now is a good time. -Contributions that do not adhere to the guidelines may be rejected. +Now, `docker-compose up` will also start Metricity. -Notably, version control of our projects is done using Git and Github. -It can be intimidating at first, so feel free to ask for any help in the server. +If you want to run the bot locally, you can run `docker-compose up metricity` instead. -[**Click here to see the basic Git workflow when contributing to one of our projects.**](../working-with-git/) +--- -## Adding new statistics +### Issues? +If you have any issues with setting up the bot, come discuss it with us on the [#dev-contrib](https://discord.gg/2h3qBv8Xaa) channel on our server. -Details on how to add new statistics can be found on the [statistic infrastructure page](https://blog.pythondiscord.com/statistics-infrastructure). -We are always open to more statistics so add as many as you can! +If you find any bugs in the bot or would like to request a feature, feel free to open an issue on the repository. -## Running tests +--- -[This section](https://github.com/python-discord/bot/blob/main/tests/README.md#tools) of the README in the `tests` repository will explain how to run tests. -The whole document explains how unittesting works, and how it fits in the context of our project. +### Appendix: Full ENV File Options +The following is a list of all available environment variables used by the bot: + +| Variable | Required | Description | +| -------- | -------- | -------- | +| `BOT_TOKEN` | Always | Your Discord bot account's token (see [Set Up a Bot Account](#set-up-a-bot-account)). | +| `BOT_API_KEY` | When running bot without Docker | Used to authenticate with the site's API. When using Docker to run the bot, this is automatically set. By default, the site will always have the API key shown in the example below. | +| `BOT_SENTRY_DSN` | When connecting the bot to sentry | The DSN of the sentry monitor. | +| `BOT_TRACE_LOGGERS ` | When you wish to see specific or all trace logs | Comma separated list that specifies which loggers emit trace logs through the listed names. If the ! prefix is used, all of the loggers except the listed ones are set to the trace level. If * is used, the root logger is set to the trace level. | +| `BOT_DEBUG` | In production | `true` or `false`, depending on whether to enable debug mode, affecting the behavior of certain features. `true` by default. +| `REDIS_PASSWORD` | When not using FakeRedis | The password to connect to the Redis database (see [Optional: Working with Redis](#optional-working-with-redis)). | +| `USE_METRICITY` | When using Metricity | `true` or `false`, depending on whether to enable metrics collection using Metricity (see [Optional: Working with Metricity](#optional-working-with-metricity)). `false` by default. | +| `GITHUB_API_KEY` | When you wish to interact with GitHub | The API key to interact with GitHub, for example to download files for the branding manager. +| `METABASE_USERNAME` | When you wish to interact with Metabase | The username for a Metabase admin account. +| `METABASE_PASSWORD` | When you wish to interact with Metabase | The password for a Metabase admin account.  Have fun! diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/contributing-guidelines/supplemental-information.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/contributing-guidelines/supplemental-information.md index 70d47563..e64e4fc6 100644 --- a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/contributing-guidelines/supplemental-information.md +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/contributing-guidelines/supplemental-information.md @@ -90,7 +90,7 @@ Our projects currently defines logging levels as follows, from lowest to highest  - **ERROR:** These events can cause a failure in a specific part of the application and require urgent attention.  - **CRITICAL:** These events can cause the whole application to fail and require immediate intervention. -Any logging above the **INFO** level will trigger a [Sentry](http://sentry.io) issue and alert the Core Developer team. +Any logging above the **INFO** level will trigger a [Sentry](https://sentry.io) issue and alert the Core Developer team.  ## Draft Pull Requests diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/creating-bot-account.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/creating-bot-account.md new file mode 100644 index 00000000..ee38baa3 --- /dev/null +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/creating-bot-account.md @@ -0,0 +1,17 @@ +--- +title: Setting up a Bot Account +description: How to set up a bot account. +icon: fab fa-discord +--- +1. Go to the [Discord Developers Portal](https://discordapp.com/developers/applications/). +2. Click on the `New Application` button, enter your desired bot name, and click `Create`. +3. In your new application, go to the `Bot` tab, click `Add Bot`, and confirm `Yes, do it!` +4. Change your bot's `Public Bot` setting off so only you can invite it, save, and then get your **Bot Token** with the `Copy` button. +> **Note:** **DO NOT** post your bot token anywhere public. If you do it can and will be compromised. +5. Save your **Bot Token** somewhere safe to use in the project settings later. +6. In the `General Information` tab, grab the **Client ID**. +7. Replace `<CLIENT_ID_HERE>` in the following URL and visit it in the browser to invite your bot to your new test server. +```plaintext +https://discordapp.com/api/oauth2/authorize?client_id=<CLIENT_ID_HERE>&permissions=8&scope=bot +``` +Optionally, you can generate your own invite url in the `OAuth` tab, after selecting `bot` as the scope. diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/hosts-file.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/hosts-file.md index 5d55a7f3..bba5722d 100644 --- a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/hosts-file.md +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/hosts-file.md @@ -8,16 +8,13 @@ toc: 3  # What's a hosts file?  The hosts file maps a hostname/domain to an IP address, allowing you to visit a given domain on your browser and have it resolve by your system to the given IP address, even if it's pointed back to your own system or network. -When staging a local [Site](https://pythondiscord.com/pages/contributing/site/) project, you will need to add some entries to your hosts file so you can visit the site with the domain `http://pythondiscord.local` +When staging a local [Site](https://pythondiscord.com/pages/contributing/site/) project, you may want to add an entries to your hosts file so you can visit the site with the domain `http://pythondiscord.local`. This is purely for convenience, and you can use `localhost` or `127.0.0.1` instead if you prefer.  # What to add -You would add the following entries to your hosts file. +You would add the following entry to your hosts file.  ```plaintext  127.0.0.1   pythondiscord.local -127.0.0.1   api.pythondiscord.local -127.0.0.1   staff.pythondiscord.local -127.0.0.1   admin.pythondiscord.local  ```  # How to add it diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/issues.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/issues.md index 9151e5e3..0c6d3513 100644 --- a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/issues.md +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/issues.md @@ -56,7 +56,7 @@ Definitely try to:  Labels allow us to better organise Issues by letting us view what type of Issue it is, how it might impact the codebase and at what stage it's at. -In our repositories, we try to prefix labels belonging to the same group, for example the label groups `status` or `type`.  We will be trying to keep to the same general structure across our project repositories, but just have a look at the full lables list in the respective repository to get a clear idea what's available. +In our repositories, we try to prefix labels belonging to the same group, for example the label groups `status` or `type`.  We will be trying to keep to the same general structure across our project repositories, but just have a look at the full labels list in the respective repository to get a clear idea what's available.  If you're a contributor, you can add relevant labels yourself to any new Issue ticket you create. diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/obtaining-discord-ids.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/obtaining-discord-ids.md new file mode 100644 index 00000000..afa07b5a --- /dev/null +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/obtaining-discord-ids.md @@ -0,0 +1,42 @@ +--- +title: Obtaining Discord IDs +description: How to obtain Discord IDs to set up the bots. +icon: fab fa-discord +--- +First, enable developer mode in your client so you can easily copy IDs. + +1. Go to your `User Settings` and click on the `Appearance` tab. +2. Under `Advanced`, enable `Developer Mode`. + +#### Guild ID + +Right click the server icon and click `Copy ID`. + +#### Channel ID + +Right click a channel name and click `Copy ID`. + +#### Role ID + +Right click a role and click `Copy ID`. +The easiest way to do this is by going to the role list in the guild's settings. + +#### Emoji ID + +Insert the emoji into the Discord text box, then add a backslash (`\`)  right before the emoji and send the message. +The result should be similar to the following + +```plaintext +<:bbmessage:511950877733552138> +``` + +The long number you see, in this case `511950877733552138`, is the emoji's ID. + +#### Webhook ID + +Once a [webhook](https://support.discordapp.com/hc/en-us/articles/228383668-Intro-to-Webhooks) is created, the ID is found in the penultimate part of the URL. +For example, in the following URL, `661995360146817053` is the ID of the webhook. + +```plaintext +https://discordapp.com/api/webhooks/661995360146817053/t-9mI2VehOGcPuPS_F8R-6mB258Ob6K7ifhtoxerCvWyM9VEQug-anUr4hCHzdbhzfbz +``` diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/sir-lancebot.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/sir-lancebot.md index 068b08ae..a0d3d463 100644 --- a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/sir-lancebot.md +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/sir-lancebot.md @@ -16,6 +16,15 @@ toc: 1      - [MacOS Installer](https://git-scm.com/download/mac) or `brew install git`      - [Linux](https://git-scm.com/download/linux) +## Using Gitpod +Sir Lancebot can be edited and tested on Gitpod. Gitpod will automatically install the correct dependencies and Python version, so you can get straight to coding. +To do this, you will need a Gitpod account, which you can get [here](https://www.gitpod.io/#get-started), and a fork of Sir Lancebot. This guide covers forking the repository [here](#fork-the-project). Afterwards, either click the button on Sir Lancebot's README or go to [https://gitpod.io/#/python-discord/sir-lancebot]() and run the following commands in the terminal: +```sh +git remote rename origin upstream +git add remote origin https://github.com/{your_username}/sir-lancebot +``` +Make sure you replace `{your_username}` with your Github username. These commands will set Python Discord as the parent repository, and your branch as the fork. This means you can easily grab new changes from the parent repository. Once you set your environment variables to test your code, you are ready to begin contributing to Sir Lancebot. +  ## Using Docker  Sir Lancebot can be started using Docker. Using Docker is generally recommended (but not strictly required) because it abstracts away some additional set up work. @@ -87,7 +96,7 @@ Otherwise, please see the below linked guide for Redis related variables.  ---  # Run the project -The sections below describe the two ways you can run this project. We recomend Docker as it requires less setup. +The sections below describe the two ways you can run this project. We recommend Docker as it requires less setup.  ## Run with Docker  Make sure to have Docker running, then use the Docker command `docker-compose up` in the project root. diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/sir-lancebot/env-var-reference.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/sir-lancebot/env-var-reference.md index 2a7ef0d6..51587aac 100644 --- a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/sir-lancebot/env-var-reference.md +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/sir-lancebot/env-var-reference.md @@ -26,7 +26,7 @@ Additionally, you may find the following environment variables useful during dev  | `BOT_DEBUG` | Debug mode of the bot | False |  | `PREFIX` | The bot's invocation prefix | `.` |  | `CYCLE_FREQUENCY` | Amount of days between cycling server icon | 3 | -| `MONTH_OVERRIDE` | Interger in range `[0, 12]`, overrides current month w.r.t. seasonal decorators | +| `MONTH_OVERRIDE` | Integer in range `[0, 12]`, overrides current month w.r.t. seasonal decorators |  | `REDIS_HOST` | The address to connect to for the Redis database. |  | `REDIS_PORT` | |  | `REDIS_PASSWORD` | | @@ -43,7 +43,7 @@ If you will be working with an external service, you might have to set one of th  | -------- | -------- |  | `GITHUB_TOKEN` | Personal access token for GitHub, raises rate limits from 60 to 5000 requests per hour. |  | `GIPHY_TOKEN` | Required for API access. [Docs](https://developers.giphy.com/docs/api) | -| `OMDB_API_KEY` | Required for API access. [Docs](http://www.omdbapi.com/) | +| `OMDB_API_KEY` | Required for API access. [Docs](https://www.omdbapi.com/) |  | `REDDIT_CLIENT_ID` | OAuth2 client ID for authenticating with the [reddit API](https://github.com/reddit-archive/reddit/wiki/OAuth2). |  | `REDDIT_SECRET` | OAuth2 secret for authenticating with the reddit API. *Leave empty if you're not using the reddit API.* |  | `REDDIT_WEBHOOK` | Webhook ID for Reddit channel | @@ -61,10 +61,10 @@ These variables might come in handy while working on certain cogs:  | Cog | Environment Variable | Description |  | -------- | -------- | -------- | -| Advent of Code | `AOC_LEADERBOARDS` | List of leaderboards seperated by `::`. Each entry should have an `id,session cookie,join code` seperated by commas in that order. | +| Advent of Code | `AOC_LEADERBOARDS` | List of leaderboards separated by `::`. Each entry should have an `id,session cookie,join code` separated by commas in that order. |  | Advent of Code | `AOC_STAFF_LEADERBOARD_ID` | Integer ID of the staff leaderboard. |  | Advent of Code | `AOC_ROLE_ID` | ID of the advent of code role. -| Advent of Code | `AOC_IGNORED_DAYS` | Comma seperated list of days to ignore while calulating score. | +| Advent of Code | `AOC_IGNORED_DAYS` | Comma separated list of days to ignore while calculating score. |  | Advent of Code | `AOC_YEAR` | Debug variable to change the year used for AoC. |  | Advent of Code | `AOC_CHANNEL_ID` | The ID of the #advent-of-code channel |  | Advent of Code | `AOC_COMMANDS_CHANNEL_ID` | The ID of the #advent-of-code-commands channel | diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/site.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/site.md index 24227f24..f2c3bd95 100644 --- a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/site.md +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/site.md @@ -43,7 +43,6 @@ For any Core Developers, since you have write permissions already to the origina  1. [Clone your fork to a local project directory](../cloning-repository/)  2. [Install the project's dependencies](../installing-project-dependencies/) -3. [Prepare your hosts file](../hosts-file/)  ## Without Docker @@ -84,7 +83,7 @@ detailed information about these settings.  #### Notes regarding `DATABASE_URL` -- If the database is hosted locally i.e. on the same machine as the webserver, then use `localhost` for the host. Windows and macOS users may need to use the [Docker host IP](../hosts-file/#windows) instead. +- If the database is hosted locally i.e. on the same machine as the webserver, then use `localhost` for the host. Windows and macOS users may need to use the [Docker host IP](https://stackoverflow.com/questions/22944631/how-to-get-the-ip-address-of-the-docker-host-from-inside-a-docker-container) instead.  - If the database is running in Docker, use port `7777`. Otherwise, use `5432` as that is the default port used by PostegreSQL.  - If you configured PostgreSQL in a different manner or you are not hosting it locally, then you will need to determine the correct host and port yourself.  The user, password, and database name should all still be `pysite` unless you deviated from the setup instructions in the previous section. @@ -109,7 +108,7 @@ If you get any Docker related errors, reference the [Possible Issues](https://py  ## Run on the host -Running on the host is particularily useful if you wish to debug the site. The [environment variables](#2-environment-variables) shown in a previous section need to have been configured. +Running on the host is particularly useful if you wish to debug the site. The [environment variables](#2-environment-variables) shown in a previous section need to have been configured.  ### Database @@ -145,7 +144,7 @@ Unless you are editing the Dockerfile or docker-compose.yml, you shouldn't need  Django provides an interface for administration with which you can view and edit the models among other things. -It can be found at [http://admin.pythondiscord.local:8000](http://admin.pythondiscord.local:8000). The default credentials are `admin` for the username and `admin` for the password. +It can be found at [http://127.0.0.1:8000/admin/](http://127.0.0.1:8000/admin/). The default credentials are `admin` for the username and `admin` for the password.  --- diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/working-with-git/cli.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/working-with-git/cli.md index 5f196837..94f94d57 100644 --- a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/working-with-git/cli.md +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/working-with-git/cli.md @@ -27,7 +27,7 @@ If you use SSH, use `[email protected]:python-discord/sir-lancebot.git` for the ups  You will be committing your changes to a new branch rather than to `main`.  Using branches allows you to work on muiltiple pull requests without conflicts. -You can name your branch whatever you want, but it's recommended to name it something succint and relevant to the changes you will be making. +You can name your branch whatever you want, but it's recommended to name it something succinct and relevant to the changes you will be making.  Run the following commands to create a new branch. Replace `branch_name` with the name you wish to give your branch.  ```sh diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/working-with-git/pycharm.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/working-with-git/pycharm.md index 3f7fefa0..e0b2e33c 100644 --- a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/working-with-git/pycharm.md +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/working-with-git/pycharm.md @@ -27,7 +27,7 @@ The following will use the [Sir-Lancebot](https://github.com/python-discord/sir-  ## Creating a New Branch  > You will be committing your changes to a new branch rather than to `main`. Using branches allows you to work on multiple pull requests at the same time without conflicts. -> You can name your branch whatever you want, but it's recommended to name it something succint and relevant to the changes you will be making. +> You can name your branch whatever you want, but it's recommended to name it something succinct and relevant to the changes you will be making.  > Before making new branches, be sure to checkout the `main` branch and ensure it's up to date. diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/helping-others.md b/pydis_site/apps/content/resources/guides/pydis-guides/helping-others.md index d126707d..a7f1ce1d 100644 --- a/pydis_site/apps/content/resources/guides/pydis-guides/helping-others.md +++ b/pydis_site/apps/content/resources/guides/pydis-guides/helping-others.md @@ -112,7 +112,7 @@ Presenting a solution that is considered a bad practice might be useful in certa  >     for i in range(len(your_list)):  >         print(your_list[i])  > -> The second replier gave a valid solution, but it's important that he clarifies that it is concidered a bad practice in Python, and that the first solution should usually be used in this case. +> The second replier gave a valid solution, but it's important that he clarifies that it is considered a bad practice in Python, and that the first solution should usually be used in this case.  ## It's OK to Step Away diff --git a/pydis_site/apps/content/resources/rules.md b/pydis_site/apps/content/resources/rules.md index 05d0e93a..ef6cc4d1 100644 --- a/pydis_site/apps/content/resources/rules.md +++ b/pydis_site/apps/content/resources/rules.md @@ -43,4 +43,7 @@ The possible actions we take based on infractions can include the following:  While we do discuss more serious matters internally before handing out a punishment, simpler infractions are dealt with directly by individual staffers and the punishment they hand out is left to their own discretion. -If you receive an infraction and would like to appeal it, send an e-mail to [[email protected]](mailto:[email protected]). +If you wish to appeal a decision or action taken by the moderation team, you can do so in one of the following ways: + +* By sending a direct message (DM) to ModMail from our Discord server. +* Joining our [ban appeals server](https://discord.gg/WXrCJxWBnm) and sending a direct message (DM) to the Ban Appeals bot. diff --git a/pydis_site/apps/content/tests/test_views.py b/pydis_site/apps/content/tests/test_views.py index b6e752d6..eadad7e3 100644 --- a/pydis_site/apps/content/tests/test_views.py +++ b/pydis_site/apps/content/tests/test_views.py @@ -167,11 +167,16 @@ class PageOrCategoryViewTests(MockPagesTestCase, SimpleTestCase, TestCase):          self.ViewClass.dispatch(request, location="category/subcategory/with_metadata")          context = self.ViewClass.get_context_data() + +        # Convert to paths to avoid dealing with non-standard path separators +        for item in context["breadcrumb_items"]: +            item["path"] = Path(item["path"]) +          self.assertEquals(              context["breadcrumb_items"],              [ -                {"name": PARSED_CATEGORY_INFO["title"], "path": "."}, -                {"name": PARSED_CATEGORY_INFO["title"], "path": "category"}, -                {"name": PARSED_CATEGORY_INFO["title"], "path": "category/subcategory"}, +                {"name": PARSED_CATEGORY_INFO["title"], "path": Path(".")}, +                {"name": PARSED_CATEGORY_INFO["title"], "path": Path("category")}, +                {"name": PARSED_CATEGORY_INFO["title"], "path": Path("category/subcategory")},              ]          ) diff --git a/pydis_site/apps/content/urls.py b/pydis_site/apps/content/urls.py index c11b222a..fe7c2852 100644 --- a/pydis_site/apps/content/urls.py +++ b/pydis_site/apps/content/urls.py @@ -1,9 +1,46 @@ -from django.urls import path +import typing +from pathlib import Path + +from django_distill import distill_path  from . import views  app_name = "content" + + +def __get_all_files(root: Path, folder: typing.Optional[Path] = None) -> list[str]: +    """Find all folders and markdown files recursively starting from `root`.""" +    if not folder: +        folder = root + +    results = [] + +    for item in folder.iterdir(): +        name = item.relative_to(root).__str__().replace("\\", "/") + +        if item.is_dir(): +            results.append(name) +            results.extend(__get_all_files(root, item)) +        else: +            path, extension = name.rsplit(".", maxsplit=1) +            if extension == "md": +                results.append(path) + +    return results + + +def get_all_pages() -> typing.Iterator[dict[str, str]]: +    """Yield a dict of all pag categories.""" +    for location in __get_all_files(Path("pydis_site", "apps", "content", "resources")): +        yield {"location": location} + +  urlpatterns = [ -    path("", views.PageOrCategoryView.as_view(), name='pages'), -    path("<path:location>/", views.PageOrCategoryView.as_view(), name='page_category'), +    distill_path("", views.PageOrCategoryView.as_view(), name='pages'), +    distill_path( +        "<path:location>/", +        views.PageOrCategoryView.as_view(), +        name='page_category', +        distill_func=get_all_pages +    ),  ] diff --git a/pydis_site/apps/events/tests/test_views.py b/pydis_site/apps/events/tests/test_views.py index 23c9e596..669fbf82 100644 --- a/pydis_site/apps/events/tests/test_views.py +++ b/pydis_site/apps/events/tests/test_views.py @@ -2,7 +2,7 @@ from pathlib import Path  from django.conf import settings  from django.test import TestCase, override_settings -from django_hosts.resolvers import reverse +from django.urls import reverse  PAGES_PATH = Path(settings.BASE_DIR, "pydis_site", "templates", "events", "test-pages") @@ -21,8 +21,8 @@ class PageTests(TestCase):      def test_valid_event_page_reponse_200(self):          """Should return response code 200 when visiting valid event page."""          pages = ( -            reverse("events:page", ("my-event",)), -            reverse("events:page", ("my-event/subpage",)), +            reverse("events:page", args=("my-event",)), +            reverse("events:page", args=("my-event/subpage",)),          )          for page in pages:              with self.subTest(page=page): @@ -33,8 +33,8 @@ class PageTests(TestCase):      def test_invalid_event_page_404(self):          """Should return response code 404 when visiting invalid event page."""          pages = ( -            reverse("events:page", ("invalid",)), -            reverse("events:page", ("invalid/invalid",)) +            reverse("events:page", args=("invalid",)), +            reverse("events:page", args=("invalid/invalid",))          )          for page in pages:              with self.subTest(page=page): diff --git a/pydis_site/apps/events/urls.py b/pydis_site/apps/events/urls.py index 9a65cf1f..7ea65a31 100644 --- a/pydis_site/apps/events/urls.py +++ b/pydis_site/apps/events/urls.py @@ -1,9 +1,38 @@ -from django.urls import path +import typing +from pathlib import Path + +from django_distill import distill_path  from pydis_site.apps.events.views import IndexView, PageView  app_name = "events" + + +def __get_all_files(root: Path, folder: typing.Optional[Path] = None) -> list[str]: +    """Find all folders and HTML files recursively starting from `root`.""" +    if not folder: +        folder = root + +    results = [] + +    for sub_folder in folder.iterdir(): +        results.append( +            sub_folder.relative_to(root).__str__().replace("\\", "/").replace(".html", "") +        ) + +        if sub_folder.is_dir(): +            results.extend(__get_all_files(root, sub_folder)) + +    return results + + +def get_all_events() -> typing.Iterator[dict[str, str]]: +    """Yield a dict of all event pages.""" +    for file in __get_all_files(Path("pydis_site", "templates", "events", "pages")): +        yield {"path": file} + +  urlpatterns = [ -    path("", IndexView.as_view(), name="index"), -    path("<path:path>/", PageView.as_view(), name="page"), +    distill_path("", IndexView.as_view(), name="index"), +    distill_path("<path:path>/", PageView.as_view(), name="page", distill_func=get_all_events),  ] diff --git a/pydis_site/apps/home/tests/mock_github_api_response.json b/pydis_site/apps/home/tests/mock_github_api_response.json index ddbffed8..3b0a7078 100644 --- a/pydis_site/apps/home/tests/mock_github_api_response.json +++ b/pydis_site/apps/home/tests/mock_github_api_response.json @@ -21,7 +21,7 @@      "forks_count": 31    },    { -    "full_name": "python-discord/django-simple-bulma", +    "full_name": "python-discord/king-arthur",      "description": "test",      "stargazers_count": 97,      "language": "Python", diff --git a/pydis_site/apps/home/tests/test_views.py b/pydis_site/apps/home/tests/test_views.py index bd1671b1..b1215df4 100644 --- a/pydis_site/apps/home/tests/test_views.py +++ b/pydis_site/apps/home/tests/test_views.py @@ -1,10 +1,10 @@  from django.test import TestCase -from django_hosts.resolvers import reverse +from django.urls import reverse  class TestIndexReturns200(TestCase):      def test_index_returns_200(self):          """Check that the index page returns a HTTP 200 response.""" -        url = reverse('home') +        url = reverse('home:home')          resp = self.client.get(url)          self.assertEqual(resp.status_code, 200) diff --git a/pydis_site/apps/home/urls.py b/pydis_site/apps/home/urls.py index 1e2af8f3..30321ece 100644 --- a/pydis_site/apps/home/urls.py +++ b/pydis_site/apps/home/urls.py @@ -1,15 +1,9 @@ -from django.contrib import admin -from django.urls import include, path +from django_distill import distill_path  from .views import HomeView, timeline  app_name = 'home'  urlpatterns = [ -    path('', HomeView.as_view(), name='home'), -    path('', include('pydis_site.apps.redirect.urls')), -    path('admin/', admin.site.urls), -    path('resources/', include('pydis_site.apps.resources.urls')), -    path('pages/', include('pydis_site.apps.content.urls')), -    path('events/', include('pydis_site.apps.events.urls', namespace='events')), -    path('timeline/', timeline, name="timeline"), +    distill_path('', HomeView.as_view(), name='home'), +    distill_path('timeline/', timeline, name="timeline"),  ] diff --git a/pydis_site/apps/home/views/home.py b/pydis_site/apps/home/views/home.py index 0f26cef3..e28a3a00 100644 --- a/pydis_site/apps/home/views/home.py +++ b/pydis_site/apps/home/views/home.py @@ -8,8 +8,9 @@ from django.shortcuts import render  from django.utils import timezone  from django.views import View +from pydis_site import settings  from pydis_site.apps.home.models import RepositoryMetadata -from pydis_site.constants import GITHUB_TOKEN +from pydis_site.constants import GITHUB_TOKEN, TIMEOUT_PERIOD  log = logging.getLogger(__name__) @@ -27,12 +28,15 @@ class HomeView(View):          "python-discord/snekbox",          "python-discord/sir-lancebot",          "python-discord/metricity", -        "python-discord/django-simple-bulma", +        "python-discord/king-arthur",      ]      def __init__(self):          """Clean up stale RepositoryMetadata.""" -        RepositoryMetadata.objects.exclude(repo_name__in=self.repos).delete() +        self._static_build = settings.env("STATIC_BUILD") + +        if not self._static_build: +            RepositoryMetadata.objects.exclude(repo_name__in=self.repos).delete()          # If no token is defined (for example in local development), then          # it does not make sense to pass the Authorization header. More @@ -51,9 +55,16 @@ class HomeView(View):          If we're unable to get that info for any reason, return an empty dict.          """          repo_dict = {} - -        # Fetch the data from the GitHub API -        api_data: List[dict] = requests.get(self.github_api, headers=self.headers).json() +        try: +            # Fetch the data from the GitHub API +            api_data: List[dict] = requests.get( +                self.github_api, +                headers=self.headers, +                timeout=TIMEOUT_PERIOD +            ).json() +        except requests.exceptions.Timeout: +            log.error("Request to fetch GitHub repository metadata for timed out!") +            return repo_dict          # Process the API data into our dict          for repo in api_data: @@ -84,10 +95,13 @@ class HomeView(View):      def _get_repo_data(self) -> List[RepositoryMetadata]:          """Build a list of RepositoryMetadata objects that we can use to populate the front page."""          # First off, load the timestamp of the least recently updated entry. -        last_update = ( -            RepositoryMetadata.objects.values_list("last_updated", flat=True) -            .order_by("last_updated").first() -        ) +        if self._static_build: +            last_update = None +        else: +            last_update = ( +                RepositoryMetadata.objects.values_list("last_updated", flat=True) +                .order_by("last_updated").first() +            )          # If we did not retrieve any results here, we should import them!          if last_update is None: @@ -97,7 +111,7 @@ class HomeView(View):              api_repositories = self._get_api_data()              # Create all the repodata records in the database. -            return RepositoryMetadata.objects.bulk_create( +            data = [                  RepositoryMetadata(                      repo_name=api_data["full_name"],                      description=api_data["description"], @@ -106,7 +120,12 @@ class HomeView(View):                      language=api_data["language"],                  )                  for api_data in api_repositories.values() -            ) +            ] + +            if settings.env("STATIC_BUILD"): +                return data +            else: +                return RepositoryMetadata.objects.bulk_create(data)          # If the data is stale, we should refresh it.          if (timezone.now() - last_update).seconds > self.repository_cache_ttl: diff --git a/pydis_site/apps/redirect/tests.py b/pydis_site/apps/redirect/tests.py index 2cfa3478..c181d6e5 100644 --- a/pydis_site/apps/redirect/tests.py +++ b/pydis_site/apps/redirect/tests.py @@ -31,7 +31,7 @@ class RedirectTests(TestCase):              ):                  resp = self.client.get(                      reverse( -                        f"home:redirect:{name}", +                        f"redirect:{name}",                          args=TESTING_ARGUMENTS.get(name, ())                      ),                      follow=True @@ -53,7 +53,7 @@ class RedirectTests(TestCase):                  self.assertRedirects(                      resp,                      reverse( -                        f"home:{data['redirect_route']}", +                        f"{data['redirect_route']}",                          args=expected_args                      ),                      status_code=301 diff --git a/pydis_site/apps/resources/resources/communities/panda3d.yaml b/pydis_site/apps/resources/resources/communities/panda3d.yaml index 4235793d..47797882 100644 --- a/pydis_site/apps/resources/resources/communities/panda3d.yaml +++ b/pydis_site/apps/resources/resources/communities/panda3d.yaml @@ -1,6 +1,6 @@  description: Panda3D is a Python-focused 3-D framework for rapid development of games,    visualizations, and simulations, written in C++ with an emphasis on performance and flexibility. -title_image: http://www.panda3d.org/wp-content/uploads/2019/01/panda3d_logo.png +title_image: https://www.panda3d.org/wp-content/uploads/2019/01/panda3d_logo.png  title_url: https://discord.gg/9XsucTT  position: 9  urls: diff --git a/pydis_site/apps/resources/resources/reading/books/byte_of_python.yaml b/pydis_site/apps/resources/resources/reading/books/byte_of_python.yaml index 1f9642ad..2530c1a4 100644 --- a/pydis_site/apps/resources/resources/reading/books/byte_of_python.yaml +++ b/pydis_site/apps/resources/resources/reading/books/byte_of_python.yaml @@ -8,7 +8,7 @@ urls:    url: https://python.swaroopch.com/    color: teal  - icon: regular/book -  url: http://www.lulu.com/shop/swaroop-c-h/a-byte-of-python/paperback/product-21142968.html +  url: https://www.lulu.com/shop/swaroop-c-h/a-byte-of-python/paperback/product-21142968.html    color: black  - icon: branding/amazon    url: https://www.amazon.com/Byte-Python-Swaroop-C-H-ebook/dp/B00FJ7S2JU/ diff --git a/pydis_site/apps/resources/resources/reading/books/flask_web_development.yaml b/pydis_site/apps/resources/resources/reading/books/flask_web_development.yaml index cc83a331..d191f02d 100644 --- a/pydis_site/apps/resources/resources/reading/books/flask_web_development.yaml +++ b/pydis_site/apps/resources/resources/reading/books/flask_web_development.yaml @@ -4,7 +4,7 @@ name: Flask Web Development  position: 6  urls:  - icon: regular/link -  url: http://shop.oreilly.com/product/0636920031116.do +  url: https://shop.oreilly.com/product/0636920031116.do    color: teal  - icon: branding/amazon    url: https://www.amazon.com/Flask-Web-Development-Developing-Applications/dp/1449372627 diff --git a/pydis_site/apps/resources/resources/reading/books/python_cookbook.yaml b/pydis_site/apps/resources/resources/reading/books/python_cookbook.yaml index 032f8c64..c939ab9e 100644 --- a/pydis_site/apps/resources/resources/reading/books/python_cookbook.yaml +++ b/pydis_site/apps/resources/resources/reading/books/python_cookbook.yaml @@ -4,7 +4,7 @@ name: Python Cookbook  position: 8  urls:  - icon: regular/link -  url: http://shop.oreilly.com/product/0636920027072.do +  url: https://shop.oreilly.com/product/0636920027072.do    color: teal  - icon: branding/amazon    url: https://www.amazon.com/Python-Cookbook-Third-David-Beazley/dp/1449340377 diff --git a/pydis_site/apps/resources/resources/reading/tutorials/simple_guide_to_git.yaml b/pydis_site/apps/resources/resources/reading/tutorials/simple_guide_to_git.yaml index a505715d..9d151bf9 100644 --- a/pydis_site/apps/resources/resources/reading/tutorials/simple_guide_to_git.yaml +++ b/pydis_site/apps/resources/resources/reading/tutorials/simple_guide_to_git.yaml @@ -1,6 +1,6 @@  description: A simple, no-nonsense guide to the basics of using Git.  name: A Simple Guide to Git -title_url: http://rogerdudler.github.io/git-guide/ +title_url: https://rogerdudler.github.io/git-guide/  title_icon: branding/github  title_icon_color: black  position: 4 diff --git a/pydis_site/apps/resources/resources/tools/ides/thonny.yaml b/pydis_site/apps/resources/resources/tools/ides/thonny.yaml index 3581e1cd..d7f03a74 100644 --- a/pydis_site/apps/resources/resources/tools/ides/thonny.yaml +++ b/pydis_site/apps/resources/resources/tools/ides/thonny.yaml @@ -1,4 +1,4 @@ -description: A Python IDE specifially aimed at learning programming. Has a lot of +description: A Python IDE specifically aimed at learning programming. Has a lot of    helpful features to help you understand your code.  name: Thonny  title_url: https://thonny.org/ diff --git a/pydis_site/apps/resources/resources/videos/microsoft.yaml b/pydis_site/apps/resources/resources/videos/microsoft.yaml index 720ee202..3ceaa1a2 100644 --- a/pydis_site/apps/resources/resources/videos/microsoft.yaml +++ b/pydis_site/apps/resources/resources/videos/microsoft.yaml @@ -7,7 +7,7 @@ description: A trove of tutorials & guides for developers from Microsoft's Devel    </ul>    Microsoft's Python Development Team also runs a Discord Server for discussions of Python in the Microsoft ecosystem,    including Visual Studio Code and Azure. -title_image: http://img-prod-cms-rt-microsoft-com.akamaized.net/cms/api/am/imageFileData/RE2qVsJ?ver=3f74 +title_image: https://img-prod-cms-rt-microsoft-com.akamaized.net/cms/api/am/imageFileData/RE2qVsJ?ver=3f74  position: 4  urls:    - icon: branding/youtube diff --git a/pydis_site/apps/resources/tests/test_views.py b/pydis_site/apps/resources/tests/test_views.py index 53685eef..3ad0b958 100644 --- a/pydis_site/apps/resources/tests/test_views.py +++ b/pydis_site/apps/resources/tests/test_views.py @@ -3,7 +3,7 @@ from unittest.mock import patch  from django.conf import settings  from django.test import TestCase -from django_hosts import reverse +from django.urls import reverse  TESTING_RESOURCES_PATH = Path(      settings.BASE_DIR, "pydis_site", "apps", "resources", "tests", "testing_resources" @@ -22,13 +22,13 @@ class TestResourcesListView(TestCase):      @patch("pydis_site.apps.resources.views.resources_list.RESOURCES_PATH", TESTING_RESOURCES_PATH)      def test_valid_resource_list_200(self):          """Check does site return code 200 when visiting valid resource list.""" -        url = reverse("resources:resources", ("testing",)) +        url = reverse("resources:resources", args=("testing",))          response = self.client.get(url)          self.assertEqual(response.status_code, 200)      @patch("pydis_site.apps.resources.views.resources_list.RESOURCES_PATH", TESTING_RESOURCES_PATH)      def test_invalid_resource_list_404(self):          """Check does site return code 404 when trying to visit invalid resource list.""" -        url = reverse("resources:resources", ("invalid",)) +        url = reverse("resources:resources", args=("invalid",))          response = self.client.get(url)          self.assertEqual(response.status_code, 404) diff --git a/pydis_site/apps/resources/urls.py b/pydis_site/apps/resources/urls.py index 19142081..10eda132 100644 --- a/pydis_site/apps/resources/urls.py +++ b/pydis_site/apps/resources/urls.py @@ -1,9 +1,25 @@ -from django.urls import path +import typing +from pathlib import Path + +from django_distill import distill_path  from pydis_site.apps.resources import views  app_name = "resources" + + +def get_all_resources() -> typing.Iterator[dict[str, str]]: +    """Yield a dict of all resource categories.""" +    for category in Path("pydis_site", "apps", "resources", "resources").iterdir(): +        yield {"category": category.name} + +  urlpatterns = [ -    path("", views.ResourcesView.as_view(), name="index"), -    path("<str:category>/", views.ResourcesListView.as_view(), name="resources") +    distill_path("", views.ResourcesView.as_view(), name="index"), +    distill_path( +        "<str:category>/", +        views.ResourcesListView.as_view(), +        name="resources", +        distill_func=get_all_resources +    ),  ] diff --git a/pydis_site/apps/staff/tests/test_logs_view.py b/pydis_site/apps/staff/tests/test_logs_view.py index 00e0ab2f..45e9ce8f 100644 --- a/pydis_site/apps/staff/tests/test_logs_view.py +++ b/pydis_site/apps/staff/tests/test_logs_view.py @@ -1,6 +1,6 @@ -from django.test import Client, TestCase +from django.test import TestCase +from django.urls import reverse  from django.utils import timezone -from django_hosts.resolvers import reverse, reverse_host  from pydis_site.apps.api.models.bot import DeletedMessage, MessageDeletionContext, Role, User  from pydis_site.apps.staff.templatetags.deletedmessage_filters import hex_colour @@ -105,22 +105,18 @@ class TestLogsView(TestCase):              deletion_context=cls.deletion_context,          ) -    def setUp(self): -        """Sets up a test client that automatically sets the correct HOST header.""" -        self.client = Client(HTTP_HOST=reverse_host(host="staff")) -      def test_logs_returns_200_for_existing_logs_pk(self): -        url = reverse('logs', host="staff", args=(self.deletion_context.id,)) +        url = reverse('staff:logs', args=(self.deletion_context.id,))          response = self.client.get(url)          self.assertEqual(response.status_code, 200)      def test_logs_returns_404_for_nonexisting_logs_pk(self): -        url = reverse('logs', host="staff", args=(self.deletion_context.id + 100,)) +        url = reverse('staff:logs', args=(self.deletion_context.id + 100,))          response = self.client.get(url)          self.assertEqual(response.status_code, 404)      def test_author_color_is_set_in_response(self): -        url = reverse('logs', host="staff", args=(self.deletion_context.id,)) +        url = reverse('staff:logs', args=(self.deletion_context.id,))          response = self.client.get(url)          role_colour = hex_colour(self.developers_role.colour)          html_needle = ( @@ -129,7 +125,7 @@ class TestLogsView(TestCase):          self.assertInHTML(html_needle, response.content.decode())      def test_correct_messages_have_been_passed_to_template(self): -        url = reverse('logs', host="staff", args=(self.deletion_context.id,)) +        url = reverse('staff:logs', args=(self.deletion_context.id,))          response = self.client.get(url)          self.assertIn("messages", response.context)          self.assertListEqual( @@ -138,7 +134,7 @@ class TestLogsView(TestCase):          )      def test_if_both_embeds_are_included_html_response(self): -        url = reverse('logs', host="staff", args=(self.deletion_context.id,)) +        url = reverse('staff:logs', args=(self.deletion_context.id,))          response = self.client.get(url)          html_response = response.content.decode() @@ -151,7 +147,7 @@ class TestLogsView(TestCase):          self.assertInHTML(embed_colour_needle.format(colour=embed_two_colour), html_response)      def test_if_both_attachments_are_included_html_response(self): -        url = reverse('logs', host="staff", args=(self.deletion_context.id,)) +        url = reverse('staff:logs', args=(self.deletion_context.id,))          response = self.client.get(url)          html_response = response.content.decode() @@ -166,7 +162,7 @@ class TestLogsView(TestCase):          )      def test_if_html_in_content_is_properly_escaped(self): -        url = reverse('logs', host="staff", args=(self.deletion_context.id,)) +        url = reverse('staff:logs', args=(self.deletion_context.id,))          response = self.client.get(url)          html_response = response.content.decode() diff --git a/pydis_site/constants.py b/pydis_site/constants.py index e6a63d12..e913f40f 100644 --- a/pydis_site/constants.py +++ b/pydis_site/constants.py @@ -2,3 +2,5 @@ import os  GIT_SHA = os.environ.get("GIT_SHA", "development")  GITHUB_TOKEN = os.environ.get("GITHUB_TOKEN") +# How long to wait for synchronous requests before timing out +TIMEOUT_PERIOD = int(os.environ.get("TIMEOUT_PERIOD", 5)) diff --git a/pydis_site/hosts.py b/pydis_site/hosts.py deleted file mode 100644 index 5a837a8b..00000000 --- a/pydis_site/hosts.py +++ /dev/null @@ -1,13 +0,0 @@ -from django.conf import settings -from django_hosts import host, patterns - -host_patterns = patterns( -    '', -    host(r'admin', 'pydis_site.apps.admin.urls', name="admin"), -    # External API ingress (over the net) -    host(r'api', 'pydis_site.apps.api.urls', name='api'), -    # Internal API ingress (cluster local) -    host(r'pydis-api', 'pydis_site.apps.api.urls', name='internal_api'), -    host(r'staff', 'pydis_site.apps.staff.urls', name='staff'), -    host(r'.*', 'pydis_site.apps.home.urls', name=settings.DEFAULT_HOST) -) diff --git a/pydis_site/settings.py b/pydis_site/settings.py index 7df7ad85..d38c298b 100644 --- a/pydis_site/settings.py +++ b/pydis_site/settings.py @@ -14,6 +14,7 @@ import os  import secrets  import sys  from pathlib import Path +from socket import gethostbyname, gethostname  import environ  import sentry_sdk @@ -23,7 +24,9 @@ from pydis_site.constants import GIT_SHA  env = environ.Env(      DEBUG=(bool, False), -    SITE_DSN=(str, "") +    SITE_DSN=(str, ""), +    BUILDING_DOCKER=(bool, False), +    STATIC_BUILD=(bool, False),  )  sentry_sdk.init( @@ -53,20 +56,24 @@ else:      ALLOWED_HOSTS = env.list(          'ALLOWED_HOSTS',          default=[ +            'www.pythondiscord.com',              'pythondiscord.com', -            'admin.pythondiscord.com', -            'api.pythondiscord.com', -            'staff.pythondiscord.com', -            'pydis-api.default.svc.cluster.local', -        ] +            gethostname(), +            gethostbyname(gethostname()), +            'site.default.svc.cluster.local', +        ],      )      SECRET_KEY = env('SECRET_KEY')  # Application definition -INSTALLED_APPS = [ +NON_STATIC_APPS = [      'pydis_site.apps.api', -    'pydis_site.apps.home',      'pydis_site.apps.staff', +] if not env("STATIC_BUILD") else [] + +INSTALLED_APPS = [ +    *NON_STATIC_APPS, +    'pydis_site.apps.home',      'pydis_site.apps.resources',      'pydis_site.apps.content',      'pydis_site.apps.events', @@ -80,15 +87,24 @@ INSTALLED_APPS = [      'django.contrib.sites',      'django.contrib.staticfiles', -    'django_hosts',      'django_filters',      'django_simple_bulma',      'rest_framework', -    'rest_framework.authtoken' +    'rest_framework.authtoken', + +    'django_distill',  ] +if not env("BUILDING_DOCKER"): +    INSTALLED_APPS.append("django_prometheus") + +NON_STATIC_MIDDLEWARE = [ +    'django_prometheus.middleware.PrometheusBeforeMiddleware', +] if not env("STATIC_BUILD") else [] + +# Ensure that Prometheus middlewares are first and last here.  MIDDLEWARE = [ -    'django_hosts.middleware.HostsRequestMiddleware', +    *NON_STATIC_MIDDLEWARE,      'django.middleware.security.SecurityMiddleware',      'whitenoise.middleware.WhiteNoiseMiddleware', @@ -99,8 +115,9 @@ MIDDLEWARE = [      'django.contrib.messages.middleware.MessageMiddleware',      'django.middleware.clickjacking.XFrameOptionsMiddleware', -    'django_hosts.middleware.HostsResponseMiddleware', +    'django_prometheus.middleware.PrometheusAfterMiddleware'  ] +  ROOT_URLCONF = 'pydis_site.urls'  TEMPLATES = [ @@ -109,10 +126,6 @@ TEMPLATES = [          'DIRS': [os.path.join(BASE_DIR, 'pydis_site', 'templates')],          'APP_DIRS': True,          'OPTIONS': { -            'builtins': [ -                'django_hosts.templatetags.hosts_override', -            ], -              'context_processors': [                  'django.template.context_processors.debug',                  'django.template.context_processors.request', @@ -132,7 +145,7 @@ WSGI_APPLICATION = 'pydis_site.wsgi.application'  DATABASES = {      'default': env.db(),      'metricity': env.db('METRICITY_DB_URL'), -} +} if not env("STATIC_BUILD") else {}  # Password validation  # https://docs.djangoproject.com/en/2.1/ref/settings/#auth-password-validators @@ -174,11 +187,6 @@ STATICFILES_FINDERS = [      'django_simple_bulma.finders.SimpleBulmaFinder',  ] -# django-hosts -# https://django-hosts.readthedocs.io/en/latest/ -ROOT_HOSTCONF = 'pydis_site.hosts' -DEFAULT_HOST = 'home' -  if DEBUG:      PARENT_HOST = env('PARENT_HOST', default='pythondiscord.local:8000') @@ -190,7 +198,7 @@ else:      PARENT_HOST = env('PARENT_HOST', default='pythondiscord.com')  # Django REST framework -# http://www.django-rest-framework.org +# https://www.django-rest-framework.org  REST_FRAMEWORK = {      'DEFAULT_AUTHENTICATION_CLASSES': (          'rest_framework.authentication.TokenAuthentication', diff --git a/pydis_site/static/css/content/page.css b/pydis_site/static/css/content/page.css index d831f86d..2d4bd325 100644 --- a/pydis_site/static/css/content/page.css +++ b/pydis_site/static/css/content/page.css @@ -77,3 +77,16 @@ ul.menu-list.toc {  li img {      margin-top: 0.5em;  } + +.collapsible { +  cursor: pointer; +  width: 100%; +  border: none; +  outline: none; +} + +.collapsible-content { +  overflow: hidden; +  max-height: 0; +  transition: max-height 0.2s ease-out; +} diff --git a/pydis_site/static/css/home/index.css b/pydis_site/static/css/home/index.css index ee6f6e4c..7ec8af74 100644 --- a/pydis_site/static/css/home/index.css +++ b/pydis_site/static/css/home/index.css @@ -215,12 +215,20 @@ h1 {  }  #sponsors .columns { +    display: block;      justify-content: center;      margin: auto;      max-width: 80%;  } +#sponsors a { +    margin: auto; +    display: inline-block; +} +  #sponsors img { -    height: 5rem; -    margin: auto 1rem; +    width: auto; +    height: auto; + +    max-height: 5rem;  } diff --git a/pydis_site/static/images/content/contributing/pycharm_run_module.png b/pydis_site/static/images/content/contributing/pycharm_run_module.pngBinary files differ new file mode 100644 index 00000000..c5030519 --- /dev/null +++ b/pydis_site/static/images/content/contributing/pycharm_run_module.png diff --git a/pydis_site/static/images/sponsors/netlify.png b/pydis_site/static/images/sponsors/netlify.pngBinary files differ new file mode 100644 index 00000000..0f14f385 --- /dev/null +++ b/pydis_site/static/images/sponsors/netlify.png diff --git a/pydis_site/static/js/content/page.js b/pydis_site/static/js/content/page.js new file mode 100644 index 00000000..366a033c --- /dev/null +++ b/pydis_site/static/js/content/page.js @@ -0,0 +1,13 @@ +document.addEventListener("DOMContentLoaded", () => { +    const headers = document.getElementsByClassName("collapsible"); +    for (const header of headers) { +        header.addEventListener("click", () => { +            var content = header.nextElementSibling; +            if (content.style.maxHeight){ +              content.style.maxHeight = null; +            } else { +              content.style.maxHeight = content.scrollHeight + "px"; +            } +        }); +    } +}); diff --git a/pydis_site/templates/base/navbar.html b/pydis_site/templates/base/navbar.html index d7cb49b2..4b68dd6c 100644 --- a/pydis_site/templates/base/navbar.html +++ b/pydis_site/templates/base/navbar.html @@ -44,7 +44,7 @@        </a>        {# Patreon #} -      <a class="navbar-item" href="http://patreon.com/python_discord"> +      <a class="navbar-item" href="https://patreon.com/python_discord">          <span class="icon is-size-4 is-medium"><i class="fab fa-patreon"></i></span>          <span> Patreon</span>        </a> @@ -79,7 +79,7 @@            <a class="navbar-item" href="{% url "content:page_category" location="frequently-asked-questions" %}">              FAQ            </a> -          <a class="navbar-item" href="{% url 'timeline' %}"> +          <a class="navbar-item" href="{% url 'home:timeline' %}">              Timeline            </a>            <a class="navbar-item" href="{% url "content:page_category" location="rules" %}"> diff --git a/pydis_site/templates/content/base.html b/pydis_site/templates/content/base.html index 21895479..00f4fce4 100644 --- a/pydis_site/templates/content/base.html +++ b/pydis_site/templates/content/base.html @@ -7,6 +7,7 @@      <meta property="og:type" content="website" />      <meta property="og:description" content="{{ page_description }}" />      <link rel="stylesheet" href="{% static "css/content/page.css" %}"> +    <script src="{% static "js/content/page.js" %}"></script>  {% endblock %}  {% block content %} diff --git a/pydis_site/templates/events/index.html b/pydis_site/templates/events/index.html index daad1c9c..158ec56b 100644 --- a/pydis_site/templates/events/index.html +++ b/pydis_site/templates/events/index.html @@ -9,58 +9,34 @@  {% block event_content %}      <div class="box">          <h2 class="title is-4">Code Jams</h2> -        <div class="notification is-success"> -            The 2021 Summer Code Jam qualifier will open June 21st. Check out the details <a href="{% url "events:page" path="code-jams/8" %}">here</a>. -        </div> -        <p>Each year, we organize a Winter Code Jam and a Summer Code Jam. During these events, members of our community will work together in teams to create something amazing using a technology we picked for them. One such technology that was picked for the Winter Code Jam 2020 was Kivy, a cross-platform GUI framework.</p> -        <p>To help fuel the creative process, we provide a specific theme, like <strong>Ancient Technology</strong> or <strong>This App Hates You</strong>. At the end of the Code Jam, the projects are judged by Python Discord server staff members and guest judges from the larger Python community. The judges will consider creativity, code quality, teamwork, and adherence to the theme.</p> +        <p>Each year, we organize at least one code jam, one during the summer and sometimes one during the winter. During these events, members of our community will work together in teams to create something amazing using a technology we picked for them. One such technology that was picked for the Summer 2021 Code Jam was text user interfaces (TUIS), where teams could pick from a pre-approved list of frameworks.</p> +        <p>To help fuel the creative process, we provide a specific theme, like <strong>Think Inside the Box</strong> or <strong>Early Internet</strong>. At the end of the Code Jam, the projects are judged by Python Discord server staff members and guest judges from the larger Python community. The judges will consider creativity, code quality, teamwork, and adherence to the theme.</p>          <p>If you want to read more about Code Jams, visit our <a href="{% url "events:page" path="code-jams" %}">Code Jam info page</a> or watch this video showcasing the best projects created during the <strong>Winter Code Jam 2020: Ancient Technology</strong>:</p>          <iframe width="560" height="315" src="https://www.youtube.com/embed/8fbZsGrqBzo" frameborder="0" allow="accelerometer; autoplay; encrypted-media; gyroscope; picture-in-picture" allowfullscreen=""></iframe>      </div>      <div class="box"> -        <h2 class="title is-4">Game Jam</h2> +        <h2 class="title is-4">PyWeek</h2>          <div class="columns is-3" style="--columnGap: 0.75rem;">              <div class="column">                  <p> -                    The Game Jam is similar to our Code Jams, but smaller in scope. Instead of having to complete a qualifier -                    and being teamed up with random strangers, members of our community can just sign-up individually or pair up -                    with whoever they like. -                </p> -                <p> -                    The participants will have ten days to create a game using the technology we've selected, and drawing -                    inspiration from a provided theme. After the event, a panel of judges will play all the games and select a -                    winner. The top 5 will featured in a special video on our <a href="https://www.youtube.com/channel/UCQsrA4xo6jvdgsJZhKaBL6w">YouTube channel</a>. -                </p> -                <p> -                    The <a class="has-text-link" href="{% url "events:page" path="game-jams/2020" %}">first edition of the Game Jam</a> ran from -                    <strong>April 17, 2020 to April 26, 2020</strong>. +                    For the past 15 years, <a href="https://pyweek.org" target="_blank" rel="noopener">PyWeek</a> has been running a bi-annual game jam for the +                    Python language. As of 2020, we are excited to say we are officially partnered with PyWeek to co-run these +                    events.                  </p> -            </div> -            <div class="column is-3"> -                <img src="https://user-images.githubusercontent.com/33516116/77593036-5fb09780-6eeb-11ea-9feb-336b2e5e23de.png" style="border-radius: 10px;" alt=""> -            </div> -        </div> -    </div> - -    <div class="box"> -        <h2 class="title is-4">Hacktoberfest</h2> -        <div class="columns is-3" style="--columnGap: 0.75rem;"> -            <div class="column">                  <p> -                    This event revolves around the annual <a href="https://hacktoberfest.digitalocean.com/">Hacktoberfest -                    event</a> organized by Digital Ocean. In addition to promoting Hacktoberfest in our community and supporting -                    those who choose to take their first steps into the world of open source, we will also ease our members into -                    contributing to open source by starting a low-entry, beginner-friendly open source project where we will -                    guide our members through the open source process in a safe environment. +                    During each PyWeek event, we open a special discussion channel in which our members can discuss their +                    submissions, meet other participants, and talk to PyWeek staff. The PyWeek organizer, +                    Daniel Pope (<a href="https://twitter.com/lordmauve" target="_blank" rel="noopener">@lordmauve</a>) will be present during the entire event to answer +                    questions and post announcements and information in our community.                  </p>                  <p> -                    The exact form this event will take has not been decided yet, but we'll make sure to keep you updated in -                    our community announcements! +                    Unlike our other events, the <strong>community</strong> will select the winner from all the submissions +                    during PyWeek. We may release YouTube content showcasing the best submissions after the events are finished.                  </p>              </div>              <div class="column is-3"> -                <img src="https://raw.githubusercontent.com/python-discord/branding/master/seasonal/halloween/hacktoberfest/2020/animated_server_icon.gif" style="border-radius: 10px;" alt=""> +                <img src="https://pyweek.readthedocs.io/en/latest/_static/pyweek.svg" style="border-radius: 10px;" alt="">              </div>          </div>      </div> @@ -71,7 +47,7 @@              <div class="column">                  <p>                      Each year, many of our members take part of an online coding competition called -                    <a href="https://adventofcode.com/">Advent of Code</a> that takes place in December. Advent of Code is an +                    <a href="https://adventofcode.com/" target="_blank" rel="noopener">Advent of Code</a> that takes place in December. Advent of Code is an                      Advent calendar of small programming puzzles for a variety of skill sets and skill levels that can be solved                      in any programming language you like, including Python.                  </p> @@ -88,39 +64,37 @@                  </p>              </div>              <div class="column is-3"> -                <img src="https://raw.githubusercontent.com/python-discord/branding/master/seasonal/christmas/2019/festive_256.gif" style="border-radius: 10px;" alt=""> +                <img src="https://raw.githubusercontent.com/python-discord/branding/main/events/christmas/server_icons/festive_256.gif" style="border-radius: 10px;" alt="">              </div>          </div>      </div>      <div class="box"> -        <h2 class="title is-4">PyWeek</h2> +        <h2 class="title is-4">Game Jam</h2>          <div class="columns is-3" style="--columnGap: 0.75rem;">              <div class="column">                  <p> -                    For the past 15 years, <a href="https://pyweek.org">PyWeek</a> has been running a bi-annual game jam for the -                    Python language. As of 2020, we are excited to say we are officially partnered with PyWeek to co-run these -                    events. +                    The Game Jam is similar to our Code Jams, but smaller in scope. Instead of having to complete a qualifier +                    and being teamed up with random strangers, members of our community can just sign-up individually or pair up +                    with whoever they like.                  </p>                  <p> -                    During each PyWeek event, we open a special discussion channel in which our members can discuss their -                    submissions, meet other participants, and talk to PyWeek staff. The PyWeek organizer, -                    Daniel Pope (<a href="https://twitter.com/lordmauve">@lordmauve</a>) will be present during the entire event to answer -                    questions and post announcements and information in our community. +                    The participants will have ten days to create a game using the technology we've selected, and drawing +                    inspiration from a provided theme. After the event, a panel of judges will play all the games and select a +                    winner. The top 5 will featured in a special video on our <a href="https://www.youtube.com/channel/UCQsrA4xo6jvdgsJZhKaBL6w" target="_blank" rel="noopener">YouTube channel</a>.                  </p>                  <p> -                    Unlike our other events, the <strong>community</strong> will select the winner from all the submissions -                    during PyWeek. We may release YouTube content showcasing the best submissions after the events are finished. +                    The <a class="has-text-link" href="{% url "events:page" path="game-jams/2020" %}">first edition of the Game Jam</a> ran from +                    <strong>April 17, 2020 to April 26, 2020</strong>.                  </p>              </div>              <div class="column is-3"> -                <img src="https://pyweek.readthedocs.io/en/latest/_static/pyweek.svg" style="border-radius: 10px;" alt=""> +                <img src="https://user-images.githubusercontent.com/33516116/77593036-5fb09780-6eeb-11ea-9feb-336b2e5e23de.png" style="border-radius: 10px;" alt="">              </div>          </div>      </div>  {% endblock %}  {% block sidebar %} -    {% include "events/sidebar/ongoing-event.html" %}      {% include "events/sidebar/events-list.html" %}  {% endblock %} diff --git a/pydis_site/templates/events/pages/code-jams/8/_index.html b/pydis_site/templates/events/pages/code-jams/8/_index.html index 55bdc95b..628a2c22 100644 --- a/pydis_site/templates/events/pages/code-jams/8/_index.html +++ b/pydis_site/templates/events/pages/code-jams/8/_index.html @@ -20,10 +20,58 @@          and walking through the program that your team has created.      </p> +    <h3 id="winners"><a href="#winners">Code Jam Winners</a></h3> +        <p>Congratulations to our winners and the two runner ups! Check out their projects below.</p> + +        <h4 class="mt-5 mb-2"><i class="fa fa-trophy"></i> Perceptive Porcupines: WTPython!?</h4> +        <p class="my-1"><em>VV, Poppinawhile, ethansocal, Jeff Z, Cohan, ¯\_(ツ)_/¯</em></p> +        <p class="my-1"> +            What the Python (wtpython) is a simple terminal user interface that allows you to explore relevant answers on Stackoverflow without leaving your terminal or IDE. When you get an error, all you have to do is swap python for wtpython. When your code hits an error, you'll see a textual interface for exploring relevant answers allowing you to stay focused and ship faster! +        </p> +        <p> +            <a href="https://www.youtube.com/watch?v=DV3uMdsw9KE" title="Perceptive Porcupines Demo Video" target="_blank" rel="noopener"><i class="fa fa-video"> </i> Demo video</a> +            <br/> +            <a href="https://github.com/what-the-python/wtpython" title="Perceptive Porcupines GitHub Repository" target="_blank" rel="noopener"><i class="fa fa-github"></i> GitHub Repository</a> +            <br/> + +        </p> + +        <h4 class="mt-5 mb-2"><i class="fa fa-medal"></i> Lovable Lobsters: Ultimate Tic Tac Toe</h4> +        <p class="my-1"><em>A5Rocks, Bast, Dacheat, mega_hirtz, CopOnTheRun, richphi</em></p> +        <p class="my-1"> +            Thinking inside a box, that is inside a box, that is inside yet another box. + +            The terminal program created by the Lovable Lobsters allows you to play Ultimate Tic Tac Toe right form your terminal. The really impressive part though? You can play with your friends and family over your network! Their program has a server-client set-up that lets you play with your friends and family from different computers. +        </p> +        <p> +            <a href="https://www.youtube.com/watch?v=WI9tgQeAfXw" title="Lovable Lobsters Demo Video" target="_blank" rel="noopener"><i class="fa fa-video"> </i> Demo video</a> +            <br/> +            <a href="https://github.com/A5rocks/code-jam-8" title="Lovable Lobsters GitHub Repository" target="_blank" rel="noopener"><i class="fa fa-github"></i> GitHub Repository</a> +            <br/> +        </p> + +        <h4 class="mt-5 mb-2"><i class="fa fa-medal"></i> Robust Reindeer: Rubik's Cube</h4> +        <p class="my-1"><em>Björn, aaronshenhao, mathsman, Dude Saber, 詭異, Keppo</em></p> +        <p class="my-1"> +            This submission is a Rubik's cube, rendered in a text user interface (that was a constraint) using the asciimatics package, and addressing the theme "thinking inside the box". + +            Just like a real world Rubik's cube, you can move this cube around to look at it from all sides. And, of course, you can rotate the individual discs it is made up of to first scramble up the order and then to try and solve it into perfect ordering again. +        </p> +        <p> +            <a href="https://github.com/bjoseru/pdcj8-robust-reindeer" title="Robust Reindeer GitHub Repository" target="_blank" rel="noopener"><i class="fa fa-github"></i> GitHub Repository</a> +            <br/> +        </p> + +    <h3 id="submissions"><a href="#submissions">Submissions</a></h3> +    <p> +        63 teams started out on July 9th 2021. By the end of the jam, 51 teams made project submissions. Check them all out here: +        <div class="has-text-centered"><a class="button is-link" href="submissions">View Submissions</a></div> +    </p> +      <h3 id="important-dates"><a href="#important-dates">Important Dates</a></h3>      <ul>          <li>Tuesday, June 15 - Form to submit theme suggestions opens</li> -        <li>Monday, June 21 - <a href="https://github.com/python-discord/cj8-qualifier">The Qualifier</a> is released</li> +        <li>Monday, June 21 - <a href="https://github.com/python-discord/cj8-qualifier" target="_blank" rel="noopener">The Qualifier</a> is released</li>          <li>Friday, June 25 - Voting for the theme opens</li>          <li>Saturday, June 26 @ 4PM UTC- <a class="has-text-link" href="{% url "events:page" path="code-jams/8/github-bootcamp" %}">GitHub Bootcamp</a></li>          <li>Wednesday, July 1 - The Qualifier closes</li> @@ -36,14 +84,14 @@      <p>          The chosen technology/tech stack for this year is <strong>Text User Interfaces</strong> (TUIs).          Each team must create a program with one of <a href="{% url "events:page" path="code-jams/8/frameworks" %}">the approved frameworks</a> that creates a user interface that is text based. -        For more information of TUIs and what's involved with such an interface, check out <a href="https://en.wikipedia.org/wiki/Text-based_user_interface">this wikipedia article</a>. +        For more information of TUIs and what's involved with such an interface, check out <a href="https://en.wikipedia.org/wiki/Text-based_user_interface" target="_blank" rel="noopener">this wikipedia article</a>.      </p> -    <h3 if="qualifier"><a href="#qualifier">The Qualifier</a></h3> +    <h3 id="qualifier"><a href="#qualifier">The Qualifier</a></h3>      <p>          The qualifier is a coding challenge that you are required to complete before registering for the code jam.          This is meant as a basic assessment of your skills to ensure you have enough python knowledge to effectively contribute in a team environment.      </p> -    <p class="has-text-centered"><a class="button is-link" href="https://github.com/python-discord/cj8-qualifier" target="_blank">View the Qualifier</a></p +    <p class="has-text-centered"><a class="button is-link" href="https://github.com/python-discord/cj8-qualifier" target="_blank" rel="noopener">View the Qualifier</a></p>      <p>          Please note the requirements for the qualifier.          <ul> @@ -52,11 +100,7 @@              <li>The Qualifier must be submitted through the Code Jam sign-up form.</li>          </ul>      </p> -    <h3 id="submissions"><a href="#submissions">Submissions</a></h3> -    <p> -        63 teams started out on July 9th 2021. By the end of the jam, 51 teams made project submissions. Check them all out here: -        <div class="has-text-centered"><a class="button is-link" href="submissions">View Submissions</a></div> -    </p> +      <h3 id="prizes"><a href="#prizes">Prizes</a></h3>      <p>          Our Code Jam Sponsors have provided prizes for the winners of the code jam. @@ -71,7 +115,7 @@                      <img src="{% static "images/events/DO_Logo_Vertical_Blue.png" %}" alt="Digital Ocean">                  </div>                  <div class="media-content"> -                    <p class="subtitle has-link"><a href="https://www.digitalocean.com/">DigitalOcean</a></p> +                    <p class="subtitle has-link"><a href="https://www.digitalocean.com/" target="_blank" rel="noopener">DigitalOcean</a></p>                      <p class="is-italic">                          Scalable compute platform with add-on storage, security, and monitoring capabilities.                          We make it simple to launch in the cloud and scale up as you grow—whether you’re running one virtual machine or ten thousand. @@ -90,7 +134,7 @@                      <img src="{% static "images/sponsors/jetbrains.png" %}" alt="JetBrains">                  </div>                  <div class="media-content"> -                    <p class="subtitle has-link"><a href="https://www.jetbrains.com/">JetBrains</a></p> +                    <p class="subtitle has-link"><a href="https://www.jetbrains.com/" target="_blank" rel="noopener">JetBrains</a></p>                      <p class="is-italic">                          Whatever platform or language you work with, JetBrains has a development tool for you.                          We help developers work faster by automating common, repetitive tasks to enable them to stay focused on code design and the big picture. @@ -109,7 +153,7 @@                      <img src="{% static "images/events/Tabnine.png" %}" alt="Tabnine">                  </div>                  <div class="media-content"> -                    <p class="subtitle has-link"><a href="https://www.tabnine.com/now?utm_source=discord&utm_medium=Ins&utm_campaign=PythonDis">Tabnine</a></p> +                    <p class="subtitle has-link"><a href="https://www.tabnine.com/now?utm_source=discord&utm_medium=Ins&utm_campaign=PythonDis" target="_blank" rel="noopener">Tabnine</a></p>                      <p class="is-italic">Tabnine is an AI-powered code completion tool used by millions of devs around the world every day                          - Tabnine supports dozens of programming languages, in all of your favorite IDEs, saving you tons of time - so that you can type less and code more.                      Tabnine comes as a plugin and has a free-forever basic plan, so you can get started with it right away! diff --git a/pydis_site/templates/events/pages/code-jams/8/frameworks.html b/pydis_site/templates/events/pages/code-jams/8/frameworks.html index 34ac4f0a..1c02e38a 100644 --- a/pydis_site/templates/events/pages/code-jams/8/frameworks.html +++ b/pydis_site/templates/events/pages/code-jams/8/frameworks.html @@ -19,7 +19,7 @@      <div class="columns">          <div class="column">              <ul> -                <li><a href="http://urwid.org/" target="_blank">Documentation Link</a></li> +                <li><a href="https://urwid.org/" target="_blank">Documentation Link</a></li>                  <li><strong>Supports:</strong> Linux, Mac, other unix-like OS</li>                  <li>Somewhat in-depth tutorial</li>                  <li>Uses widgets in a fairly straight forward design</li> diff --git a/pydis_site/templates/events/pages/code-jams/_index.html b/pydis_site/templates/events/pages/code-jams/_index.html index 22a86db3..207d4b9a 100644 --- a/pydis_site/templates/events/pages/code-jams/_index.html +++ b/pydis_site/templates/events/pages/code-jams/_index.html @@ -66,7 +66,6 @@  {% endblock %}  {% block sidebar %} -    {% include "events/sidebar/code-jams/ongoing-code-jam.html" %}      {% include "events/sidebar/code-jams/previous-code-jams.html" %}      {% include "events/sidebar/code-jams/useful-information.html" %}  {% endblock %} diff --git a/pydis_site/templates/events/sidebar/code-jams/previous-code-jams.html b/pydis_site/templates/events/sidebar/code-jams/previous-code-jams.html index 9f9ecd1a..21b2ccb4 100644 --- a/pydis_site/templates/events/sidebar/code-jams/previous-code-jams.html +++ b/pydis_site/templates/events/sidebar/code-jams/previous-code-jams.html @@ -1,6 +1,7 @@  <div class="box">      <p class="menu-label">Previous Code Jams</p>      <ul class="menu-list"> +        <li><a class="has-text-link" href="{% url "events:page" path="code-jams/8" %}">Code Jam 8: Think Inside the Box</a></li>          <li><a class="has-text-link" href="{% url "events:page" path="code-jams/7" %}">Code Jam 7: Early Internet</a></li>          <li><a class="has-text-link" href="{% url "events:page" path="code-jams/6" %}">Code Jam 6: Ancient Technology</a></li>          <li><a class="has-text-link" href="{% url "events:page" path="code-jams/5" %}">Code Jam 5: Climate Change</a></li> diff --git a/pydis_site/templates/events/sidebar/events-list.html b/pydis_site/templates/events/sidebar/events-list.html index 327b0e77..5dfe5dc2 100644 --- a/pydis_site/templates/events/sidebar/events-list.html +++ b/pydis_site/templates/events/sidebar/events-list.html @@ -1,10 +1,10 @@  <div class="box"> -    <p class="menu-label">Event Calendar 2020</p> +    <p class="menu-label">Event Calendar 2021</p>      <ul class="menu-list"> -        <li><a class="has-text-link" href="{% url "events:page" path="code-jams/6" %}">January 17-January 26: Winter Code Jam</a></li> -        <li><a class="has-text-link" href="{% url "events:page" path="game-jams/2020" %}">April 17-April 26: Game Jam</a></li> -        <li><a class="has-text-link" href="{% url "events:page" path="code-jams/7" %}">July 31-August 9: Summer Code Jam</a></li> -        <li><a class="has-text-black" style="cursor: default;">October: Hacktoberfest</a></li> +        <li><a class="has-text-link" href="https://pyweek.org/31/" target="_blank" rel="noopener">March: PyWeek 31</a></li> +        <li><a class="has-text-black" style="cursor: default;">May: Pixels</a></li> +        <li><a class="has-text-link" href="{% url "events:page" path="code-jams/8" %}">July: Summer Code Jam</a></li> +        <li><a class="has-text-link" href="https://pyweek.org/32/" target="_blank" rel="noopener">September: PyWeek 32</a></li>          <li><a class="has-text-black" style="cursor: default;">December: Advent of Code</a></li>      </ul>  </div> diff --git a/pydis_site/templates/home/index.html b/pydis_site/templates/home/index.html index 072e3817..985ccae1 100644 --- a/pydis_site/templates/home/index.html +++ b/pydis_site/templates/home/index.html @@ -9,21 +9,14 @@  {% block content %}    {% include "base/navbar.html" %} -  <!-- Mobile-only Notice --> -  <section id="mobile-notice" class="message is-primary is-hidden-tablet"> -    <a href="/events/code-jams/8/"> -        <img src="{% static "images/events/summer_code_jam_2021/front_page_banners/currently_live.png" %}" alt="Summer Code Jam 2021"> -    </a> -  </section> -    <!-- Wave Hero -->    <section id="wave-hero" class="section is-hidden-mobile">        <div class="container"> -        <div class="columns is-variable is-8"> +        <div class="columns is-variable is-8 is-centered">            {# Embedded Welcome video #} -          <div id="wave-hero-left" class="column is-half"> +          <div id="wave-hero-left" class="column is-half ">              <div class="force-aspect-container">                <iframe                class="force-aspect-content" @@ -44,13 +37,6 @@                ></iframe>              </div>            </div> - -          {# Code Jam banner #} -          <div id="wave-hero-right" class="column is-half"> -            <a href="/events/code-jams/8/"> -              <img src="{% static "images/events/summer_code_jam_2021/front_page_banners/currently_live.png" %}" alt="Summer Code Jam 2021"> -            </a> -          </div>          </div>        </div> @@ -109,7 +95,7 @@              </p>              <div class="buttons are-large is-centered"> -              <a href="{% url 'timeline' %}" class="button is-primary"> +              <a href="{% url 'home:timeline' %}" class="button is-primary">                  <span>Check it out!</span>                  <span class="icon">                    <i class="fas fa-arrow-right"></i> @@ -201,6 +187,10 @@            </a>            <a href="https://streamyard.com" class="column is-narrow">              <img src="{% static "images/sponsors/streamyard.png" %}" alt="StreamYard"/> +          </a> +          <a href="https://www.netlify.com/" class="column is-narrow"> +            <img src="{% static "images/sponsors/netlify.png" %}" alt="Netlify"/> +          </a>            <a href="https://www.cloudflare.com/" class="column is-narrow">              <img src="{% static "images/sponsors/cloudflare.png" %}" alt="Cloudflare"/>            </a> diff --git a/pydis_site/templates/home/timeline.html b/pydis_site/templates/home/timeline.html index d9069aca..b404d6c0 100644 --- a/pydis_site/templates/home/timeline.html +++ b/pydis_site/templates/home/timeline.html @@ -111,7 +111,7 @@              pretty much as soon as our new bot and site starts collecting some data. To this day, we keep <a                  href="https://pythondiscord.com/pages/privacy/">our privacy policy</a> up to date with all              changes, and since April 2020 we've started doing <a -                href="https://pythondiscord.com/pages/data-reviews/">monthly data reviews</a>.</p> +                href="https://pythondiscord.notion.site/6784e3a9752444e89d19e65fd4510d8d">monthly data reviews</a>.</p>            <div class="flex justify-between items-center">              <span class="cd-timeline__date">May 21st, 2018</span> diff --git a/pydis_site/urls.py b/pydis_site/urls.py index 47cf0ba1..51ef4214 100644 --- a/pydis_site/urls.py +++ b/pydis_site/urls.py @@ -1,7 +1,29 @@ +from django.contrib import admin  from django.urls import include, path +from pydis_site import settings + +NON_STATIC_PATTERNS = [ +    path('admin/', admin.site.urls), + +    # External API ingress (over the net) +    path('api/', include('pydis_site.apps.api.urls', namespace='api')), +    # Internal API ingress (cluster local) +    path('pydis-api/', include('pydis_site.apps.api.urls', namespace='internal_api')), + +    # This must be mounted before the `content` app to prevent Django +    # from wildcard matching all requests to `pages/...`. +    path('', include('pydis_site.apps.redirect.urls')), +    path('', include('django_prometheus.urls')), + +    path('staff/', include('pydis_site.apps.staff.urls', namespace='staff')), +] if not settings.env("STATIC_BUILD") else [] +  urlpatterns = ( +    *NON_STATIC_PATTERNS, +    path('pages/', include('pydis_site.apps.content.urls', namespace='content')), +    path('resources/', include('pydis_site.apps.resources.urls')), +    path('events/', include('pydis_site.apps.events.urls', namespace='events')),      path('', include('pydis_site.apps.home.urls', namespace='home')), -    path('staff/', include('pydis_site.apps.staff.urls', namespace='staff')),  ) diff --git a/pyproject.toml b/pyproject.toml index 5bbf86ee..2f1322e3 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -10,9 +10,8 @@ python = "3.9.*"  django = "~=3.0.4"  django-environ = "~=0.4.5"  django-filter = "~=2.1.0" -django-hosts = "~=4.0"  djangorestframework = "~=3.11.0" -psycopg2-binary = "~=2.8" +psycopg2-binary = "~=2.8.0"  django-simple-bulma = "~=2.1"  whitenoise = "~=5.0"  requests = "~=2.21" @@ -21,6 +20,8 @@ gunicorn = "~=20.0.4"  sentry-sdk = "~=0.19"  markdown = "~=3.3.4"  python-frontmatter = "~=1.0" +django-prometheus = "~=2.1" +django-distill = "~=2.9.0"  [tool.poetry.dev-dependencies]  coverage = "~=5.0" @@ -53,3 +54,4 @@ test = "coverage run manage.py test"  report = "coverage report -m"  lint = "pre-commit run --all-files"  precommit = "pre-commit install" +static = "python mange.py distill-local build --traceback --force" diff --git a/static-builds/README.md b/static-builds/README.md new file mode 100644 index 00000000..b5cba896 --- /dev/null +++ b/static-builds/README.md @@ -0,0 +1,48 @@ +# Static Builds +This directory includes all the needed information to build and deploy static previews of the site. + +Static deployments use [django-distill](https://github.com/meeb/django-distill) to build the static content. +The content is built in GitHub Actions, and is fetched and deployed by Netlify. + + +## Instructions +These are the configuration instructions to get started with static deployments. +They are split into two parts: + +- [Building The Site](#building-the-site) +- [Deploying To Netlify](#deploying-to-netlify) + + +### Building The Site +To get started with building, you can use the following command: + +```shell +python -m pip install httpx==0.19.0 +python manage.py distill-local build --traceback --force --collectstatic +``` + +Alternatively, you can use the [Dockerfile](/Dockerfile) and extract the build. + +Both output their builds to a `build/` directory. + +> Warning: If you are modifying the [build script](./netlify_build.py), make sure it is compatible with Python 3.8. + +Note: The build script uses [nightly.link](https://github.com/oprypin/nightly.link) +to fetch the artifact with no verification. + +### Deploying To Netlify +To deploy to netlify, link your site GitHub repository to a netlify site, and use the following settings: + +Build Command: +`python -m pip install httpx==0.19.0 && python static-builds/netlify_build.py` + +Publish Directory: +`build` + +Environment Variables: +- PYTHON_VERSION: 3.8 + + +Note that at this time, if you are deploying to netlify yourself, you won't have access to the +fa-icons pack we are using, which will lead to many missing icons on your preview. +You can either update the pack to one which will work on your domain, or you'll have to live with the missing icons. diff --git a/static-builds/netlify_build.py b/static-builds/netlify_build.py new file mode 100644 index 00000000..4e1e6106 --- /dev/null +++ b/static-builds/netlify_build.py @@ -0,0 +1,122 @@ +"""Build script to deploy project on netlify.""" + +# WARNING: This file must remain compatible with python 3.8 + +# This script performs all the actions required to build and deploy our project on netlify +# It depends on the following packages, which are set in the netlify UI: +# httpx == 0.19.0 + +import os +import time +import typing +import zipfile +from pathlib import Path +from urllib import parse + +import httpx + +API_URL = "https://api.github.com" +NIGHTLY_URL = "https://nightly.link" +OWNER, REPO = parse.urlparse(os.getenv("REPOSITORY_URL")).path.lstrip("/").split("/")[0:2] + + +def get_build_artifact() -> typing.Tuple[int, str]: +    """ +    Search for a build artifact, and return the result. + +    The return is a tuple of the check suite ID, and the URL to the artifacts. +    """ +    print("Fetching build URL.") + +    if os.getenv("PULL_REQUEST").lower() == "true": +        print(f"Fetching data for PR #{os.getenv('REVIEW_ID')}") + +        pull_url = f"{API_URL}/repos/{OWNER}/{REPO}/pulls/{os.getenv('REVIEW_ID')}" +        pull_request = httpx.get(pull_url) +        pull_request.raise_for_status() + +        commit_sha = pull_request.json()["head"]["sha"] + +        workflows_params = parse.urlencode({ +            "event": "pull_request", +            "per_page": 100 +        }) + +    else: +        commit_sha = os.getenv("COMMIT_REF") + +        workflows_params = parse.urlencode({ +            "event": "push", +            "per_page": 100 +        }) + +    print(f"Fetching action data for commit {commit_sha}") + +    workflows = httpx.get(f"{API_URL}/repos/{OWNER}/{REPO}/actions/runs?{workflows_params}") +    workflows.raise_for_status() + +    for run in workflows.json()["workflow_runs"]: +        if run["name"] == "Build & Publish Static Preview" and commit_sha == run["head_sha"]: +            print(f"Found action for this commit: {run['id']}\n{run['html_url']}") +            break +    else: +        raise Exception("Could not find the workflow run for this event.") + +    polls = 0 +    while polls <= 20: +        if run["status"] != "completed": +            print("Action isn't ready, sleeping for 10 seconds.") +            polls += 1 +            time.sleep(10) + +        elif run["conclusion"] != "success": +            print("Aborting build due to a failure in a previous CI step.") +            exit(0) + +        else: +            print(f"Found artifact URL:\n{run['artifacts_url']}") +            return run["check_suite_id"], run["artifacts_url"] + +        _run = httpx.get(run["url"]) +        _run.raise_for_status() +        run = _run.json() + +    raise Exception("Polled for the artifact workflow, but it was not ready in time.") + + +def download_artifact(suite_id: int, url: str) -> None: +    """Download a build artifact from `url`, and unzip the content.""" +    print("Fetching artifact data.") + +    artifacts = httpx.get(url) +    artifacts.raise_for_status() +    artifacts = artifacts.json() + +    if artifacts["total_count"] == "0": +        raise Exception(f"No artifacts were found for this build, aborting.\n{url}") + +    for artifact in artifacts["artifacts"]: +        if artifact["name"] == "static-build": +            print("Found artifact with build.") +            break +    else: +        raise Exception("Could not find an artifact with the expected name.") + +    artifact_url = f"{NIGHTLY_URL}/{OWNER}/{REPO}/suites/{suite_id}/artifacts/{artifact['id']}" +    zipped_content = httpx.get(artifact_url) +    zipped_content.raise_for_status() + +    zip_file = Path("temp.zip") +    zip_file.write_bytes(zipped_content.read()) + +    with zipfile.ZipFile(zip_file, "r") as zip_ref: +        zip_ref.extractall("build") + +    zip_file.unlink(missing_ok=True) + +    print("Wrote artifact content to target directory.") + + +if __name__ == "__main__": +    print("Build started") +    download_artifact(*get_build_artifact()) | 
