diff options
| -rw-r--r-- | pydis_site/apps/content/tests/test_utils.py | 103 | ||||
| -rw-r--r-- | pydis_site/apps/content/tests/test_views.py | 128 | ||||
| -rw-r--r-- | pydis_site/apps/content/utils.py | 6 | 
3 files changed, 233 insertions, 4 deletions
| diff --git a/pydis_site/apps/content/tests/test_utils.py b/pydis_site/apps/content/tests/test_utils.py index be5ea897..89ef81c4 100644 --- a/pydis_site/apps/content/tests/test_utils.py +++ b/pydis_site/apps/content/tests/test_utils.py @@ -1,8 +1,16 @@ +import tarfile +import tempfile +import textwrap  from pathlib import Path +from unittest import mock +import httpx +import markdown  from django.http import Http404 +from django.test import TestCase -from pydis_site.apps.content import utils +from pydis_site import settings +from pydis_site.apps.content import models, utils  from pydis_site.apps.content.tests.helpers import (      BASE_PATH, MockPagesTestCase, PARSED_CATEGORY_INFO, PARSED_HTML, PARSED_METADATA  ) @@ -96,3 +104,96 @@ class GetPageTests(MockPagesTestCase):      def test_get_nonexistent_page_returns_404(self):          with self.assertRaises(Http404):              utils.get_page(Path(BASE_PATH, "invalid")) + + +class TagUtilsTests(TestCase): +    """Tests for the tag-related utilities.""" + +    @mock.patch.object(utils, "fetch_tags") +    def test_static_fetch(self, fetch_mock: mock.Mock): +        """Test that the static fetch function is only called at most once during static builds.""" +        tags = [models.Tag(name="Name", body="body", url="url")] +        fetch_mock.return_value = tags +        result = utils.get_tags_static() +        second_result = utils.get_tags_static() + +        fetch_mock.assert_called_once() +        self.assertEqual(tags, result) +        self.assertEqual(tags, second_result) + +    @mock.patch("httpx.get") +    def test_mocked_fetch(self, get_mock: mock.Mock): +        """Test that proper data is returned from fetch, but with a mocked API response.""" +        bodies = ( +            "This is the first tag!", +            textwrap.dedent(""" +                --- +                frontmatter: empty +                --- +                This tag has frontmatter! +            """), +        ) + +        # Generate a tar archive with a few tags +        with tempfile.TemporaryDirectory() as tar_folder: +            tar_folder = Path(tar_folder) +            with tempfile.TemporaryDirectory() as folder: +                folder = Path(folder) +                (folder / "ignored_file.md").write_text("This is an ignored file.") +                tags_folder = folder / "bot/resources/tags" +                tags_folder.mkdir(parents=True) + +                (tags_folder / "first_tag.md").write_text(bodies[0]) +                (tags_folder / "second_tag.md").write_text(bodies[1]) + +                with tarfile.open(tar_folder / "temp.tar", "w") as file: +                    file.add(folder, recursive=True) + +                body = (tar_folder / "temp.tar").read_bytes() + +        get_mock.return_value = httpx.Response( +            status_code=200, +            content=body, +            request=httpx.Request("GET", "https://google.com"), +        ) + +        result = utils.fetch_tags() +        self.assertEqual([ +            models.Tag(name="first_tag", body=bodies[0], url=f"{utils.TAG_URL_BASE}/first_tag.md"), +            models.Tag(name="second_tag", body=bodies[1], url=f"{utils.TAG_URL_BASE}/first_tag.md"), +        ], sorted(result, key=lambda tag: tag.name)) + +    def test_get_real_tag(self): +        """Test that a single tag is returned if it exists.""" +        tag = models.Tag.objects.create(name="real-tag") +        result = utils.get_tag("real-tag") + +        self.assertEqual(tag, result) + +    def test_get_tag_404(self): +        """Test that an error is raised when we fetch a non-existing tag.""" +        models.Tag.objects.create(name="real-tag") +        with self.assertRaises(models.Tag.DoesNotExist): +            utils.get_tag("fake") + +    def test_category_pages(self): +        """Test that the category pages function returns the correct records for tags.""" +        models.Tag.objects.create(name="second-tag", body="Normal body") +        models.Tag.objects.create(name="first-tag", body="Normal body") +        tag_body = {"description": markdown.markdown("Normal body"), "icon": "fas fa-tag"} + +        result = utils.get_category_pages(settings.CONTENT_PAGES_PATH / "tags") +        self.assertDictEqual({ +            "first-tag": {**tag_body, "title": "first-tag"}, +            "second-tag": {**tag_body, "title": "second-tag"}, +        }, result) + +    def test_trimmed_tag_content(self): +        """Test a tag with a long body that requires trimming.""" +        tag = models.Tag.objects.create(name="long-tag", body="E" * 300) +        result = utils.get_category_pages(settings.CONTENT_PAGES_PATH / "tags") +        self.assertDictEqual({"long-tag": { +            "title": "long-tag", +            "description": markdown.markdown(tag.body[:100] + "..."), +            "icon": "fas fa-tag", +        }}, result) diff --git a/pydis_site/apps/content/tests/test_views.py b/pydis_site/apps/content/tests/test_views.py index eadad7e3..a5867260 100644 --- a/pydis_site/apps/content/tests/test_views.py +++ b/pydis_site/apps/content/tests/test_views.py @@ -1,9 +1,14 @@ +import textwrap  from pathlib import Path  from unittest import TestCase +import django.test +import markdown  from django.http import Http404  from django.test import RequestFactory, SimpleTestCase, override_settings +from django.urls import reverse +from pydis_site.apps.content.models import Tag  from pydis_site.apps.content.tests.helpers import (      BASE_PATH, MockPagesTestCase, PARSED_CATEGORY_INFO, PARSED_HTML, PARSED_METADATA  ) @@ -180,3 +185,126 @@ class PageOrCategoryViewTests(MockPagesTestCase, SimpleTestCase, TestCase):                  {"name": PARSED_CATEGORY_INFO["title"], "path": Path("category/subcategory")},              ]          ) + + +class TagViewTests(django.test.TestCase): +    """Tests for the TagView class.""" + +    def setUp(self): +        """Set test helpers, then set up fake filesystem.""" +        super().setUp() + +    def test_valid_tag_returns_200(self): +        """Test that a page is returned for a valid tag.""" +        Tag.objects.create(name="example", body="This is the tag body.", url="URL") +        response = self.client.get("/pages/tags/example/") +        self.assertEqual(200, response.status_code) +        self.assertIn("This is the tag body", response.content.decode("utf-8")) +        self.assertTemplateUsed(response, "content/tag.html") + +    def test_invalid_tag_404(self): +        """Test that a tag which doesn't exist raises a 404.""" +        response = self.client.get("/pages/tags/non-existent/") +        self.assertEqual(404, response.status_code) + +    def test_context(self): +        """Check that the context contains all the necessary data.""" +        body = textwrap.dedent(""" +        --- +        unused: frontmatter +        ---- +        Tag content here. +        """) + +        tag = Tag.objects.create(name="example", body=body, url="URL") +        response = self.client.get("/pages/tags/example/") +        expected = { +            "page_title": "example", +            "page": markdown.markdown("Tag content here."), +            "tag": tag, +        } +        for key in expected: +            self.assertEqual( +                expected[key], response.context.get(key), f"context.{key} did not match" +            ) + +    def test_markdown(self): +        """Test that markdown content is rendered properly.""" +        body = textwrap.dedent(""" +        ```py +        Hello world! +        ``` + +        **This text is in bold** +        """) + +        Tag.objects.create(name="example", body=body, url="URL") +        response = self.client.get("/pages/tags/example/") +        content = response.content.decode("utf-8") + +        self.assertInHTML('<code class="language-py">Hello world!</code>', content) +        self.assertInHTML("<strong>This text is in bold</strong>", content) + +    def test_embed(self): +        """Test that an embed from the frontmatter is treated correctly.""" +        body = textwrap.dedent(""" +        --- +        embed: +            title: Embed title +            image: +                url: https://google.com +        --- +        Tag body. +        """) + +        Tag.objects.create(name="example", body=body, url="URL") +        response = self.client.get("/pages/tags/example/") +        content = response.content.decode("utf-8") + +        self.assertInHTML('<img alt="Embed title" src="https://google.com"/>', content) +        self.assertInHTML("<p>Tag body.</p>", content) + +    def test_embed_title(self): +        """Test that the page title gets set to the embed title.""" +        body = textwrap.dedent(""" +        --- +        embed: +            title: Embed title +        --- +        """) + +        Tag.objects.create(name="example", body=body, url="URL") +        response = self.client.get("/pages/tags/example/") +        self.assertEqual( +            "Embed title", +            response.context.get("page_title"), +            "The page title must match the embed title." +        ) + +    def test_hyperlinked_item(self): +        """Test hyperlinking of tags works as intended.""" +        filler_before, filler_after = "empty filler text\n\n", "more\nfiller" +        body = filler_before + "`!tags return`" + filler_after +        Tag.objects.create(name="example", body=body, url="URL") + +        other_url = reverse("content:tag", kwargs={"name": "return"}) +        response = self.client.get("/pages/tags/example/") +        self.assertEqual( +            markdown.markdown(filler_before + f"[`!tags return`]({other_url})" + filler_after), +            response.context.get("page") +        ) + +    def test_tag_root_page(self): +        """Test the root tag page which lists all tags.""" +        Tag.objects.create(name="tag-1") +        Tag.objects.create(name="tag-2") +        Tag.objects.create(name="tag-3") + +        response = self.client.get("/pages/tags/") +        content = response.content.decode("utf-8") + +        self.assertTemplateUsed(response, "content/listing.html") +        self.assertInHTML('<h1 class="title">Tags</h1>', content) + +        for tag_number in range(1, 4): +            self.assertIn(f"tag-{tag_number}</span>", content) diff --git a/pydis_site/apps/content/utils.py b/pydis_site/apps/content/utils.py index de609596..76437593 100644 --- a/pydis_site/apps/content/utils.py +++ b/pydis_site/apps/content/utils.py @@ -56,7 +56,7 @@ def fetch_tags() -> list[Tag]:      The entire repository is downloaded and extracted locally because      getting file content would require one request per file, and can get rate-limited.      """ -    if settings.GITHUB_TOKEN: +    if settings.GITHUB_TOKEN:  # pragma: no cover          headers = {"Authorization": f"token {settings.GITHUB_TOKEN}"}      else:          headers = {} @@ -90,7 +90,7 @@ def fetch_tags() -> list[Tag]:  def get_tags() -> list[Tag]:      """Return a list of all tags visible to the application, from the cache or API.""" -    if settings.STATIC_BUILD: +    if settings.STATIC_BUILD:  # pragma: no cover          last_update = None      else:          last_update = ( @@ -100,7 +100,7 @@ def get_tags() -> list[Tag]:      if last_update is None or timezone.now() >= (last_update + TAG_CACHE_TTL):          # Stale or empty cache -        if settings.STATIC_BUILD: +        if settings.STATIC_BUILD:  # pragma: no cover              tags = get_tags_static()          else:              tags = fetch_tags() | 
