diff options
99 files changed, 2291 insertions, 547 deletions
| diff --git a/.github/ISSUE_TEMPLATE/resource_suggestion.md b/.github/ISSUE_TEMPLATE/resource_suggestion.md deleted file mode 100644 index f09f8a9b..00000000 --- a/.github/ISSUE_TEMPLATE/resource_suggestion.md +++ /dev/null @@ -1,21 +0,0 @@ ---- -name: Resource Suggestion -about: Suggest a resource for the Python Discord resource index. -title: 'Resource Suggestion: ' -labels: 'resource suggestion' -assignees: 'swfarnsworth' ---- - -**Resource name** - -**Resource location**\ -Should be a link of some kind, either to the resource itself or (in the case of resources that must be purchased) an information page about it. - -**Payment type**\ -Options are free, paid, and subscription. Combinations of these are allowed for special cases (like a limited free version). - -**Why it should be included**\ -A brief explanation for why you think this resource is valuable. - -**Potential limitations**\ -Is the resource easy to use? Does it contain good information but have poorly-written code? Is it outdated in some way? If so, explain why it should still be included. diff --git a/.github/PULL_REQUEST_TEMPLATE/pull_request.md b/.github/PULL_REQUEST_TEMPLATE/pull_request.md index 358d2553..a8bba3e4 100644 --- a/.github/PULL_REQUEST_TEMPLATE/pull_request.md +++ b/.github/PULL_REQUEST_TEMPLATE/pull_request.md @@ -11,12 +11,3 @@  - [ ] 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 @@ -129,3 +129,6 @@ log.*  # Local Netlify folder  .netlify + +# Mac/OSX +.DS_Store diff --git a/pydis_site/README.md b/pydis_site/README.md new file mode 100644 index 00000000..db402743 --- /dev/null +++ b/pydis_site/README.md @@ -0,0 +1,68 @@ +# `pydis_site` project directory + +This directory hosts the root of our **Django project**[^1], and is responsible +for all logic powering our website. Let's go over the directories in detail: + +- [`apps`](./apps) contains our **Django apps**, which are the building blocks +  that make up our Django project. A Django project must always consist of one +  or more apps, and these apps can be made completely modular and reusable +  across any Django project. In our project, each app controls a distinct part +  of our website, such as the API or our resources system. + +  For more information on reusable apps, see the official Django tutorial, +  [which has a section on reusable +  apps](https://docs.djangoproject.com/en/dev/intro/reusable-apps/). To learn +  more about our specific apps, see the README inside the app folder itself. + +- [`static`](./static) contains our **static files**, such as CSS, JavaScript, +  images, and anything else that isn't either content or Python code. Static +  files relevant for a specific application are put into subdirectories named +  after the application. For example, static files used by the `resources` app go in `static/resources`. + +- [`templates`](./templates) contains our **[Django +  templates](https://docs.djangoproject.com/en/dev/topics/templates/)**. Like +  with static files, templates specific to a single application are stored in a +  subdirectory named after that application. We also have two special templates +  here: + +  - `404.html`, which is our error page shown when a site was not found. + +  - `500.html`, which is our error page shown in the astronomically rare case +    that we encounter an internal server error. + + +Note that for both `static` and `templates`, we are not using the default Django +directory structure which puts these directories in a directory per app (in our +case, this would for example be ``pydis_site/apps/content/static/``). + +We also have a few files in here that are relevant or useful in large parts of +the website: + +- [`context_processors.py`](./context_processors.py), which contains custom +  *context processors* that add variables to the Django template context. To +  read more, see the [`RequestContext` documentation from +  Django](https://docs.djangoproject.com/en/dev/ref/templates/api/#django.template.RequestContext) + +- [`settings.py`](./settings.py), our Django settings file. This controls all +  manner of crucial things, for instance, we use it to configure logging, our +  connection to the database, which applications are run by the project, which +  middleware we are using, and variables for `django-simple-bulma` (which +  determines frontend colours & extensions for our pages). + +- [`urls.py`](./urls.py), the URL configuration for the project itself. Here we +  can forward certain URL paths to our different apps, which have their own +  `urls.py` files to configure where their subpaths will lead. These files +  determine _which URLs will lead to which Django views_. + +- [`wsgi.py`](./wsgi.py), which serves as an adapter for +  [`gunicorn`](https://github.com/benoitc/gunicorn), +  [`uwsgi`](https://github.com/unbit/uwsgi), or other application servers to run +  our application in production. Unless you want to test an interaction between +  our application and those servers, you probably won't need to touch this. + + +For more information about contributing to our projects, please see our +[Contributing +page](https://www.pythondiscord.com/pages/guides/pydis-guides/contributing/). + +[^1]: See [Django Glossary: project](https://docs.djangoproject.com/en/dev/glossary/#term-project) diff --git a/pydis_site/apps/admin/__init__.py b/pydis_site/apps/admin/__init__.py deleted file mode 100644 index e69de29b..00000000 --- a/pydis_site/apps/admin/__init__.py +++ /dev/null diff --git a/pydis_site/apps/admin/urls.py b/pydis_site/apps/admin/urls.py deleted file mode 100644 index a4f3e517..00000000 --- a/pydis_site/apps/admin/urls.py +++ /dev/null @@ -1,8 +0,0 @@ -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/README.md b/pydis_site/apps/api/README.md new file mode 100644 index 00000000..1c6358b3 --- /dev/null +++ b/pydis_site/apps/api/README.md @@ -0,0 +1,71 @@ +# The "api" app + +This application takes care of most of the heavy lifting in the site, that is, +allowing our bot to manipulate and query information stored in the site's +database. + +We make heavy use of [Django REST +Framework](https://www.django-rest-framework.org) here, which builds on top of +Django to allow us to easily build out the +[REST](https://en.wikipedia.org/wiki/Representational_state_transfer) API +consumed by our bot. Working with the API app requires basic knowledge of DRF - +the [quickstart +guide](https://www.django-rest-framework.org/tutorial/quickstart/) is a great +resource to get started. + +## Directory structure + +Let's look over each of the subdirectories here: + +- `migrations` is the standard Django migrations folder. You usually won't need +  to edit this manually, as `python manage.py makemigrations` handles this for +  you in case you change our models. (Note that when generating migrations and +  Django doesn't generate a human-readable name for you, please supply one +  manually using `-n add_this_field`.) + +- `models` contains our Django model definitions. We put models into subfolders +  relevant as to where they are used - in our case, the `bot` folder contains +  models used by our bot when working with the API. Each model is contained +  within its own module, such as `api/models/bot/message_deletion_context.py`, +  which contains the `MessageDeletionContext` model. + +- `tests` contains tests for our API. If you're unfamilar with Django testing, +  the [Django tutorial introducing automated +  testing](https://docs.djangoproject.com/en/dev/intro/tutorial05/) is a great +  resource, and you can also check out code in there to see how we test it. + +- `viewsets` contains our [DRF +  viewsets](https://www.django-rest-framework.org/api-guide/viewsets/), and is +  structured similarly to the `models` folder: The `bot` subfolder contains +  viewsets relevant to the Python Bot, and each viewset is contained within its +  own module. + +The remaining modules mostly do what their name suggests: + +- `admin.py`, which hooks up our models to the [Django admin +  site](https://docs.djangoproject.com/en/dev/ref/contrib/admin/). + +- `apps.py` contains the Django [application +  config](https://docs.djangoproject.com/en/dev/ref/applications/) for the `api` +  app, and is used to run any code that should run when the app is loaded. + +- `pagination.py` contains custom +  [paginators](https://www.django-rest-framework.org/api-guide/pagination/) used +  within our DRF viewsets. + +- `serializers.py` contains [DRF +  serializers](https://www.django-rest-framework.org/api-guide/serializers/) for +  our models, and also includes validation logic for the models. + +- `signals.py` contains [Django +  Signals](https://docs.djangoproject.com/en/dev/topics/signals/) for running +  custom functionality in response to events such as deletion of a model +  instance. + +- `urls.py` configures Django's [URL +  dispatcher](https://docs.djangoproject.com/en/dev/topics/http/urls/) for our +  API endpoints. + +- `views.py` is for any standard Django views that don't make sense to be put +  into DRF viewsets as they provide static data or other functionality that +  doesn't interact with our models. diff --git a/pydis_site/apps/api/migrations/0080_add_aoc_tables.py b/pydis_site/apps/api/migrations/0080_add_aoc_tables.py new file mode 100644 index 00000000..2c0c689a --- /dev/null +++ b/pydis_site/apps/api/migrations/0080_add_aoc_tables.py @@ -0,0 +1,32 @@ +# Generated by Django 3.1.14 on 2022-03-06 16:07 + +from django.db import migrations, models +import django.db.models.deletion +import pydis_site.apps.api.models.mixins + + +class Migration(migrations.Migration): + +    dependencies = [ +        ('api', '0079_merge_20220125_2022'), +    ] + +    operations = [ +        migrations.CreateModel( +            name='AocAccountLink', +            fields=[ +                ('user', models.OneToOneField(help_text='The user that is blocked from getting the AoC Completionist Role', on_delete=django.db.models.deletion.CASCADE, primary_key=True, serialize=False, to='api.user')), +                ('aoc_username', models.CharField(help_text='The AoC username associated with the Discord User.', max_length=120)), +            ], +            bases=(pydis_site.apps.api.models.mixins.ModelReprMixin, models.Model), +        ), +        migrations.CreateModel( +            name='AocCompletionistBlock', +            fields=[ +                ('user', models.OneToOneField(help_text='The user that is blocked from getting the AoC Completionist Role', on_delete=django.db.models.deletion.CASCADE, primary_key=True, serialize=False, to='api.user')), +                ('is_blocked', models.BooleanField(default=True, help_text='Whether this user is actively being blocked from getting the AoC Completionist Role', verbose_name='Blocked')), +                ('reason', models.TextField(help_text='The reason for the AoC Completionist Role Block.', null=True)), +            ], +            bases=(pydis_site.apps.api.models.mixins.ModelReprMixin, models.Model), +        ), +    ] diff --git a/pydis_site/apps/api/migrations/0081_bumpedthread.py b/pydis_site/apps/api/migrations/0081_bumpedthread.py new file mode 100644 index 00000000..03e66cc1 --- /dev/null +++ b/pydis_site/apps/api/migrations/0081_bumpedthread.py @@ -0,0 +1,22 @@ +# Generated by Django 3.1.14 on 2022-02-19 16:26 + +import django.core.validators +from django.db import migrations, models +import pydis_site.apps.api.models.mixins + + +class Migration(migrations.Migration): + +    dependencies = [ +        ('api', '0080_add_aoc_tables'), +    ] + +    operations = [ +        migrations.CreateModel( +            name='BumpedThread', +            fields=[ +                ('thread_id', models.BigIntegerField(help_text='The thread ID that should be bumped.', primary_key=True, serialize=False, validators=[django.core.validators.MinValueValidator(limit_value=0, message='Thread IDs cannot be negative.')], verbose_name='Thread ID')), +            ], +            bases=(pydis_site.apps.api.models.mixins.ModelReprMixin, models.Model), +        ), +    ] diff --git a/pydis_site/apps/api/migrations/0082_otn_allow_big_solidus.py b/pydis_site/apps/api/migrations/0082_otn_allow_big_solidus.py new file mode 100644 index 00000000..abbb98ec --- /dev/null +++ b/pydis_site/apps/api/migrations/0082_otn_allow_big_solidus.py @@ -0,0 +1,19 @@ +# Generated by Django 3.1.14 on 2022-04-21 23:29 + +import django.core.validators +from django.db import migrations, models + + +class Migration(migrations.Migration): + +    dependencies = [ +        ('api', '0081_bumpedthread'), +    ] + +    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/__init__.py b/pydis_site/apps/api/models/__init__.py index fd5bf220..a197e988 100644 --- a/pydis_site/apps/api/models/__init__.py +++ b/pydis_site/apps/api/models/__init__.py @@ -1,15 +1,18 @@  # flake8: noqa  from .bot import ( -    FilterList,      BotSetting, +    BumpedThread,      DocumentationLink,      DeletedMessage, +    FilterList,      Infraction,      Message,      MessageDeletionContext,      Nomination,      NominationEntry,      OffensiveMessage, +    AocAccountLink, +    AocCompletionistBlock,      OffTopicChannelName,      Reminder,      Role, diff --git a/pydis_site/apps/api/models/bot/__init__.py b/pydis_site/apps/api/models/bot/__init__.py index ac864de3..013bb85e 100644 --- a/pydis_site/apps/api/models/bot/__init__.py +++ b/pydis_site/apps/api/models/bot/__init__.py @@ -1,10 +1,13 @@  # flake8: noqa -from .filter_list import FilterList  from .bot_setting import BotSetting +from .bumped_thread import BumpedThread  from .deleted_message import DeletedMessage  from .documentation_link import DocumentationLink +from .filter_list import FilterList  from .infraction import Infraction  from .message import Message +from .aoc_completionist_block import AocCompletionistBlock +from .aoc_link import AocAccountLink  from .message_deletion_context import MessageDeletionContext  from .nomination import Nomination, NominationEntry  from .off_topic_channel_name import OffTopicChannelName diff --git a/pydis_site/apps/api/models/bot/aoc_completionist_block.py b/pydis_site/apps/api/models/bot/aoc_completionist_block.py new file mode 100644 index 00000000..acbc0eba --- /dev/null +++ b/pydis_site/apps/api/models/bot/aoc_completionist_block.py @@ -0,0 +1,26 @@ +from django.db import models + +from pydis_site.apps.api.models.bot.user import User +from pydis_site.apps.api.models.mixins import ModelReprMixin + + +class AocCompletionistBlock(ModelReprMixin, models.Model): +    """A Discord user blocked from getting the AoC completionist Role.""" + +    user = models.OneToOneField( +        User, +        on_delete=models.CASCADE, +        help_text="The user that is blocked from getting the AoC Completionist Role", +        primary_key=True +    ) + +    is_blocked = models.BooleanField( +        default=True, +        help_text="Whether this user is actively being blocked " +                  "from getting the AoC Completionist Role", +        verbose_name="Blocked" +    ) +    reason = models.TextField( +        null=True, +        help_text="The reason for the AoC Completionist Role Block." +    ) diff --git a/pydis_site/apps/api/models/bot/aoc_link.py b/pydis_site/apps/api/models/bot/aoc_link.py new file mode 100644 index 00000000..4e9d4882 --- /dev/null +++ b/pydis_site/apps/api/models/bot/aoc_link.py @@ -0,0 +1,21 @@ +from django.db import models + +from pydis_site.apps.api.models.bot.user import User +from pydis_site.apps.api.models.mixins import ModelReprMixin + + +class AocAccountLink(ModelReprMixin, models.Model): +    """An AoC account link for a Discord User.""" + +    user = models.OneToOneField( +        User, +        on_delete=models.CASCADE, +        help_text="The user that is blocked from getting the AoC Completionist Role", +        primary_key=True +    ) + +    aoc_username = models.CharField( +        max_length=120, +        help_text="The AoC username associated with the Discord User.", +        blank=False +    ) diff --git a/pydis_site/apps/api/models/bot/bumped_thread.py b/pydis_site/apps/api/models/bot/bumped_thread.py new file mode 100644 index 00000000..cdf9a950 --- /dev/null +++ b/pydis_site/apps/api/models/bot/bumped_thread.py @@ -0,0 +1,22 @@ +from django.core.validators import MinValueValidator +from django.db import models + +from pydis_site.apps.api.models.mixins import ModelReprMixin + + +class BumpedThread(ModelReprMixin, models.Model): +    """A list of thread IDs to be bumped.""" + +    thread_id = models.BigIntegerField( +        primary_key=True, +        help_text=( +            "The thread ID that should be bumped." +        ), +        validators=( +            MinValueValidator( +                limit_value=0, +                message="Thread IDs cannot be negative." +            ), +        ), +        verbose_name="Thread ID", +    ) 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 e9fec114..b380efad 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/serializers.py b/pydis_site/apps/api/serializers.py index 4a702d61..e53ccffa 100644 --- a/pydis_site/apps/api/serializers.py +++ b/pydis_site/apps/api/serializers.py @@ -13,7 +13,10 @@ from rest_framework.settings import api_settings  from rest_framework.validators import UniqueTogetherValidator  from .models import ( +    AocAccountLink, +    AocCompletionistBlock,      BotSetting, +    BumpedThread,      DeletedMessage,      DocumentationLink,      FilterList, @@ -39,6 +42,32 @@ class BotSettingSerializer(ModelSerializer):          fields = ('name', 'data') +class ListBumpedThreadSerializer(ListSerializer): +    """Custom ListSerializer to override to_representation() when list views are triggered.""" + +    def to_representation(self, objects: list[BumpedThread]) -> int: +        """ +        Used by the `ListModelMixin` to return just the list of bumped thread ids. + +        Only the thread_id field is useful, hence it is unnecessary to create a nested dictionary. + +        Additionally, this allows bumped thread routes to simply return an +        array of thread_id ints instead of objects, saving on bandwidth. +        """ +        return [obj.thread_id for obj in objects] + + +class BumpedThreadSerializer(ModelSerializer): +    """A class providing (de-)serialization of `BumpedThread` instances.""" + +    class Meta: +        """Metadata defined for the Django REST Framework.""" + +        list_serializer_class = ListBumpedThreadSerializer +        model = BumpedThread +        fields = ('thread_id',) + +  class DeletedMessageSerializer(ModelSerializer):      """      A class providing (de-)serialization of `DeletedMessage` instances. @@ -156,13 +185,6 @@ class InfractionSerializer(ModelSerializer):              'hidden',              'dm_sent'          ) -        validators = [ -            UniqueTogetherValidator( -                queryset=Infraction.objects.filter(active=True), -                fields=['user', 'type', 'active'], -                message='This user already has an active infraction of this type.', -            ) -        ]      def validate(self, attrs: dict) -> dict:          """Validate data constraints for the given data and abort if it is invalid.""" @@ -257,6 +279,26 @@ class ReminderSerializer(ModelSerializer):          ) +class AocCompletionistBlockSerializer(ModelSerializer): +    """A class providing (de-)serialization of `AocCompletionistBlock` instances.""" + +    class Meta: +        """Metadata defined for the Django REST Framework.""" + +        model = AocCompletionistBlock +        fields = ("user", "is_blocked", "reason") + + +class AocAccountLinkSerializer(ModelSerializer): +    """A class providing (de-)serialization of `AocAccountLink` instances.""" + +    class Meta: +        """Metadata defined for the Django REST Framework.""" + +        model = AocAccountLink +        fields = ("user", "aoc_username") + +  class RoleSerializer(ModelSerializer):      """A class providing (de-)serialization of `Role` instances.""" diff --git a/pydis_site/apps/api/tests/test_bumped_threads.py b/pydis_site/apps/api/tests/test_bumped_threads.py new file mode 100644 index 00000000..316e3f0b --- /dev/null +++ b/pydis_site/apps/api/tests/test_bumped_threads.py @@ -0,0 +1,63 @@ +from django.urls import reverse + +from .base import AuthenticatedAPITestCase +from ..models import BumpedThread + + +class UnauthedBumpedThreadAPITests(AuthenticatedAPITestCase): +    def setUp(self): +        super().setUp() +        self.client.force_authenticate(user=None) + +    def test_detail_lookup_returns_401(self): +        url = reverse('api:bot:bumpedthread-detail', args=(1,)) +        response = self.client.get(url) + +        self.assertEqual(response.status_code, 401) + +    def test_list_returns_401(self): +        url = reverse('api:bot:bumpedthread-list') +        response = self.client.get(url) + +        self.assertEqual(response.status_code, 401) + +    def test_create_returns_401(self): +        url = reverse('api:bot:bumpedthread-list') +        response = self.client.post(url, {"thread_id": 3}) + +        self.assertEqual(response.status_code, 401) + +    def test_delete_returns_401(self): +        url = reverse('api:bot:bumpedthread-detail', args=(1,)) +        response = self.client.delete(url) + +        self.assertEqual(response.status_code, 401) + + +class BumpedThreadAPITests(AuthenticatedAPITestCase): +    @classmethod +    def setUpTestData(cls): +        cls.thread1 = BumpedThread.objects.create( +            thread_id=1234, +        ) + +    def test_returns_bumped_threads_as_flat_list(self): +        url = reverse('api:bot:bumpedthread-list') + +        response = self.client.get(url) +        self.assertEqual(response.status_code, 200) +        self.assertEqual(response.json(), [1234]) + +    def test_returns_204_for_existing_data(self): +        url = reverse('api:bot:bumpedthread-detail', args=(1234,)) + +        response = self.client.get(url) +        self.assertEqual(response.status_code, 204) +        self.assertEqual(response.content, b"") + +    def test_returns_404_for_non_existing_data(self): +        url = reverse('api:bot:bumpedthread-detail', args=(42,)) + +        response = self.client.get(url) +        self.assertEqual(response.status_code, 404) +        self.assertEqual(response.json(), {"detail": "Not found."}) diff --git a/pydis_site/apps/api/tests/test_infractions.py b/pydis_site/apps/api/tests/test_infractions.py index b3dd16ee..f1107734 100644 --- a/pydis_site/apps/api/tests/test_infractions.py +++ b/pydis_site/apps/api/tests/test_infractions.py @@ -3,6 +3,7 @@ from datetime import datetime as dt, timedelta, timezone  from unittest.mock import patch  from urllib.parse import quote +from django.db import transaction  from django.db.utils import IntegrityError  from django.urls import reverse @@ -79,7 +80,7 @@ class InfractionTests(AuthenticatedAPITestCase):              type='superstar',              reason='This one doesn\'t matter anymore.',              active=True, -            expires_at=datetime.datetime.utcnow() + datetime.timedelta(hours=5) +            expires_at=dt.now(timezone.utc) + datetime.timedelta(hours=5)          )          cls.voiceban_expires_later = Infraction.objects.create(              user_id=cls.user.id, @@ -87,7 +88,7 @@ class InfractionTests(AuthenticatedAPITestCase):              type='voice_ban',              reason='Jet engine mic',              active=True, -            expires_at=datetime.datetime.utcnow() + datetime.timedelta(days=5) +            expires_at=dt.now(timezone.utc) + datetime.timedelta(days=5)          )      def test_list_all(self): @@ -492,6 +493,7 @@ class CreationTests(AuthenticatedAPITestCase):          )          for infraction_type, hidden in restricted_types: +            # https://stackoverflow.com/a/23326971              with self.subTest(infraction_type=infraction_type):                  invalid_infraction = {                      'user': self.user.id, @@ -516,37 +518,38 @@ class CreationTests(AuthenticatedAPITestCase):          for infraction_type in active_infraction_types:              with self.subTest(infraction_type=infraction_type): -                first_active_infraction = { -                    'user': self.user.id, -                    'actor': self.user.id, -                    'type': infraction_type, -                    'reason': 'Take me on!', -                    'active': True, -                    'expires_at': '2019-10-04T12:52:00+00:00' -                } - -                # Post the first active infraction of a type and confirm it's accepted. -                first_response = self.client.post(url, data=first_active_infraction) -                self.assertEqual(first_response.status_code, 201) +                with transaction.atomic(): +                    first_active_infraction = { +                        'user': self.user.id, +                        'actor': self.user.id, +                        'type': infraction_type, +                        'reason': 'Take me on!', +                        'active': True, +                        'expires_at': '2019-10-04T12:52:00+00:00' +                    } -                second_active_infraction = { -                    'user': self.user.id, -                    'actor': self.user.id, -                    'type': infraction_type, -                    'reason': 'Take on me!', -                    'active': True, -                    'expires_at': '2019-10-04T12:52:00+00:00' -                } -                second_response = self.client.post(url, data=second_active_infraction) -                self.assertEqual(second_response.status_code, 400) -                self.assertEqual( -                    second_response.json(), -                    { -                        'non_field_errors': [ -                            'This user already has an active infraction of this type.' -                        ] +                    # Post the first active infraction of a type and confirm it's accepted. +                    first_response = self.client.post(url, data=first_active_infraction) +                    self.assertEqual(first_response.status_code, 201) + +                    second_active_infraction = { +                        'user': self.user.id, +                        'actor': self.user.id, +                        'type': infraction_type, +                        'reason': 'Take on me!', +                        'active': True, +                        'expires_at': '2019-10-04T12:52:00+00:00'                      } -                ) +                    second_response = self.client.post(url, data=second_active_infraction) +                    self.assertEqual(second_response.status_code, 400) +                    self.assertEqual( +                        second_response.json(), +                        { +                            'non_field_errors': [ +                                'This user already has an active infraction of this type.' +                            ] +                        } +                    )      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.""" @@ -811,22 +814,6 @@ class SerializerTests(AuthenticatedAPITestCase):          self.assertTrue(serializer.is_valid(), msg=serializer.errors) -    def test_validation_error_if_active_duplicate(self): -        self.create_infraction('ban', active=True) -        instance = self.create_infraction('ban', active=False) - -        data = {'active': True} -        serializer = InfractionSerializer(instance, data=data, partial=True) - -        if not serializer.is_valid(): -            self.assertIn('non_field_errors', serializer.errors) - -            code = serializer.errors['non_field_errors'][0].code -            msg = f'Expected failure on unique validator but got {serializer.errors}' -            self.assertEqual(code, 'unique', msg=msg) -        else:  # pragma: no cover -            self.fail('Validation unexpectedly succeeded.') -      def test_is_valid_for_new_active_infraction(self):          self.create_infraction('ban', active=False) diff --git a/pydis_site/apps/api/tests/test_models.py b/pydis_site/apps/api/tests/test_models.py index 5c9ddea4..0fad467c 100644 --- a/pydis_site/apps/api/tests/test_models.py +++ b/pydis_site/apps/api/tests/test_models.py @@ -1,8 +1,7 @@ -from datetime import datetime as dt +from datetime import datetime as dt, timezone  from django.core.exceptions import ValidationError  from django.test import SimpleTestCase, TestCase -from django.utils import timezone  from pydis_site.apps.api.models import (      DeletedMessage, @@ -41,7 +40,7 @@ class NitroMessageLengthTest(TestCase):          self.context = MessageDeletionContext.objects.create(              id=50,              actor=self.user, -            creation=dt.utcnow() +            creation=dt.now(timezone.utc)          )      def test_create(self): @@ -99,7 +98,7 @@ class StringDunderMethodTests(SimpleTestCase):                          name='shawn',                          discriminator=555,                      ), -                    creation=dt.utcnow() +                    creation=dt.now(timezone.utc)                  ),                  embeds=[]              ), 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 2d273756..34098c92 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 @@ -74,6 +74,9 @@ class ListTests(AuthenticatedAPITestCase):          cls.test_name_3 = OffTopicChannelName.objects.create(              name="frozen-with-iceman", used=True, active=False          ) +        cls.test_name_4 = OffTopicChannelName.objects.create( +            name="xith-is-cool", used=True, active=True +        )      def test_returns_name_in_list(self):          """Return all off-topic channel names.""" @@ -86,28 +89,46 @@ class ListTests(AuthenticatedAPITestCase):              {                  self.test_name.name,                  self.test_name_2.name, -                self.test_name_3.name +                self.test_name_3.name, +                self.test_name_4.name              }          ) -    def test_returns_two_items_with_random_items_param_set_to_2(self): -        """Return not-used name instead used.""" +    def test_returns_two_active_items_with_random_items_param_set_to_2(self): +        """Return not-used active names instead used."""          url = reverse('api:bot:offtopicchannelname-list')          response = self.client.get(f'{url}?random_items=2')          self.assertEqual(response.status_code, 200)          self.assertEqual(len(response.json()), 2) -        self.assertEqual(set(response.json()), {self.test_name.name, self.test_name_2.name}) +        self.assertTrue( +            all( +                item in (self.test_name.name, self.test_name_2.name, self.test_name_4.name) +                for item in response.json() +            ) +        ) + +    def test_returns_three_active_items_with_random_items_param_set_to_3(self): +        """Return not-used active names instead used.""" +        url = reverse('api:bot:offtopicchannelname-list') +        response = self.client.get(f'{url}?random_items=3') + +        self.assertEqual(response.status_code, 200) +        self.assertEqual(len(response.json()), 3) +        self.assertEqual( +            set(response.json()), +            {self.test_name.name, self.test_name_2.name, self.test_name_4.name} +        )      def test_running_out_of_names_with_random_parameter(self): -        """Reset names `used` parameter to `False` when running out of names.""" +        """Reset names `used` parameter to `False` when running out of active names."""          url = reverse('api:bot:offtopicchannelname-list')          response = self.client.get(f'{url}?random_items=3')          self.assertEqual(response.status_code, 200)          self.assertEqual(              set(response.json()), -            {self.test_name.name, self.test_name_2.name, self.test_name_3.name} +            {self.test_name.name, self.test_name_2.name, self.test_name_4.name}          )      def test_returns_inactive_ot_names(self): @@ -129,7 +150,7 @@ class ListTests(AuthenticatedAPITestCase):          self.assertEqual(response.status_code, 200)          self.assertEqual(              set(response.json()), -            {self.test_name.name, self.test_name_2.name} +            {self.test_name.name, self.test_name_2.name, self.test_name_4.name}          ) diff --git a/pydis_site/apps/api/tests/test_reminders.py b/pydis_site/apps/api/tests/test_reminders.py index 709685bc..e17569f0 100644 --- a/pydis_site/apps/api/tests/test_reminders.py +++ b/pydis_site/apps/api/tests/test_reminders.py @@ -1,4 +1,4 @@ -from datetime import datetime +from datetime import datetime, timezone  from django.forms.models import model_to_dict  from django.urls import reverse @@ -91,7 +91,7 @@ class ReminderDeletionTests(AuthenticatedAPITestCase):          cls.reminder = Reminder.objects.create(              author=cls.author,              content="Don't forget to set yourself a reminder", -            expiration=datetime.utcnow().isoformat(), +            expiration=datetime.now(timezone.utc),              jump_url="https://www.decliningmentalfaculties.com",              channel_id=123          ) @@ -122,7 +122,7 @@ class ReminderListTests(AuthenticatedAPITestCase):          cls.reminder_one = Reminder.objects.create(              author=cls.author,              content="We should take Bikini Bottom, and push it somewhere else!", -            expiration=datetime.utcnow().isoformat(), +            expiration=datetime.now(timezone.utc),              jump_url="https://www.icantseemyforehead.com",              channel_id=123          ) @@ -130,16 +130,17 @@ class ReminderListTests(AuthenticatedAPITestCase):          cls.reminder_two = Reminder.objects.create(              author=cls.author,              content="Gahhh-I love being purple!", -            expiration=datetime.utcnow().isoformat(), +            expiration=datetime.now(timezone.utc),              jump_url="https://www.goofygoobersicecreampartyboat.com",              channel_id=123,              active=False          ) +        drf_format = '%Y-%m-%dT%H:%M:%S.%fZ'          cls.rem_dict_one = model_to_dict(cls.reminder_one) -        cls.rem_dict_one['expiration'] += 'Z'  # Massaging a quirk of the response time format +        cls.rem_dict_one['expiration'] = cls.rem_dict_one['expiration'].strftime(drf_format)          cls.rem_dict_two = model_to_dict(cls.reminder_two) -        cls.rem_dict_two['expiration'] += 'Z'  # Massaging a quirk of the response time format +        cls.rem_dict_two['expiration'] = cls.rem_dict_two['expiration'].strftime(drf_format)      def test_reminders_in_full_list(self):          url = reverse('api:bot:reminder-list') @@ -175,7 +176,7 @@ class ReminderRetrieveTests(AuthenticatedAPITestCase):          cls.reminder = Reminder.objects.create(              author=cls.author,              content="Reminder content", -            expiration=datetime.utcnow().isoformat(), +            expiration=datetime.now(timezone.utc),              jump_url="http://example.com/",              channel_id=123          ) @@ -203,7 +204,7 @@ class ReminderUpdateTests(AuthenticatedAPITestCase):          cls.reminder = Reminder.objects.create(              author=cls.author,              content="Squash those do-gooders", -            expiration=datetime.utcnow().isoformat(), +            expiration=datetime.now(timezone.utc),              jump_url="https://www.decliningmentalfaculties.com",              channel_id=123          ) diff --git a/pydis_site/apps/api/tests/test_users.py b/pydis_site/apps/api/tests/test_users.py index e21bb32b..5d10069d 100644 --- a/pydis_site/apps/api/tests/test_users.py +++ b/pydis_site/apps/api/tests/test_users.py @@ -1,3 +1,4 @@ +import random  from unittest.mock import Mock, patch  from django.urls import reverse @@ -520,3 +521,45 @@ class UserMetricityTests(AuthenticatedAPITestCase):          self.metricity.total_messages.side_effect = NotFoundError()          self.metricity.total_message_blocks.side_effect = NotFoundError()          self.metricity.top_channel_activity.side_effect = NotFoundError() + + +class UserViewSetTests(AuthenticatedAPITestCase): +    @classmethod +    def setUpTestData(cls): +        cls.searched_user = User.objects.create( +            id=12095219, +            name=f"Test user {random.randint(100, 1000)}", +            discriminator=random.randint(1, 9999), +            in_guild=True, +        ) +        cls.other_user = User.objects.create( +            id=18259125, +            name=f"Test user {random.randint(100, 1000)}", +            discriminator=random.randint(1, 9999), +            in_guild=True, +        ) + +    def test_search_lookup_of_wanted_user(self) -> None: +        """Searching a user by name and discriminator should return that user.""" +        url = reverse('api:bot:user-list') +        params = { +            'username': self.searched_user.name, +            'discriminator': self.searched_user.discriminator, +        } +        response = self.client.get(url, params) +        result = response.json() +        self.assertEqual(result['count'], 1) +        [user] = result['results'] +        self.assertEqual(user['id'], self.searched_user.id) + +    def test_search_lookup_of_unknown_user(self) -> None: +        """Searching an unknown user should return no results.""" +        url = reverse('api:bot:user-list') +        params = { +            'username': "f-string enjoyer", +            'discriminator': 1245, +        } +        response = self.client.get(url, params) +        result = response.json() +        self.assertEqual(result['count'], 0) +        self.assertEqual(result['results'], []) diff --git a/pydis_site/apps/api/urls.py b/pydis_site/apps/api/urls.py index b0ab545b..1e564b29 100644 --- a/pydis_site/apps/api/urls.py +++ b/pydis_site/apps/api/urls.py @@ -3,7 +3,10 @@ from rest_framework.routers import DefaultRouter  from .views import HealthcheckView, RulesView  from .viewsets import ( +    AocAccountLinkViewSet, +    AocCompletionistBlockViewSet,      BotSettingViewSet, +    BumpedThreadViewSet,      DeletedMessageViewSet,      DocumentationLinkViewSet,      FilterListViewSet, @@ -19,14 +22,22 @@ from .viewsets import (  # https://www.django-rest-framework.org/api-guide/routers/#defaultrouter  bot_router = DefaultRouter(trailing_slash=False)  bot_router.register( -    'filter-lists', -    FilterListViewSet +    "aoc-account-links", +    AocAccountLinkViewSet +) +bot_router.register( +    "aoc-completionist-blocks", +    AocCompletionistBlockViewSet  )  bot_router.register(      'bot-settings',      BotSettingViewSet  )  bot_router.register( +    'bumped-threads', +    BumpedThreadViewSet +) +bot_router.register(      'deleted-messages',      DeletedMessageViewSet  ) @@ -35,6 +46,10 @@ bot_router.register(      DocumentationLinkViewSet  )  bot_router.register( +    'filter-lists', +    FilterListViewSet +) +bot_router.register(      'infractions',      InfractionViewSet  ) diff --git a/pydis_site/apps/api/viewsets/__init__.py b/pydis_site/apps/api/viewsets/__init__.py index f133e77f..ec52416a 100644 --- a/pydis_site/apps/api/viewsets/__init__.py +++ b/pydis_site/apps/api/viewsets/__init__.py @@ -1,12 +1,15 @@  # flake8: noqa  from .bot import ( -    FilterListViewSet,      BotSettingViewSet, +    BumpedThreadViewSet,      DeletedMessageViewSet,      DocumentationLinkViewSet, +    FilterListViewSet,      InfractionViewSet,      NominationViewSet,      OffensiveMessageViewSet, +    AocAccountLinkViewSet, +    AocCompletionistBlockViewSet,      OffTopicChannelNameViewSet,      ReminderViewSet,      RoleViewSet, diff --git a/pydis_site/apps/api/viewsets/bot/__init__.py b/pydis_site/apps/api/viewsets/bot/__init__.py index 84b87eab..262aa59f 100644 --- a/pydis_site/apps/api/viewsets/bot/__init__.py +++ b/pydis_site/apps/api/viewsets/bot/__init__.py @@ -1,12 +1,15 @@  # flake8: noqa  from .filter_list import FilterListViewSet  from .bot_setting import BotSettingViewSet +from .bumped_thread import BumpedThreadViewSet  from .deleted_message import DeletedMessageViewSet  from .documentation_link import DocumentationLinkViewSet  from .infraction import InfractionViewSet  from .nomination import NominationViewSet  from .off_topic_channel_name import OffTopicChannelNameViewSet  from .offensive_message import OffensiveMessageViewSet +from .aoc_link import AocAccountLinkViewSet +from .aoc_completionist_block import AocCompletionistBlockViewSet  from .reminder import ReminderViewSet  from .role import RoleViewSet  from .user import UserViewSet diff --git a/pydis_site/apps/api/viewsets/bot/aoc_completionist_block.py b/pydis_site/apps/api/viewsets/bot/aoc_completionist_block.py new file mode 100644 index 00000000..3a4cec60 --- /dev/null +++ b/pydis_site/apps/api/viewsets/bot/aoc_completionist_block.py @@ -0,0 +1,73 @@ +from django_filters.rest_framework import DjangoFilterBackend +from rest_framework.mixins import ( +    CreateModelMixin, DestroyModelMixin, ListModelMixin, RetrieveModelMixin +) +from rest_framework.viewsets import GenericViewSet + +from pydis_site.apps.api.models.bot import AocCompletionistBlock +from pydis_site.apps.api.serializers import AocCompletionistBlockSerializer + + +class AocCompletionistBlockViewSet( +    GenericViewSet, CreateModelMixin, DestroyModelMixin, RetrieveModelMixin, ListModelMixin +): +    """ +    View providing management for Users blocked from gettign the AoC completionist Role. + +    ## Routes + +    ### GET /bot/aoc-completionist-blocks/ +    Returns all the AoC completionist blocks + +    #### Response format +    >>> [ +    ...     { +    ...         "user": 2, +    ...         "is_blocked": False, +    ...         "reason": "Too good to be true" +    ...     } +    ... ] + + +    ### GET /bot/aoc-completionist-blocks/<user__id:int> +    Retrieve a single Block by User ID + +    #### Response format +    >>> +    ...     { +    ...         "user": 2, +    ...         "is_blocked": False, +    ...         "reason": "Too good to be true" +    ...     } + +    #### Status codes +    - 200: returned on success +    - 404: returned if an AoC completionist block with the given `user__id` was not found. + +    ### POST /bot/aoc-completionist-blocks +    Adds a single AoC completionist block + +    #### Request body +    >>> { +    ...     "user": int, +    ...     "is_blocked": bool, +    ...     "reason": string +    ... } + +    #### Status codes +    - 204: returned on success +    - 400: if one of the given fields is invalid + +    ### DELETE /bot/aoc-completionist-blocks/<user__id:int> +    Deletes the AoC Completionist block item with the given `user__id`. + +    #### Status codes +    - 204: returned on success +    - 404: returned if the AoC Completionist block with the given `user__id` was not found + +    """ + +    serializer_class = AocCompletionistBlockSerializer +    queryset = AocCompletionistBlock.objects.all() +    filter_backends = (DjangoFilterBackend,) +    filter_fields = ("user__id", "is_blocked") diff --git a/pydis_site/apps/api/viewsets/bot/aoc_link.py b/pydis_site/apps/api/viewsets/bot/aoc_link.py new file mode 100644 index 00000000..c7a96629 --- /dev/null +++ b/pydis_site/apps/api/viewsets/bot/aoc_link.py @@ -0,0 +1,71 @@ +from django_filters.rest_framework import DjangoFilterBackend +from rest_framework.mixins import ( +    CreateModelMixin, DestroyModelMixin, ListModelMixin, RetrieveModelMixin +) +from rest_framework.viewsets import GenericViewSet + +from pydis_site.apps.api.models.bot import AocAccountLink +from pydis_site.apps.api.serializers import AocAccountLinkSerializer + + +class AocAccountLinkViewSet( +    GenericViewSet, CreateModelMixin, DestroyModelMixin, RetrieveModelMixin, ListModelMixin +): +    """ +    View providing management for Users who linked their AoC accounts to their Discord Account. + +    ## Routes + +    ### GET /bot/aoc-account-links +    Returns all the AoC account links + +    #### Response format +    >>> [ +    ...     { +    ...         "user": 2, +    ...         "aoc_username": "AoCUser1" +    ...     }, +    ...     ... +    ... ] + + +    ### GET /bot/aoc-account-links/<user__id:int> +    Retrieve a AoC account link by User ID + +    #### Response format +    >>> +    ... { +    ...     "user": 2, +    ...     "aoc_username": "AoCUser1" +    ... } + +    #### Status codes +    - 200: returned on success +    - 404: returned if an AoC account link with the given `user__id` was not found. + +    ### POST /bot/aoc-account-links +    Adds a single AoC account link block + +    #### Request body +    >>> { +    ...     'user': int, +    ...     'aoc_username': str +    ... } + +    #### Status codes +    - 204: returned on success +    - 400: if one of the given fields was invalid + +    ### DELETE /bot/aoc-account-links/<user__id:int> +    Deletes the AoC account link item with the given `user__id`. + +    #### Status codes +    - 204: returned on success +    - 404: returned if the AoC account link with the given `user__id` was not found + +    """ + +    serializer_class = AocAccountLinkSerializer +    queryset = AocAccountLink.objects.all() +    filter_backends = (DjangoFilterBackend,) +    filter_fields = ("user__id", "aoc_username") diff --git a/pydis_site/apps/api/viewsets/bot/bumped_thread.py b/pydis_site/apps/api/viewsets/bot/bumped_thread.py new file mode 100644 index 00000000..9d77bb6b --- /dev/null +++ b/pydis_site/apps/api/viewsets/bot/bumped_thread.py @@ -0,0 +1,66 @@ +from rest_framework.mixins import ( +    CreateModelMixin, DestroyModelMixin, ListModelMixin +) +from rest_framework.request import Request +from rest_framework.response import Response +from rest_framework.viewsets import GenericViewSet + +from pydis_site.apps.api.models.bot import BumpedThread +from pydis_site.apps.api.serializers import BumpedThreadSerializer + + +class BumpedThreadViewSet( +    GenericViewSet, CreateModelMixin, DestroyModelMixin, ListModelMixin +): +    """ +    View providing CRUD (Minus the U) operations on threads to be bumped. + +    ## Routes +    ### GET /bot/bumped-threads +    Returns all BumpedThread items in the database. + +    #### Response format +    >>> list[int] + +    #### Status codes +    - 200: returned on success +    - 401: returned if unauthenticated + +    ### GET /bot/bumped-threads/<thread_id:int> +    Returns whether a specific BumpedThread exists in the database. + +    #### Status codes +    - 204: returned on success +    - 404: returned if a BumpedThread with the given thread_id was not found. + +    ### POST /bot/bumped-threads +    Adds a single BumpedThread item to the database. + +    #### Request body +    >>> { +    ...    'thread_id': int, +    ... } + +    #### Status codes +    - 201: returned on success +    - 400: if one of the given fields is invalid + +    ### DELETE /bot/bumped-threads/<thread_id:int> +    Deletes the BumpedThread item with the given `thread_id`. + +    #### Status codes +    - 204: returned on success +    - 404: if a BumpedThread with the given `thread_id` does not exist +    """ + +    serializer_class = BumpedThreadSerializer +    queryset = BumpedThread.objects.all() + +    def retrieve(self, request: Request, *args, **kwargs) -> Response: +        """ +        DRF method for checking if the given BumpedThread exists. + +        Called by the Django Rest Framework in response to the corresponding HTTP request. +        """ +        self.get_object() +        return Response(status=204) diff --git a/pydis_site/apps/api/viewsets/bot/infraction.py b/pydis_site/apps/api/viewsets/bot/infraction.py index 8a48ed1f..7f31292f 100644 --- a/pydis_site/apps/api/viewsets/bot/infraction.py +++ b/pydis_site/apps/api/viewsets/bot/infraction.py @@ -1,7 +1,9 @@  from datetime import datetime +from django.db import IntegrityError  from django.db.models import QuerySet  from django.http.request import HttpRequest +from django.utils import timezone  from django_filters.rest_framework import DjangoFilterBackend  from rest_framework.decorators import action  from rest_framework.exceptions import ValidationError @@ -183,20 +185,24 @@ class InfractionViewSet(          filter_expires_after = self.request.query_params.get('expires_after')          if filter_expires_after:              try: -                additional_filters['expires_at__gte'] = datetime.fromisoformat( -                    filter_expires_after -                ) +                expires_after_parsed = datetime.fromisoformat(filter_expires_after)              except ValueError:                  raise ValidationError({'expires_after': ['failed to convert to datetime']}) +            additional_filters['expires_at__gte'] = timezone.make_aware( +                expires_after_parsed, +                timezone=timezone.utc, +            )          filter_expires_before = self.request.query_params.get('expires_before')          if filter_expires_before:              try: -                additional_filters['expires_at__lte'] = datetime.fromisoformat( -                    filter_expires_before -                ) +                expires_before_parsed = datetime.fromisoformat(filter_expires_before)              except ValueError:                  raise ValidationError({'expires_before': ['failed to convert to datetime']}) +            additional_filters['expires_at__lte'] = timezone.make_aware( +                expires_before_parsed, +                timezone=timezone.utc, +            )          if 'expires_at__lte' in additional_filters and 'expires_at__gte' in additional_filters:              if additional_filters['expires_at__gte'] > additional_filters['expires_at__lte']: @@ -271,3 +277,28 @@ class InfractionViewSet(          """          self.serializer_class = ExpandedInfractionSerializer          return self.partial_update(*args, **kwargs) + +    def create(self, request: HttpRequest, *args, **kwargs) -> Response: +        """ +        Create an infraction for a target user. + +        Called by the Django Rest Framework in response to the corresponding HTTP request. +        """ +        try: +            return super().create(request, *args, **kwargs) +        except IntegrityError as err: +            # We need to use `__cause__` here, as Django reraises the internal +            # UniqueViolation emitted by psycopg2 (which contains the attribute +            # that we actually need) +            # +            # _meta is documented and mainly named that way to prevent +            # name clashes: https://docs.djangoproject.com/en/dev/ref/models/meta/ +            if err.__cause__.diag.constraint_name == Infraction._meta.constraints[0].name: +                raise ValidationError( +                    { +                        'non_field_errors': [ +                            'This user already has an active infraction of this type.', +                        ] +                    } +                ) +            raise  # pragma: no cover - no other constraint to test with 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 78f8c340..d0519e86 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 @@ -108,7 +108,7 @@ class OffTopicChannelNameViewSet(ModelViewSet):                      'random_items': ["Must be a positive integer."]                  }) -            queryset = self.queryset.order_by('used', '?')[:random_count] +            queryset = self.queryset.filter(active=True).order_by('used', '?')[:random_count]              # When any name is used in our listing then this means we reached end of round              # and we need to reset all other names `used` to False @@ -133,7 +133,6 @@ class OffTopicChannelNameViewSet(ModelViewSet):              return Response(serialized.data)          params = {} -          if active_param := request.query_params.get("active"):              params["active"] = active_param.lower() == "true" diff --git a/pydis_site/apps/api/viewsets/bot/user.py b/pydis_site/apps/api/viewsets/bot/user.py index a867a80f..3318b2b9 100644 --- a/pydis_site/apps/api/viewsets/bot/user.py +++ b/pydis_site/apps/api/viewsets/bot/user.py @@ -2,6 +2,7 @@ import typing  from collections import OrderedDict  from django.db.models import Q +from django_filters.rest_framework import DjangoFilterBackend  from rest_framework import status  from rest_framework.decorators import action  from rest_framework.pagination import PageNumberPagination @@ -77,6 +78,8 @@ class UserViewSet(ModelViewSet):      ... }      #### Optional Query Parameters +    - username: username to search for +    - discriminator: discriminator to search for      - page_size: number of Users in one page, defaults to 10,000      - page: page number @@ -233,6 +236,8 @@ class UserViewSet(ModelViewSet):      serializer_class = UserSerializer      queryset = User.objects.all().order_by("id")      pagination_class = UserListPagination +    filter_backends = (DjangoFilterBackend,) +    filter_fields = ('name', 'discriminator')      def get_serializer(self, *args, **kwargs) -> ModelSerializer:          """Set Serializer many attribute to True if request body contains a list.""" diff --git a/pydis_site/apps/content/README.md b/pydis_site/apps/content/README.md new file mode 100644 index 00000000..e7061207 --- /dev/null +++ b/pydis_site/apps/content/README.md @@ -0,0 +1,32 @@ +# The "content" app + +This application serves static, Markdown-based content. Django-wise there is +relatively little code in there; most of it is concerned with serving our +content. + + +## Contributing pages + +The Markdown files hosting our content can be found in the +[`resources/`](./resources) directory. The process of contributing to pages is +covered extensively in our online guide which you can find +[here](https://www.pythondiscord.com/pages/guides/pydis-guides/how-to-contribute-a-page/). +Alternatively, read it directly at +[`resources/guides/pydis-guides/how-to-contribute-a-page.md`](./resources/guides/pydis-guides/how-to-contribute-a-page.md). + + +## Directory structure + +Let's look at the structure in here: + +- `resources` contains the static Markdown files that make up our site's +  [pages](https://www.pythondiscord.com/pages/) + +- `tests` contains unit tests for verifying that the app works properly. + +- `views` contains Django views which generate and serve the pages from the +  input Markdown. + +As for the modules, apart from the standard Django modules in here, the +`utils.py` module contains utility functions for discovering Markdown files to +serve. diff --git a/pydis_site/apps/content/migrations/__init__.py b/pydis_site/apps/content/migrations/__init__.py deleted file mode 100644 index e69de29b..00000000 --- a/pydis_site/apps/content/migrations/__init__.py +++ /dev/null diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing.md index 4013962c..6231fe87 100644 --- a/pydis_site/apps/content/resources/guides/pydis-guides/contributing.md +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing.md @@ -4,7 +4,7 @@ description: A guide to contributing to our open source projects.  icon: fab fa-github  --- -Our projects on Python Discord are open source and [available on Github](https://github.com/python-discord).  If you would like to contribute, consider one of the following projects: +Our projects on Python Discord are open source and [available on GitHub](https://github.com/python-discord).  If you would like to contribute, consider one of the following projects:  <!-- Project cards -->  <div class="columns is-multiline is-centered is-3 is-variable"> @@ -19,11 +19,7 @@ Our projects on Python Discord are open source and [available on Github](https:/        </div>        <div class="card-content">          <div class="content"> -          Our community-driven Discord bot. -        </div> -        <div class="tags has-addons"> -          <span class="tag is-dark">Difficulty</span> -          <span class="tag is-primary">Beginner</span> +          Sir Lancebot has a collection of self-contained, for-fun features. If you're new to Discord bots or contributing, this is a great place to start!          </div>        </div>        <div class="card-footer"> @@ -46,11 +42,7 @@ Our projects on Python Discord are open source and [available on Github](https:/        </div>        <div class="card-content">          <div class="content"> -          The community and moderation Discord bot. -        </div> -        <div class="tags has-addons"> -          <span class="tag is-dark">Difficulty</span> -          <span class="tag is-warning">Intermediate</span> +          Called @Python on the server, this bot handles moderation tools, help channels, and other critical features for our community.          </div>        </div>        <div class="card-footer"> @@ -73,11 +65,7 @@ Our projects on Python Discord are open source and [available on Github](https:/        </div>        <div class="card-content">          <div class="content"> -          The website, subdomains and API. -        </div> -        <div class="tags has-addons"> -          <span class="tag is-dark">Difficulty</span> -          <span class="tag is-danger">Advanced</span> +          This website itself! This project is built with Django and includes our API, which is used by various services such as @Python.          </div>        </div>        <div class="card-footer"> @@ -91,26 +79,64 @@ Our projects on Python Discord are open source and [available on Github](https:/    </div>  </div> -If you don't understand anything or need clarification, feel free to ask any staff member with the  **@PyDis Core Developers** role in the server. We're always happy to help! +# How do I start contributing? +Unsure of what contributing to open source projects involves? Have questions about how to use GitHub? Just need to know about our contribution etiquette? Completing these steps will have you ready to make your first contribution no matter your starting point. + +Feel free to skip any steps you're already familiar with, but please make sure not to miss the [Contributing Guidelines](#5-read-our-contributing-guidelines). + +If you are here looking for the answer to a specific question, check out the sub-articles in the top right of the page to see a list of our guides. + +**Note:** We use Git to keep track of changes to the files in our projects. Git allows you to make changes to your local code and then distribute those changes to the other people working on the project. You'll use Git in a couple steps of the contributing process. You can refer to this [**guide on using Git**](./working-with-git/). +{: .notification } + +### 1. Fork and clone the repo +GitHub is a website based on Git that stores project files in the cloud. We use GitHub as a central place for sending changes, reviewing others' changes, and communicating with each other. You'll need to create a copy under your own GitHub account, a.k.a. "fork" it. You'll make your changes to this copy, which can then later be merged into the Python Discord repository. + +*Note: Members of the Python Discord staff can create feature branches directly on the repo without forking it.* + +Check out our [**guide on forking a GitHub repo**](./forking-repository/). + +Now that you have your own fork you need to be able to make changes to the code. You can clone the repo to your local machine, commit changes to it there, then push those changes to GitHub. + +Check out our [**guide on cloning a GitHub repo**](./cloning-repository/). + +### 2. Set up the project +You have the source code on your local computer, now how do you actually run it? We have detailed guides on setting up the environment for each of our main projects: + +* [**Sir Lancebot**](./sir-lancebot/) + +* [**Python Bot**](./bot/) + +* [**Site**](./site/) + +### 3. Read our Contributing Guidelines +We have a few short rules that all contributors must follow. Make sure you read and follow them while working on our projects. + +[**Contributing Guidelines**](./contributing-guidelines/). + +As mentioned in the Contributing Guidelines, we have a simple style guide for our projects based on PEP 8. Give it a read to keep your code consistent with the rest of the codebase. + +[**Style Guide**](./style-guide/) + +### 4. Create an issue +The first step to any new contribution is an issue describing a problem with the current codebase or proposing a new feature. All the open issues are viewable on the GitHub repositories, for instance here is the [issues page for Sir Lancebot](https://github.com/python-discord/sir-lancebot/issues). If you have something that you want to implement open a new issue to present your idea. Otherwise you can browse the unassigned issues and ask to be assigned to one that you're interested in, either in the comments on the issue or in the [`#dev-contrib`](https://discord.gg/2h3qBv8Xaa) channel on Discord. + +[**How to write a good issue**](./issues/) -### Useful Resources +Don't move forward until your issue is approved by a Core Developer. Issues are not guaranteed to be approved so your work may be wasted. +{: .notification .is-warning } -[Guidelines](./contributing-guidelines/) - General guidelines you should follow when contributing to our projects.<br> -[Style Guide](./style-guide/) - Information regarding the code styles you should follow when working on our projects.<br> -[Review Guide](../code-reviews-primer/) - A guide to get you started on doing code reviews. +### 5. Make changes +Now it is time to make the changes to fulfill your approved issue. You should create a new Git branch for your feature; that way you can keep your main branch up to date with ours and even work on multiple features at once in separate branches. -## Contributors Community -We are very happy to have many members in our community that contribute to [our open source projects](https://github.com/python-discord/). -Whether it's writing code, reviewing pull requests, or contributing graphics for our events, it’s great to see so many people being motivated to help out. -As a token of our appreciation, those who have made significant contributions to our projects will receive a special **@Contributors** role on our server that makes them stand out from other members. -That way, they can also serve as guides to others who are looking to start contributing to our open source projects or open source in general. +This is a good time to review [how to write good commit messages](./contributing-guidelines/commit-messages) if you haven't already. -#### Guidelines for the @Contributors Role +### 6. Open a pull request +After your issue has been approved and you've written your code and tested it, it's time to open a pull request. Pull requests are a feature in GitHub; you can think of them as asking the project maintainers to accept your changes. This gives other contributors a chance to review your code and make any needed changes before it's merged into the main branch of the project. -One question we get a lot is what the requirements for the **@Contributors** role are. -As it’s difficult to precisely quantify contributions, we’ve come up with the following guidelines for the role: +Check out our [**Pull Request Guide**](./pull-requests/) for help with opening a pull request and going through the review process. -- The member has made several significant contributions to our projects. -- The member has a positive influence in our contributors subcommunity. +Check out our [**Code Review Guide**](../code-reviews-primer/) to learn how to be a star reviewer. Reviewing PRs is a vital part of open source development, and we always need more reviewers! -The role will be assigned at the discretion of the Admin Team in consultation with the Core Developers Team. +### That's it! +Thank you for contributing to our community projects. If there's anything you don't understand or you just want to discuss with other contributors, come visit the [`#dev-contrib`](https://discord.gg/2h3qBv8Xaa) channel to ask questions. Keep an eye out for staff members with the **@PyDis Core Developers** role in the server; we're always happy to help! 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 2aa10aa3..ad446cc8 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 @@ -5,34 +5,9 @@ icon: fab fa-github  toc: 3  ---  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-fw fa-angle-down title is-5" aria-hidden="true"></i> -        </span> -    </button> -    <div class="collapsible-content collapsed"> -        <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. +You should have already forked the repository and cloned it to your local machine. If not, check out our [detailed walkthrough](../#1-fork-and-clone-the-repo). -#### 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. +This page will focus on the quickest steps one can take, with mentions of alternatives afterwards.  --- @@ -570,10 +545,7 @@ Now that you have everything setup, it is finally time to make changes to the bo  #### Working with Git -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. - -Notably, version control of our projects is done using Git and Github. +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.  [**Click here to see the basic Git workflow when contributing to one of our projects.**](../working-with-git/) @@ -664,4 +636,11 @@ The following is a list of all available environment variables used by the bot:  | `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. +--- + +# Next steps +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.md), now is a good time. Contributions that do not adhere to the guidelines may be rejected. + +If you're not sure where to go from here, our [detailed walkthrough](../#2-set-up-the-project) is for you. +  Have fun! diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/contributing-guidelines.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/contributing-guidelines.md index de1777f2..73c5dcab 100644 --- a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/contributing-guidelines.md +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/contributing-guidelines.md @@ -4,22 +4,15 @@ description: Guidelines to adhere to when contributing to our projects.  ---  Thank you for your interest in our projects! +This page contains the golden rules to follow when contributing. If you have questions about how to get started contributing, check out our [in-depth walkthrough](../../contributing/). -If you are interested in contributing, **this page contains the golden rules to follow when contributing.** -Supplemental information [can be found here](./supplemental-information/). -Do note that failing to comply with our guidelines may lead to a rejection of the contribution. - -If you are confused by any of these rules, feel free to ask us in the `#dev-contrib` channel in our [Discord server.](https://discord.gg/python) - -# The Golden Rules of Contributing - -1. **Lint before you push.** We have simple but strict style rules that are enforced through linting. -You must always lint your code before committing or pushing. -[Using tools](./supplemental-information/#linting-and-pre-commit) such as `flake8` and `pre-commit` can make this easier. -Make sure to follow our [style guide](../style-guide/) when contributing. +1. **Lint before you push.** +We have simple but strict style rules that are enforced through linting. +[Set up a pre-commit hook](../linting/) to lint your code when you commit it. +Not all of the style rules are enforced by linting, so make sure to read the [style guide](../style-guide/) as well.  2. **Make great commits.**  Great commits should be atomic, with a commit message explaining what and why. -More on that can be found in [this section](./supplemental-information/#writing-good-commit-messages). +Check out [Writing Good Commit Messages](./commit-messages) for details.  3. **Do not open a pull request if you aren't assigned to the issue.**  If someone is already working on it, consider offering to collaborate with that person.  4. **Use assets licensed for public use.** @@ -28,4 +21,8 @@ Whenever the assets are images, audio or even code, they must have a license com  We aim to foster a welcoming and friendly environment on our open source projects.  We take violations of our Code of Conduct very seriously, and may respond with moderator action. -Welcome to our projects! +<br/> + +Failing to comply with our guidelines may lead to a rejection of the contribution. +If you have questions about any of the rules, feel free to ask us in the [`#dev-contrib`](https://discord.gg/2h3qBv8Xaa) channel in our [Discord server](https://discord.gg/python). +{: .notification .is-warning } diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/contributing-guidelines/commit-messages.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/contributing-guidelines/commit-messages.md new file mode 100644 index 00000000..ba476b65 --- /dev/null +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/contributing-guidelines/commit-messages.md @@ -0,0 +1,15 @@ +--- +title: Writing Good Commit Messages +description: Information about logging in our projects. +--- + +A well-structured git log is key to a project's maintainability; it provides insight into when and *why* things were done for future maintainers of the project. + +Commits should be as narrow in scope as possible. +Commits that span hundreds of lines across multiple unrelated functions and/or files are very hard for maintainers to follow. +After about a week they'll probably be hard for you to follow, too. + +Please also avoid making minor commits for fixing typos or linting errors. +[Don’t forget to lint before you push!](https://soundcloud.com/lemonsaurusrex/lint-before-you-push) + +A more in-depth guide to writing great commit messages can be found in Chris Beam's [How to Write a Git Commit Message](https://chris.beams.io/posts/git-commit/). 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 deleted file mode 100644 index e64e4fc6..00000000 --- a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/contributing-guidelines/supplemental-information.md +++ /dev/null @@ -1,99 +0,0 @@ ---- -title: Supplemental Information -description: Additional information related to our contributing guidelines. ---- - -This page contains additional information concerning a specific part of our development pipeline. - -## Writing Good Commit Messages - -A well-structured git log is key to a project's maintainability; it provides insight into when and *why* things were done for future maintainers of the project. - -Commits should be as narrow in scope as possible. -Commits that span hundreds of lines across multiple unrelated functions and/or files are very hard for maintainers to follow. -After about a week they'll probably be hard for you to follow, too. - -Please also avoid making minor commits for fixing typos or linting errors. -*[Don’t forget to lint before you push!](https://soundcloud.com/lemonsaurusrex/lint-before-you-push)* - -A more in-depth guide to writing great commit messages can be found in Chris Beam's *[How to Write a Git Commit Message](https://chris.beams.io/posts/git-commit/).* - -## Code Style - -All of our projects have a certain project-wide style that contributions should attempt to maintain consistency with. -During PR review, it's not unusual for style adjustments to be requested. - -[This page](../../style-guide/) will reference the differences between our projects and what is recommended by [PEP 8.](https://www.python.org/dev/peps/pep-0008/) - -## Linting and Pre-commit - -On most of our projects, we use `flake8` and `pre-commit` to ensure that the code style is consistent across the code base. - -Running `flake8` will warn you about any potential style errors in your contribution. -You must always check it **before pushing**. -Your commit will be rejected by the build server if it fails to lint. - -**Some style rules are not enforced by flake8. Make sure to read the [style guide](../../style-guide/).** - -`pre-commit` is a powerful tool that helps you automatically lint before you commit. -If the linter complains, the commit is aborted so that you can fix the linting errors before committing again. -That way, you never commit the problematic code in the first place! - -Please refer to the project-specific documentation to see how to setup and run those tools. -In most cases, you can install pre-commit using `poetry run task precommit`, and lint using `poetry run task lint`. - -## Type Hinting - -[PEP 484](https://www.python.org/dev/peps/pep-0484/) formally specifies type hints for Python functions, added to the Python Standard Library in version 3.5. -Type hints are recognized by most modern code editing tools and provide useful insight into both the input and output types of a function, preventing the user from having to go through the codebase to determine these types. - -For example: - -```python -import typing - -def foo(input_1: int, input_2: typing.Dict[str, str]) -> bool: -    ... -``` - -This tells us that `foo` accepts an `int` and a `dict`, with `str` keys and values, and returns a `bool`. - -If the project is running Python 3.9 or above, you can use `dict` instead of `typing.Dict`. -See [PEP 585](https://www.python.org/dev/peps/pep-0585/) for more information. - -All function declarations should be type hinted in code contributed to the PyDis organization. - -## Logging - -Instead of using `print` statements for logging, we use the built-in [`logging`](https://docs.python.org/3/library/logging.html) module. -Here is an example usage: - -```python -import logging - -log = logging.getLogger(__name__) # Get a logger bound to the module name. -# This line is usually placed under the import statements at the top of the file. - -log.trace("This is a trace log.") -log.warning("BEEP! This is a warning.") -log.critical("It is about to go down!") -``` - -Print statements should be avoided when possible. -Our projects currently defines logging levels as follows, from lowest to highest severity: - -- **TRACE:** These events should be used to provide a *verbose* trace of every step of a complex process. This is essentially the `logging` equivalent of sprinkling `print` statements throughout the code. -- **Note:** This is a PyDis-implemented logging level. It may not be available on every project. -- **DEBUG:** These events should add context to what's happening in a development setup to make it easier to follow what's going while workig on a project. This is in the same vein as **TRACE** logging but at a much lower level of verbosity. -- **INFO:** These events are normal and don't need direct attention but are worth keeping track of in production, like checking which cogs were loaded during a start-up. -- **WARNING:** These events are out of the ordinary and should be fixed, but can cause a failure. -- **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](https://sentry.io) issue and alert the Core Developer team. - -## Draft Pull Requests - -Github [provides a PR feature](https://github.blog/2019-02-14-introducing-draft-pull-requests/) that allows the PR author to mark it as a Draft when opening it. This provides both a visual and functional indicator that the contents of the PR are in a draft state and not yet ready for formal review. - -This feature should be utilized in place of the traditional method of prepending `[WIP]` to the PR title. diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/linting.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/linting.md new file mode 100644 index 00000000..f6f8a5f2 --- /dev/null +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/linting.md @@ -0,0 +1,14 @@ +--- +title: Linting +description: A guide for linting and setting up pre-commit. +--- + +Your commit will be rejected by the build server if it fails to lint. +On most of our projects, we use `flake8` and `pre-commit` to ensure that the code style is consistent across the code base. + +`pre-commit` is a powerful tool that helps you automatically lint before you commit. +If the linter complains, the commit is aborted so that you can fix the linting errors before committing again. +That way, you never commit the problematic code in the first place! + +Please refer to the project-specific documentation to see how to setup and run those tools. +In most cases, you can install pre-commit using `poetry run task precommit`, and lint using `poetry run task lint` in the console. diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/logging.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/logging.md new file mode 100644 index 00000000..1291a7a4 --- /dev/null +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/logging.md @@ -0,0 +1,31 @@ +--- +title: Logging +description: Information about logging in our projects. +--- + +Instead of using `print` statements for logging, we use the built-in [`logging`](https://docs.python.org/3/library/logging.html) module. +Here is an example usage: + +```python +import logging + +log = logging.getLogger(__name__) # Get a logger bound to the module name. +# This line is usually placed under the import statements at the top of the file. + +log.trace("This is a trace log.") +log.warning("BEEP! This is a warning.") +log.critical("It is about to go down!") +``` + +Print statements should be avoided when possible. +Our projects currently defines logging levels as follows, from lowest to highest severity: + +- **TRACE:** These events should be used to provide a *verbose* trace of every step of a complex process. This is essentially the `logging` equivalent of sprinkling `print` statements throughout the code. +- **Note:** This is a PyDis-implemented logging level. It may not be available on every project. +- **DEBUG:** These events should add context to what's happening in a development setup to make it easier to follow what's going while workig on a project. This is in the same vein as **TRACE** logging but at a much lower level of verbosity. +- **INFO:** These events are normal and don't need direct attention but are worth keeping track of in production, like checking which cogs were loaded during a start-up. +- **WARNING:** These events are out of the ordinary and should be fixed, but can cause a failure. +- **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](https://sentry.io) issue and alert the Core Developer team. diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/pull-requests.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/pull-requests.md new file mode 100644 index 00000000..d193a455 --- /dev/null +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/pull-requests.md @@ -0,0 +1,40 @@ +--- +title: Pull Requests +description: A guide for opening pull requests. +--- + +As stated in our [Contributing Guidelines](../contributing-guidelines/), do not open a pull request if you aren't assigned to an approved issue. You can check out our [Issues Guide](../issues/) for help with opening an issue or getting assigned to an existing one. +{: .notification .is-warning } + +Before opening a pull request you should have: + +1. Committed your changes to your local repository +2. [Linted](../linting/) your code +3. Tested your changes +4. Pushed the branch to your fork of the project on GitHub + +## Opening a Pull Request + +Navigate to your fork on GitHub and make sure you're on the branch with your changes. Click on `Contribute` and then `Open pull request`: + + + +In the page that it opened, write an overview of the changes you made and why. This should explain how you resolved the issue that spawned this PR and highlight any differences from the proposed implementation. You should also [link the issue](https://docs.github.com/en/issues/tracking-your-work-with-issues/linking-a-pull-request-to-an-issue). + +At this stage you can also request reviews from individual contributors. If someone showed interest in the issue or has specific knowledge about it, they may be a good reviewer. It isn't necessary to request your reviewers; someone will review your PR either way. + +## The Review Process + +Before your changes are merged, your PR needs to be reviewed by other contributors. They will read the issue and your description of your PR, look at your code, test it, and then leave comments on the PR if they find any problems, possibly with suggested changes. Sometimes this can feel intrusive or insulting, but remember that the reviewers are there to help you make your code better. + +#### If the PR is already open, how do I make changes to it? + +A pull request is between a source branch and a target branch. Updating the source branch with new commits will automatically update the PR to include those commits; they'll even show up in the comment thread of the PR. Sometimes for small changes the reviewer will even write the suggested code themself, in which case you can simply accept them with the click of a button. + +If you truly disagree with a reviewer's suggestion, leave a reply in the thread explaining why or proposing an alternative change. Also feel free to ask questions if you want clarification about suggested changes or just want to discuss them further. + +## Draft Pull Requests + +GitHub [provides a PR feature](https://github.blog/2019-02-14-introducing-draft-pull-requests/) that allows the PR author to mark it as a draft when opening it. This provides both a visual and functional indicator that the contents of the PR are in a draft state and not yet ready for formal review. This is helpful when you want people to see the changes you're making before you're ready for the final pull request. + +This feature should be utilized in place of the traditional method of prepending `[WIP]` to the PR title. 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 e3cd8f0c..c9566d23 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 @@ -5,10 +5,11 @@ icon: fab fa-github  toc: 1  --- -> Before contributing, please ensure you read the [contributing guidelines](../contributing-guidelines) in full. +You should have already forked the [`sir-lancebot`](https://github.com/python-discord/sir-lancebot) repository and cloned it to your local machine. If not, check out our [detailed walkthrough](../#1-fork-and-clone-the-repo). ---- -# Requirements +Remember to ensure that you have read the [contributing guidelines](../contributing-guidelines) in full before you start contributing. + +### Requirements  - [Python 3.9](https://www.python.org/downloads/)  - [Poetry](https://github.com/python-poetry/poetry#installation)  - [Git](https://git-scm.com/downloads) @@ -16,10 +17,12 @@ 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). +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](../forking-repository).  Afterwards, click on [this link](https://gitpod.io/#/github.com/python-discord/sir-lancebot) to spin up a new workspace for Sir Lancebot. Then run the following commands in the terminal after the existing tasks have finished running:  ```sh @@ -41,19 +44,8 @@ The requirements for Docker are:      * This is only a required step for linux. Docker comes bundled with docker-compose on Mac OS and Windows.  --- - -# Fork the Project -You will need your own remote (online) copy of the project repository, known as a *fork*. - -- [**Learn how to create a fork of the repository here.**](../forking-repository) - -You will do all your work in the fork rather than directly in the main repository. - ---- -  # Development Environment -1. Once you have your fork, you will need to [**clone the repository to your computer**](../cloning-repository). -2. After cloning, proceed to [**install the project's dependencies**](../installing-project-dependencies). (This is not required if using Docker) +If you aren't using Docker, you will need to [install the project's dependencies](../installing-project-dependencies) yourself.  ---  # Test Server and Bot Account @@ -120,14 +112,11 @@ After installing project dependencies use the poetry command `poetry run task st  ```shell  $ poetry run task start  ``` -  --- -# 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](https://github.com/python-discord/sir-lancebot/blob/main/CONTRIBUTING.md), now is a good time. Contributions that do not adhere to the guidelines may be rejected. - -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. +# Next steps +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.md), now is a good time. Contributions that do not adhere to the guidelines may be rejected. -[**Click here to see the basic Git workflow when contributing to one of our projects.**](../working-with-git/) +If you're not sure where to go from here, our [detailed walkthrough](../#2-set-up-the-project) is for you.  Have fun! 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 f2c3bd95..520e41ad 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 @@ -5,7 +5,9 @@ icon: fab fa-github  toc: 1  --- -# Requirements +You should have already forked the [`site`](https://github.com/python-discord/site) repository and cloned it to your local machine. If not, check out our [detailed walkthrough](../#1-fork-and-clone-the-repo). + +### Requirements  - [Python 3.9](https://www.python.org/downloads/)  - [Poetry](https://python-poetry.org/docs/#installation) @@ -27,22 +29,9 @@ Without Docker:      - Note that if you wish, the webserver can run on the host and still use Docker for PostgreSQL.  --- -# 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. - -For any Core Developers, 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/) +[Install the project's dependencies](../installing-project-dependencies/)  ## Without Docker @@ -178,3 +167,12 @@ The website is configured through the following environment variables:  - **`STATIC_ROOT`**: The root in which `python manage.py collectstatic`    collects static files. Optional, defaults to `/app/staticfiles` for the    standard Docker deployment. + +--- + +# Next steps +Now that you have everything setup, it is finally time to make changes to the site! If you have not yet read the [contributing guidelines](../contributing-guidelines.md), now is a good time. Contributions that do not adhere to the guidelines may be rejected. + +If you're not sure where to go from here, our [detailed walkthrough](../#2-set-up-the-project) is for you. + +Have fun! diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/style-guide.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/style-guide.md index f9962990..4dba45c8 100644 --- a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/style-guide.md +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/style-guide.md @@ -191,21 +191,17 @@ Present tense defines that the work being done is now, in the present, rather th  **Use:** "Build an information embed."<br>  **Don't use:** "Built an information embed." or "Will build an information embed." -# Type Annotations -Functions are required to have type annotations as per the style defined in [PEP 484](https://www.python.org/dev/peps/pep-0484/). +# Type Hinting +Functions are required to have type annotations as per the style defined in [PEP 484](https://www.python.org/dev/peps/pep-0484/). Type hints are recognized by most modern code editing tools and provide useful insight into both the input and output types of a function, preventing the user from having to go through the codebase to determine these types. -A function without annotations might look like: -```py -def divide(a, b): -    """Divide the two given arguments.""" -    return a / b -``` - -With annotations, the arguments and the function are annotated with their respective types: -```py -def divide(a: int, b: int) -> float: -    """Divide the two given arguments.""" -    return a / b +A function with type hints looks like: +```python +def foo(input_1: int, input_2: dict[str, int]) -> bool: +    ...  ``` +This tells us that `foo` accepts an `int` and a `dict`, with `str` keys and `int` values, and returns a `bool`.  In previous examples, we have purposely omitted annotations to keep focus on the specific points they represent. + +> **Note:** if the project is running Python 3.8 or below you have to use `typing.Dict` instead of `dict`, but our three main projects are all >=3.9. +> See [PEP 585](https://www.python.org/dev/peps/pep-0585/) for more information. diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/working-with-git.md b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/working-with-git.md index 26c89b56..59c57859 100644 --- a/pydis_site/apps/content/resources/guides/pydis-guides/contributing/working-with-git.md +++ b/pydis_site/apps/content/resources/guides/pydis-guides/contributing/working-with-git.md @@ -19,5 +19,7 @@ Below are links to regular workflows for working with Git using PyCharm or the C  **Resources to learn Git**  * [The Git Book](https://git-scm.com/book) -* [Corey Schafer's Youtube Tutorials](https://www.youtube.com/watch?v=HVsySz-h9r4&list=PL-osiE80TeTuRUfjRe54Eea17-YfnOOAx) -* [GitHub Git Resources Portal](https://try.github.io/) +* [Corey Schafer's YouTube tutorials](https://www.youtube.com/watch?v=HVsySz-h9r4&list=PL-osiE80TeTuRUfjRe54Eea17-YfnOOAx) +* [GitHub Git resources portal](https://try.github.io/) +* [Git cheatsheet](https://education.github.com/git-cheat-sheet-education.pdf) +* [Learn Git branching](https://learngitbranching.js.org) diff --git a/pydis_site/apps/content/resources/guides/pydis-guides/help-channel-guide.md b/pydis_site/apps/content/resources/guides/pydis-guides/help-channel-guide.md index 8b7c5584..2be845d3 100644 --- a/pydis_site/apps/content/resources/guides/pydis-guides/help-channel-guide.md +++ b/pydis_site/apps/content/resources/guides/pydis-guides/help-channel-guide.md @@ -6,70 +6,86 @@ relevant_links:      Asking Good Questions: ../asking-good-questions      Role Guide: /pages/server-info/roles      Helping Others: ../helping-others +toc: 3  --- -On the 5th of April 2020, we introduced a new help channel system at Python Discord. This article is a supplementary guide to explain precisely where to go to find help. - -We have two different kinds of help channels in our community - **Topical help channels**, and **general help channels**. -Where you should go depends on what you need help with. -These channels also attract different helpers, and move at different speeds, which affects the kind of help you're likely to receive, and how fast you get that help. +At Python Discord we have two different kinds of help channels: **topical help channels** and **general help channels**.  # Topical Help Channels -The topical help channels move at a slower pace than the general help channels. -They also sometimes attract domain experts - for example, `#async-and-concurrency` has CPython contributors who helped write asyncio, and in `#game-development` you can find the creators and maintainers of several game frameworks. +In topical channels, users can ask for help regarding specific domains or areas of Python. +These channels also sometimes attract domain experts. For example, `#async-and-concurrency` has CPython contributors who helped write asyncio, and in `#game-development` you can find the creators and maintainers of several game frameworks.  If your question fits into the domain of one of our topical help channels, and if you're not in a big hurry, then this is probably the best place to ask for help.   -Some of the topical help channels have a broad scope, so they can cover many (somewhat) related topics. +Some of the topical help channels have a broad scope, so they can cover many related topics.  For example, `#data-science-and-ai` covers scientific Python, statistics, and machine learning, while `#algos-and-data-structs` covers everything from data structures and algorithms to maths. -To help you navigate this, we've added a list of suggested topics in the topic of every channel. -If you're not sure where to post, feel free to ask us which channel is relevant for a topic in `#community-meta`. +Each channel on the server has a channel description which briefly describes the topics covered by that channel. If you're not sure where to post, feel free to ask us which channel is appropriate in `#community-meta`.  # General Help Channels -Our general help channels move at a fast pace, and attract a far more diverse spectrum of helpers. -This is a great choice for a generic Python question, and a good choice if you need an answer as soon as possible. -It's particularly important to [ask good questions](../asking-good-questions) when asking in these channels, or you risk not getting an answer and having your help channel be claimed by someone else. +General help channels can be used for all Python-related help, and have the advantage of attracting a more diverse spectrum of helpers. There is also the added benefit of receiving individual focus and attention on your question. These channels are a great choice for generic Python help, but can be used for domain-specific Python help as well. -## How To Claim a Channel +## How to Claim a Channel -There are always 3 available help channels waiting to be claimed in the **Python Help: Available** category. +There are always three help channels waiting to be claimed in the **Available Help Channels** category.   +*The Available Help Channels category is always at the top of the server's channel list.* + + +*This message indicates that a channel is available.* + +In order to claim one, simply ask your question in one of the available channels. Be sure to [ask questions with enough information](../asking-good-questions) in order to give yourself the best chances of getting help! -In order to claim one, simply start typing your question into one of these channels. Once your question has been posted, you have claimed this channel, and the channel will be moved down to the **Python Help: Occupied** category. + +*This messages indicates that you've claimed the channel.* -If you're unable to type into these channels, this means you're currently **on cooldown**. In order to prevent someone from claiming all the channels for themselves, **we only allow someone to claim a new help channel every 15 minutes**. However, if you close your help channel using the `!dormant` command, this cooldown is reset early. +At this point you will have the **Help Cooldown** role which will remain on your profile until you close your help channel. This ensures that users can claim only one help channel at any given time, giving everyone a chance to have their question seen. - -*This message is always posted when a channel becomes available for use.* +# Frequently Asked Questions -## Q: For how long is the channel mine? +### How long does my help channel stay active? -The channel is yours until it has been inactive for **30 minutes**. When this happens, we move the channel down to the **Python Help: Dormant** category, and make the channel read-only. After a while, the channel will be rotated back into **Python Help: Available** for the next question. Please try to resist the urge to continue bumping the channel so that it never gets marked as inactive. If nobody is answering your question, you should try to reformulate the question to increase your chances of getting help. +The channel remains open for **30 minutes** after your last message, or 10 minutes after the last message sent by another user (whichever time comes later).   -*You'll see this message in your channel when the channel is marked as inactive.* +*You'll see this message in your channel once it goes dormant.* +### No one answered my question. How come? + +The server has users active all over the world and all hours of the day, but some time periods are less active than others. It's also possible that the users that read your question didn't have the knowledge required to help you. If no one responded, feel free to claim another help channel a little later, or try an appropriate topical channel. + +If you feel like your question is continuously being overlooked, read our guide on [asking good questions](../asking-good-questions) to increase your chances of getting a response. + +### My question was answered. What do I do? + +Go ahead use the `!close` command if you've satisfactorily solved your problem. You will only be able to run this command in your own help channel, and no one (outside of staff) will be able to close your channel for you. + +Closing your help channel once you are finished leads to less occupied channels, which means more attention can be given to other users that still need help. + +### Can only Helpers answer help questions? + +Definitely not! We encourage all members of the community to participate in giving help. If you'd like to help answer some questions, head over to the **Occupied Help Channels** or **Topical Chat/Help** categories. + +Before jumping in, please read our guide on [helping others](../helping-others) which explains our expectations for the culture and quailty of help that we aim for on the server. -## Q: I don't need my help channel anymore, my question was answered. What do I do? +Tip: run the `!helpdm on` command in `#bot-commands` to get notified via DM with jumplinks to help channels you're participating in. -Once you have finished with your help channel you or a staff member can run `!dormant`. This will move the channel to the **Python Help: Dormant** category where it will sit until it is returned to circulation. You will only be able to run the command if you claimed the channel from the available category, you cannot close channels belonging to others. +### What are the available, occupied, and dormant categories? -## Q: Are only Helpers supposed to answer questions? +The three help channels under **Available Help Channels** are free for anyone to claim. Claimed channels are then moved to **Occupied Help Channels**. Once they close, they are moved to the **Python Help: Dormant** category until they are needed again for **Available Help Channels**. -Absolutely not. We strongly encourage all members of the community to help answer questions. If you'd like to help answer some questions, simply head over to one of the help channels that are currently in use. These can be found in the **Python Help: Occupied** category. +### Can I save my help session for future reference? - +Yes! Because the help channels are continuously cycled in and out without being deleted, this means you can always refer to a previous help session if you found one particularly helpful. -Anyone can type in these channels, and users who are particularly helpful [may be offered a chance to join the staff on Python Discord](/pages/server-info/roles/#note-regarding-staff-roles). +Tip: reply to a message and run the `.bm` command to get bookmarks sent to you via DM for future reference. -## Q: I lost my help channel! +### I lost my help channel! -No need to panic. -Your channel was probably just marked as dormant. +No need to panic. Your channel was probably just closed due to inactivity.  All the dormant help channels are still available at the bottom of the channel list, in the **Python Help: Dormant** category, and also through search.  If you're not sure what the name of your help channel was, you can easily find it by using the Discord Search feature.  Try searching for `from:<your nickname>` to find the last messages sent by yourself, and from there you will be able to jump directly into the channel by pressing the Jump button on your message. diff --git a/pydis_site/apps/content/resources/guides/python-guides/creating-python-environment-windows.md b/pydis_site/apps/content/resources/guides/python-guides/creating-python-environment-windows.md index 356d63bd..635c384f 100644 --- a/pydis_site/apps/content/resources/guides/python-guides/creating-python-environment-windows.md +++ b/pydis_site/apps/content/resources/guides/python-guides/creating-python-environment-windows.md @@ -29,7 +29,7 @@ You will also need a text editor for writing Python programs, and for subsequent  Powerful programs called integrated development environments (IDEs) like PyCharm and Visual Studio Code contain text editors, but they also contain many other features with uses that aren't immediately obvious to new programmers.  [Notepad++](https://notepad-plus-plus.org/) is a popular text editor for both beginners and advanced users who prefer a simpler interface. -Other editors we recommend can be found (https://pythondiscord.com/resources/tools/#editors)[here]. +Other editors we recommend can be found [here](https://pythondiscord.com/resources/tools/#editors).  ## Installing Git Bash  Git is a command line program that helps you keep track of changes to your code, among other things. diff --git a/pydis_site/apps/content/resources/guides/python-guides/discord-embed-limits.md b/pydis_site/apps/content/resources/guides/python-guides/discord-embed-limits.md new file mode 100644 index 00000000..ca97462b --- /dev/null +++ b/pydis_site/apps/content/resources/guides/python-guides/discord-embed-limits.md @@ -0,0 +1,21 @@ +--- +title: Discord Embed Limits +description: A guide that shows the limits of embeds in Discord and how to avoid them. +--- + +If you plan on using embed responses for your bot you should know the limits of the embeds on Discord or you will get `Invalid Form Body` errors: + +- Embed **title** is limited to **256 characters** +- Embed **description** is limited to **4096 characters** +- An embed can contain a maximum of **25 fields** +- A **field name/title** is limited to **256 character** and the **value of the field** is limited to **1024 characters** +- Embed **footer** is limited to **2048 characters** +- Embed **author name** is limited to **256 characters** +- The **total of characters** allowed in an embed is **6000** + +Now if you need to get over this limit (for example for a help command), you would need to use pagination. +There are several ways to do that: + +- A library called **[disputils](https://pypi.org/project/disputils)** +- An experimental library made by the discord.py developer called **[discord-ext-menus](https://github.com/Rapptz/discord-ext-menus)** +- Make your own setup using **[wait_for()](https://discordpy.readthedocs.io/en/stable/ext/commands/api.html#discord.ext.commands.Bot.wait_for)** and wait for a reaction to be added diff --git a/pydis_site/apps/content/resources/guides/python-guides/discord-messages-with-colors.md b/pydis_site/apps/content/resources/guides/python-guides/discord-messages-with-colors.md new file mode 100644 index 00000000..62ff61f9 --- /dev/null +++ b/pydis_site/apps/content/resources/guides/python-guides/discord-messages-with-colors.md @@ -0,0 +1,68 @@ +--- +title: Discord Messages with Colors +description: A guide on how to add colors to your codeblocks on Discord +--- + +Discord is now slowly rolling out the ability to send colored text within code blocks. This is done using ANSI color codes which is also how you print colored text in your terminal. + +To send colored text in a code block you need to first specify the `ansi` language and use the prefixes similar to the one below: +```ansi +\u001b[{format};{color}m +``` +*`\u001b` is the unicode escape for ESCAPE/ESC, meant to be used in the source of your bot (see <http://www.unicode-symbol.com/u/001B.html>).* ***If you wish to send colored text without using your bot you need to copy the character from the website.*** + +After you've written this, you can now type the text you wish to color. If you want to reset the color back to normal, then you need to use the `\u001b[0m` prefix again. + +Here is the list of values you can use to replace `{format}`: + +* 0: Normal +* 1: **Bold** +* 4: <ins>Underline</ins> + +Here is the list of values you can use to replace `{color}`: + +*The following values will change the **text** color.* + +* 30: Gray +* 31: Red +* 32: Green +* 33: Yellow +* 34: Blue +* 35: Pink +* 36: Cyan +* 37: White + +*The following values will change the **text background** color.* + +* 40: Firefly dark blue +* 41: Orange +* 42: Marble blue +* 43: Greyish turquoise +* 44: Gray +* 45: Indigo +* 46: Light gray +* 47: White + +Let's take an example, I want a bold green colored text with the very dark blue background. +I simply use `\u001b[0;40m` (background color) and `\u001b[1;32m` (text color) as prefix. Note that the order is **important**, first you give the background color and then the text color. + +Alternatively you can also directly combine them into a single prefix like the following: `\u001b[1;40;32m` and you can also use multiple values. Something like `\u001b[1;40;4;32m` would underline the text, make it bold, make it green and have a dark blue background. + +Raw message: +````nohighlight +```ansi +\u001b[0;40m\u001b[1;32mThat's some cool formatted text right? +or +\u001b[1;40;32mThat's some cool formatted text right? +``` +```` + +Result: + + + +The way the colors look like on Discord is shown in the image below: + + + +Note: If the change as not been brought to you yet, or other users, then you can use other code blocks in the meantime to get colored text. See **[this gist](https://gist.github.com/matthewzring/9f7bbfd102003963f9be7dbcf7d40e51)**. diff --git a/pydis_site/apps/content/resources/guides/python-guides/discordpy_help_command.md b/pydis_site/apps/content/resources/guides/python-guides/discordpy_help_command.md new file mode 100644 index 00000000..4b475146 --- /dev/null +++ b/pydis_site/apps/content/resources/guides/python-guides/discordpy_help_command.md @@ -0,0 +1,66 @@ +--- +title: Custom Help Command +description: "Overwrite discord.py's help command to implement custom functionality" +--- + +First, a basic walkthrough can be found [here](https://gist.github.com/InterStella0/b78488fb28cadf279dfd3164b9f0cf96) by Stella#2000 on subclassing the HelpCommand. It will provide some foundational knowledge that is required before attempting a more customizable help command. + +## Custom Subclass of Help Command +If the types of classes of the HelpCommand do not fit your needs, you can subclass HelpCommand and use the class mehods to customize the output. Below is a simple demonstration using the following methods that can also be found on the documenation: + +- [filter_commands](https://discordpy.readthedocs.io/en/stable/ext/commands/api.html#discord.ext.commands.HelpCommand.filter_commands) + +- [send_group_help](https://discordpy.readthedocs.io/en/stable/ext/commands/api.html#discord.ext.commands.HelpCommand.send_bot_help) + +- [send_command_help](https://discordpy.readthedocs.io/en/stable/ext/commands/api.html#discord.ext.commands.HelpCommand.send_command_help) + +- [send_group_help](https://discordpy.readthedocs.io/en/stable/ext/commands/api.html#discord.ext.commands.HelpCommand.send_group_help) + +- [send_error_message](https://discordpy.readthedocs.io/en/stable/ext/commands/api.html#discord.ext.commands.HelpCommand.send_error_message) + +```python +class MyHelp(commands.HelpCommand): + +    async def send_bot_help(self, mapping): +        """ +        This is triggered when !help is invoked. + +        This example demonstrates how to list the commands that the member invoking the help command can run. +        """ +        filtered = await self.filter_commands(self.context.bot.commands, sort=True) # returns a list of command objects +        names = [command.name for command in filtered] # iterating through the commands objects getting names +        available_commands = "\n".join(names) # joining the list of names by a new line +        embed  = disnake.Embed(description=available_commands) +        await self.context.send(embed=embed) + +    async def send_command_help(self, command): +        """This is triggered when !help <command> is invoked.""" +        await self.context.send("This is the help page for a command") + +    async def send_group_help(self, group): +        """This is triggered when !help <group> is invoked.""" +        await self.context.send("This is the help page for a group command") + +    async def send_cog_help(self, cog): +        """This is triggered when !help <cog> is invoked.""" +        await self.context.send("This is the help page for a cog") + +    async def send_error_message(self, error): +        """If there is an error, send a embed containing the error.""" +        channel = self.get_destination() # this defaults to the command context channel +        await channel.send(error) + +bot.help_command = MyHelp() +``` + +You can handle when a user does not pass a command name when invoking the help command and make a fancy and customized embed; here a page that describes the bot and shows a list of commands is generally used. However if a command is passed in, you can display detailed information of the command. Below are references from the documentation below that can be utilised: + +- [Get the command object](https://discordpy.readthedocs.io/en/latest/ext/commands/api.html#discord.ext.commands.Bot.get_command) + +- [Get the command name](https://discordpy.readthedocs.io/en/latest/ext/commands/api.html#discord.ext.commands.Command.name) + +- [Get the command aliases](https://discordpy.readthedocs.io/en/latest/ext/commands/api.html#discord.ext.commands.Command.aliases) + +- [Get the command brief](https://discordpy.readthedocs.io/en/latest/ext/commands/api.html#discord.ext.commands.Command.brief) + +- [Get the command usage](https://discordpy.readthedocs.io/en/latest/ext/commands/api.html#discord.ext.commands.Command.usage) diff --git a/pydis_site/apps/content/resources/guides/python-guides/vps-services.md b/pydis_site/apps/content/resources/guides/python-guides/vps-services.md new file mode 100644 index 00000000..0acd3e55 --- /dev/null +++ b/pydis_site/apps/content/resources/guides/python-guides/vps-services.md @@ -0,0 +1,31 @@ +--- +title: VPS Services +description: On different VPS services +--- + +If you need to run your bot 24/7 (with no downtime), you should consider using a virtual private server (VPS). This is a list of VPS services that are sufficient for running Discord bots. + +* Europe +    * [netcup](https://www.netcup.eu/) +        * Germany & Austria data centres. +        * Great affiliate program. +    * [Yandex Cloud](https://cloud.yandex.ru/) +        * Vladimir, Ryazan, and Moscow region data centres. +    * [Scaleway](https://www.scaleway.com/) +        * France data centre. +    * [Time 4 VPS](https://www.time4vps.eu/) +        * Lithuania data centre. +* US +    * [GalaxyGate](https://galaxygate.net/) +        * New York data centre. +        * Great affiliate program. +* Global +    * [Linode](https://www.linode.com/) +    * [Digital Ocean](https://www.digitalocean.com/) +    * [OVHcloud](https://www.ovhcloud.com/) +    * [Vultr](https://www.vultr.com/) + +--- +# Free hosts +There are no reliable free options for VPS hosting. If you would rather not pay for a hosting service, you can consider self-hosting. +Any modern hardware should be sufficient for running a bot. An old computer with a few GB of ram could be suitable, or a Raspberry Pi. diff --git a/pydis_site/apps/content/resources/guides/python-guides/vps_services.md b/pydis_site/apps/content/resources/guides/python-guides/vps_services.md new file mode 100644 index 00000000..710fd914 --- /dev/null +++ b/pydis_site/apps/content/resources/guides/python-guides/vps_services.md @@ -0,0 +1,58 @@ +--- +title: VPS and Free Hosting Service for Discord bots +description: This article lists recommended VPS services and covers the disasdvantages of utilising a free hosting service to run a discord bot. +toc: 2 +--- + +## Recommended VPS services + +If you need to run your bot 24/7 (with no downtime), you should consider using a virtual private server (VPS). Here is a list of VPS services that are sufficient for running Discord bots. + +* Europe +    * [netcup](https://www.netcup.eu/) +        * Germany & Austria data centres. +        * Great affiliate program. +    * [Yandex Cloud](https://cloud.yandex.ru/) +        * Vladimir, Ryazan, and Moscow region data centres. +    * [Scaleway](https://www.scaleway.com/) +        * France data centre. +    * [Time 4 VPS](https://www.time4vps.eu/) +        * Lithuania data centre. +* US +    * [GalaxyGate](https://galaxygate.net/) +        * New York data centre. +        * Great affiliate program. +* Global +    * [Linode](https://www.linode.com/) +    * [Digital Ocean](https://www.digitalocean.com/) +    * [OVHcloud](https://www.ovhcloud.com/) +    * [Vultr](https://www.vultr.com/) + + +## Why not to use free hosting services for bots? +While these may seem like nice and free services, it has a lot more caveats than you may think. For example, the drawbacks of using common free hosting services to host a discord bot are discussed below. + +### Replit + +- The machines are super underpowered, resulting in your bot lagging a lot as it gets bigger. + +- You need to run a webserver alongside your bot to prevent it from being shut off. This uses extra machine power. + +- Repl.it uses an ephemeral file system. This means any file you saved through your bot will be overwritten when you next launch. + +- They use a shared IP for everything running on the service. +This one is important - if someone is running a user bot on their service and gets banned, everyone on that IP will be banned. Including you. + +### Heroku +- Bots are not what the platform is designed for. Heroku is designed to provide web servers (like Django, Flask, etc). This is why they give you a domain name and open a port on their local emulator. + +- Heroku's environment is heavily containerized, making it significantly underpowered for a standard use case. + +- Heroku's environment is volatile. In order to handle the insane amount of users trying to use it for their own applications, Heroku will dispose your environment every time your application dies unless you pay. + +- Heroku has minimal system dependency control. If any of your Python requirements need C bindings (such as PyNaCl +  binding to libsodium, or lxml binding to libxml), they are unlikely to function properly, if at all, in a native +  environment. As such, you often need to resort to adding third-party buildpacks to facilitate otherwise normal +  CPython extension functionality. (This is the reason why voice doesn't work natively on heroku) + +- Heroku only offers a limited amount of time on their free programme for your applications. If you exceed this limit, which you probably will, they'll shut down your application until your free credit resets. diff --git a/pydis_site/apps/content/resources/guides/python-guides/why-not-json-as-database.md b/pydis_site/apps/content/resources/guides/python-guides/why-not-json-as-database.md new file mode 100644 index 00000000..ae34c2b4 --- /dev/null +++ b/pydis_site/apps/content/resources/guides/python-guides/why-not-json-as-database.md @@ -0,0 +1,28 @@ +--- +title: Why JSON is unsuitable as a database +description: The many reasons why you shouldn't use JSON as a database, and instead opt for SQL. +relevant_links: +    Tips on Storing Data: https://tutorial.vcokltfre.dev/tips/storage/ +--- + +JSON, quite simply, is not a database. It's not designed to be a data storage format, +rather a wayof transmitting data over a network. It's also often used as a way of doing configuration files for programs. + +There is no redundancy built in to JSON. JSON is just a format, and Python has libraries for it +like json and ujson that let you load and dump it, sometimes to files, but that's all it does, write data to a file. +There is no sort of DBMS (Database Management System), which means no sort of sophistication in how the data is stored, +or built in ways to keep it safe and backed up, there's no built in encryption either - bear in mind +in larger applications encryption may be necessary for GDPR/relevant data protection regulations compliance. + +JSON, unlike relational databases, has no way to store relational data, +which is a very commonly needed way of storing data. +Relational data, as the name may suggest, is data that relates to other data. +For example if you have a table of users and a table of servers, the server table will probably have an owner field, +where you'd reference a user from the users table. (**This is only relevant for relational data**). + +JSON is primarily a KV (key-value) format, for example `{"a": "b"}` where `a` is the key and `b` is the value, +but what if you want to search not by that key but by a sub-key? Well, instead of being able to quickly use `var[key]`, +which in a Python dictionary has a constant return time (for more info look up hash tables), +you now have to iterate through every object in the dictionary and compare to find what you're looking for. +Most relational database systems, like MySQL, MariaDB, and PostgreSQL have ways of indexing secondary fields +apart from the primary key so that you can easily search by multiple attributes. diff --git a/pydis_site/apps/content/resources/rules.md b/pydis_site/apps/content/resources/rules.md index ef6cc4d1..b788c81b 100644 --- a/pydis_site/apps/content/resources/rules.md +++ b/pydis_site/apps/content/resources/rules.md @@ -10,21 +10,21 @@ We have a small but strict set of rules on our server. Please read over them and  > 3. Respect staff members and listen to their instructions.  > 4. Use English to the best of your ability. Be polite if someone speaks English imperfectly.  > 5. Do not provide or request help on projects that may break laws, breach terms of services, or are malicious or inappropriate. -> 6.  Do not post unapproved advertising. -> 7.  Keep discussions relevant to the channel topic. Each channel's description tells you the topic. +> 6. Do not post unapproved advertising. +> 7. Keep discussions relevant to the channel topic. Each channel's description tells you the topic.  > 8. Do not help with ongoing exams. When helping with homework, help people learn how to do the assignment without doing it for them.  > 9. Do not offer or ask for paid work of any kind. -# Nickname Policy +# Name & Profile Policy -In order to keep things pleasant and workable for both users and staff members, we enforce the following requirements regarding your nickname. +In order to keep things pleasant and workable for both users and staff members, we enforce the following requirements regarding your name, avatar, and profile. Staff reserve the right to change any nickname we judge to be violating these requirements. -1. No blank or "invisible" names -2. No slurs or other offensive sentiments -3. No noisy unicode characters - for example, z̯̯͡a̧͎̺̻̝͕̠l̡͓̫̣g̹̲o̡̼̘ or byte order marks -4. No nicknames designed to annoy other users +We also reserve the right to enforce compliance of hateful or otherwise inappropriate usernames and profiles regardless of the server-specific nickname or profile. + -Staff reserves the right to change the nickname of any user for any reason. Failure to comply with these requirements may result in you losing the right to change your nickname. We also reserve the right to discipline users with offensive usernames, regardless of the nickname they're using. +1. No blank or "invisible" names. +2. No slurs or other offensive sentiments or imagery. +3. No noisy unicode characters (for example z̯̯͡a̧͎̺̻̝͕̠l̡͓̫̣g̹̲o̡̼̘) or rapidly flashing avatars.  # Infractions diff --git a/pydis_site/apps/content/resources/server-info/roles.md b/pydis_site/apps/content/resources/server-info/roles.md index 716f5b1e..409e037e 100644 --- a/pydis_site/apps/content/resources/server-info/roles.md +++ b/pydis_site/apps/content/resources/server-info/roles.md @@ -28,8 +28,12 @@ There are multiple requirements listed there for getting the role.  This includes writing pull requests for open issues, and also for reviewing open pull requests (**we really need reviewers!**)  **How to get it:** Contribute to the projects! -There is no minimum requirements, but the role is **not** assigned for every single contribution. -Read more about this in the [Guidelines for the Contributors Role](/pages/contributing/#guidelines-for-the-contributors-role) on the Contributing page. +It’s difficult to precisely quantify contributions, but we’ve come up with the following guidelines for the role: + +- The member has made several significant contributions to our projects. +- The member has a positive influence in our contributors subcommunity. + +The role will be assigned at the discretion of the Admin Team in consultation with the Core Developers Team. Check out our [walkthrough](/pages/contributing/) to get started contributing.  --- @@ -68,7 +72,7 @@ In addition to the informal descriptions below, we've also written down a more f  ### <span class="fas fa-circle" style="color:#1abc9c"></span> Domain Leads  **Description:** Staff in charge of a certain domain such as moderation, events, and outreach. A lead will have a second role specifying their domain. -### <span class="fas fa-circle" style="color:#8dc2ba"></span> Project Leads +### <span class="fas fa-circle" style="color:#00aeb4"></span> Project Leads  **Description:** Staff in charge of a certain project that require special attention, such as a YouTube video series or our new forms page.  ### <span class="fas fa-circle" style="color:#ff9f1b"></span> Moderators @@ -80,8 +84,8 @@ In addition to the informal descriptions below, we've also written down a more f  ### <span class="fas fa-circle" style="color:#a1d1ff"></span> DevOps  **Description:** A role for staff involved with the DevOps toolchain of our core projects. -### <span class="fas fa-circle" style="color:#f8d188"></span> Project Teams -**Description:** Staff can join teams which work on specific projects in the organisation, such as our code jams, media projects, and more. +### <span class="fas fa-circle" style="color:#7de29c"></span> Events Team +**Description:** The events team are staff members who help plan and execute Python Discord events. This can range from the Code Jam, to Pixels, to our survey, specific workshops we want to run, and more.  ### <span class="fas fa-circle" style="color:#eecd36"></span> Helpers  **Description:** This is the core staff role in our organization: All staff members have the Helpers role. diff --git a/pydis_site/apps/home/tests/test_repodata_helpers.py b/pydis_site/apps/home/tests/test_repodata_helpers.py index 5634bc9b..d43bd28e 100644 --- a/pydis_site/apps/home/tests/test_repodata_helpers.py +++ b/pydis_site/apps/home/tests/test_repodata_helpers.py @@ -122,7 +122,10 @@ class TestRepositoryMetadataHelpers(TestCase):          """Tests that fallback to the database is performed when we get garbage back."""          mock_get.return_value.json.return_value = ['garbage'] -        metadata = self.home_view._get_repo_data() +        # Capture logs and ensure the problematic response is logged +        with self.assertLogs(): +            metadata = self.home_view._get_repo_data() +          self.assertEquals(len(metadata), 0)      def test_cleans_up_stale_metadata(self): diff --git a/pydis_site/apps/home/views/home.py b/pydis_site/apps/home/views/home.py index e28a3a00..69e706c5 100644 --- a/pydis_site/apps/home/views/home.py +++ b/pydis_site/apps/home/views/home.py @@ -10,7 +10,6 @@ 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, TIMEOUT_PERIOD  log = logging.getLogger(__name__) @@ -43,8 +42,8 @@ class HomeView(View):          # specifically, GitHub will reject any requests from us due to the          # invalid header. We can make a limited number of anonymous requests          # though, which is useful for testing. -        if GITHUB_TOKEN: -            self.headers = {"Authorization": f"token {GITHUB_TOKEN}"} +        if settings.GITHUB_TOKEN: +            self.headers = {"Authorization": f"token {settings.GITHUB_TOKEN}"}          else:              self.headers = {} @@ -60,7 +59,7 @@ class HomeView(View):              api_data: List[dict] = requests.get(                  self.github_api,                  headers=self.headers, -                timeout=TIMEOUT_PERIOD +                timeout=settings.TIMEOUT_PERIOD              ).json()          except requests.exceptions.Timeout:              log.error("Request to fetch GitHub repository metadata for timed out!") diff --git a/pydis_site/apps/redirect/redirects.yaml b/pydis_site/apps/redirect/redirects.yaml index 9b64011b..4a48ba0c 100644 --- a/pydis_site/apps/redirect/redirects.yaml +++ b/pydis_site/apps/redirect/redirects.yaml @@ -83,6 +83,11 @@ good_questions_redirect_alt:      redirect_arguments: ["guides/pydis-guides/asking-good-questions"]  # Resources +resources_old_communities_redirect: +  original_path: pages/resources/communities/ +  redirect_route: "resources:index" +  redirect_arguments: ["community"] +  resources_index_redirect:    original_path: pages/resources/    redirect_route: "resources:index" diff --git a/pydis_site/apps/resources/resources/adafruit.yaml b/pydis_site/apps/resources/resources/adafruit.yaml index f9466bd8..c687f507 100644 --- a/pydis_site/apps/resources/resources/adafruit.yaml +++ b/pydis_site/apps/resources/resources/adafruit.yaml @@ -1,3 +1,4 @@ +name: Adafruit  description: Adafruit is an open-source electronics manufacturer    that makes all the components you need to start your own Python-powered hardware projects.    Their official community host regular show-and-tells, diff --git a/pydis_site/apps/resources/resources/automate_the_boring_stuff_course.yaml b/pydis_site/apps/resources/resources/automate_the_boring_stuff_course.yaml index 133033f7..4632f5bd 100644 --- a/pydis_site/apps/resources/resources/automate_the_boring_stuff_course.yaml +++ b/pydis_site/apps/resources/resources/automate_the_boring_stuff_course.yaml @@ -1,7 +1,6 @@  description: The interactive course version of Al Sweigart's excellent book for beginners, taught by the author himself. -  This link has a discounted version of the course which will always cost 10 dollars. Thanks, Al! -name: Automate the Boring Stuff with Python -title_url: https://www.udemy.com/automate/?couponCode=FOR_LIKE_10_BUCKS +name: Automate the Boring Stuff with Python Udemy Course +title_url: https://www.udemy.com/automate/  tags:    topics:      - general diff --git a/pydis_site/apps/resources/resources/corey_schafer.yaml b/pydis_site/apps/resources/resources/corey_schafer.yaml index f5af2cab..d66ea004 100644 --- a/pydis_site/apps/resources/resources/corey_schafer.yaml +++ b/pydis_site/apps/resources/resources/corey_schafer.yaml @@ -1,3 +1,4 @@ +name: Corey Schafer  description: 'Corey has a number of exceptionally high quality tutorial series    on everything from Python basics to Django and Flask:    <ul> diff --git a/pydis_site/apps/resources/resources/exercism.yaml b/pydis_site/apps/resources/resources/exercism.yaml index b8f53d72..c623db2d 100644 --- a/pydis_site/apps/resources/resources/exercism.yaml +++ b/pydis_site/apps/resources/resources/exercism.yaml @@ -2,8 +2,8 @@ description: Level up your programming skills with more than 2600 exercises acro    47 programming languages, Python included. The website provides a mentored mode,    where you can get your code reviewed for each solution you submit. The mentors will    give you insightful advice to make you a better programmer. -name: exercism.io -title_url: https://exercism.io/ +name: Exercism +title_url: https://exercism.org/  urls:  - icon: branding/github    url: https://github.com/exercism/python diff --git a/pydis_site/apps/resources/resources/kivy.yaml b/pydis_site/apps/resources/resources/kivy.yaml index 47ff07ad..b1f57483 100644 --- a/pydis_site/apps/resources/resources/kivy.yaml +++ b/pydis_site/apps/resources/resources/kivy.yaml @@ -1,3 +1,4 @@ +name: Kivy  description: The Kivy project, through the Kivy framework and its sister projects,    aims to provide all the tools to create desktop and mobile applications in Python.    Allowing rapid development of multitouch applications with custom and exciting user interfaces. diff --git a/pydis_site/apps/resources/resources/microsoft.yaml b/pydis_site/apps/resources/resources/microsoft.yaml index e1d62955..290283cc 100644 --- a/pydis_site/apps/resources/resources/microsoft.yaml +++ b/pydis_site/apps/resources/resources/microsoft.yaml @@ -1,3 +1,4 @@ +name: Microsoft Python  description: Microsoft Python is a Discord server for discussing all things relating to using Python with Microsoft products,    they have channels for Azure, VS Code, IoT, Data Science and much more!  title_image: https://1000logos.net/wp-content/uploads/2017/04/Microsoft-Logo.png diff --git a/pydis_site/apps/resources/resources/pallets.yaml b/pydis_site/apps/resources/resources/pallets.yaml index 0da2a625..a330b756 100644 --- a/pydis_site/apps/resources/resources/pallets.yaml +++ b/pydis_site/apps/resources/resources/pallets.yaml @@ -1,3 +1,4 @@ +name: Pallets Projects  description: The Pallets Projects develop Python libraries such as the Flask web framework,    the Jinja templating library, and the Click command line toolkit. Join to discuss    and get help from the Pallets community. diff --git a/pydis_site/apps/resources/resources/panda3d.yaml b/pydis_site/apps/resources/resources/panda3d.yaml index 2040450d..eeb54465 100644 --- a/pydis_site/apps/resources/resources/panda3d.yaml +++ b/pydis_site/apps/resources/resources/panda3d.yaml @@ -1,3 +1,4 @@ +name: Panda3D  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: https://www.panda3d.org/wp-content/uploads/2019/01/panda3d_logo.png diff --git a/pydis_site/apps/resources/resources/people_postgres_data.yaml b/pydis_site/apps/resources/resources/people_postgres_data.yaml index 46db7095..9fec6634 100644 --- a/pydis_site/apps/resources/resources/people_postgres_data.yaml +++ b/pydis_site/apps/resources/resources/people_postgres_data.yaml @@ -1,3 +1,4 @@ +name: People, Postgres, Data  description: People, Postgres, Data specializes in building users of Postgres    and related ecosystem including but not limited to technologies such as RDS Postgres,    Aurora for Postgres, Google Postgres, PostgreSQL.Org Postgres, Greenplum, Timescale and ZomboDB. diff --git a/pydis_site/apps/resources/resources/pyglet.yaml b/pydis_site/apps/resources/resources/pyglet.yaml index a47c7e62..bdfb84cf 100644 --- a/pydis_site/apps/resources/resources/pyglet.yaml +++ b/pydis_site/apps/resources/resources/pyglet.yaml @@ -1,3 +1,4 @@ +name: Pyglet  description: Pyglet is a powerful,    yet easy to use Python library for developing games and other visually-rich applications on Windows,    Mac OS X and Linux. It supports windowing, user interface event handling, Joysticks, OpenGL graphics, diff --git a/pydis_site/apps/resources/resources/python_discord_videos.yaml b/pydis_site/apps/resources/resources/python_discord_videos.yaml index 15a04097..012ec8ea 100644 --- a/pydis_site/apps/resources/resources/python_discord_videos.yaml +++ b/pydis_site/apps/resources/resources/python_discord_videos.yaml @@ -1,3 +1,4 @@ +name: Python Discord YouTube Channel  description: It's our YouTube channel! We are slowly gathering content here directly related to Python,    our community and the events we host. Come check us out!  title_image: https://raw.githubusercontent.com/python-discord/branding/master/logos/logo_banner/logo_site_banner_dark_512.png diff --git a/pydis_site/apps/resources/resources/python_morsels.yaml b/pydis_site/apps/resources/resources/python_morsels.yaml index bbc8133b..4cdff36b 100644 --- a/pydis_site/apps/resources/resources/python_morsels.yaml +++ b/pydis_site/apps/resources/resources/python_morsels.yaml @@ -17,3 +17,4 @@ tags:      - intermediate    type:      - interactive +    - video diff --git a/pydis_site/apps/resources/resources/real_python.yaml b/pydis_site/apps/resources/resources/real_python.yaml index 2ddada03..93953004 100644 --- a/pydis_site/apps/resources/resources/real_python.yaml +++ b/pydis_site/apps/resources/resources/real_python.yaml @@ -1,3 +1,4 @@ +name: Real Python  description: Dan Bader's treasure trove of quizzes, tutorials and interactive content for learning Python.    An absolute goldmine.  title_image: https://i.imgur.com/WDqhZ36.png diff --git a/pydis_site/apps/resources/resources/sentdex.yaml b/pydis_site/apps/resources/resources/sentdex.yaml index 4f4712ac..7cb0a8a4 100644 --- a/pydis_site/apps/resources/resources/sentdex.yaml +++ b/pydis_site/apps/resources/resources/sentdex.yaml @@ -1,3 +1,4 @@ +name: Sentdex  description: 'An enormous amount of Python content for all skill levels    from the most popular Python YouTuber on the web.    <ul> diff --git a/pydis_site/apps/resources/resources/socratica.yaml b/pydis_site/apps/resources/resources/socratica.yaml index 43d033c0..45150b33 100644 --- a/pydis_site/apps/resources/resources/socratica.yaml +++ b/pydis_site/apps/resources/resources/socratica.yaml @@ -1,3 +1,4 @@ +name: Socratica  description: 'Socratica is a small studio focused on producing high quality STEM-related educational content,  including a series about Python. Their videos star actress Ulka Simone Mohanty, who plays an android-like  instructor explaining fundamental concepts in a concise and entertaining way.' diff --git a/pydis_site/apps/resources/resources/two_scoops_of_django.yaml b/pydis_site/apps/resources/resources/two_scoops_of_django.yaml index 96eafd28..f372d35d 100644 --- a/pydis_site/apps/resources/resources/two_scoops_of_django.yaml +++ b/pydis_site/apps/resources/resources/two_scoops_of_django.yaml @@ -1,7 +1,7 @@  description: Tips, tricks, and best practices for your Django project.    A highly recommended resource for Django web developers.  name: Two Scoops of Django -title_url: https://www.feldroy.com/collections/everything/products/two-scoops-of-django-3-x +title_url: https://www.feldroy.com/books/two-scoops-of-django-3-x  urls:  - icon: branding/goodreads    url: https://www.goodreads.com/book/show/55822151-two-scoops-of-django-3-x diff --git a/pydis_site/apps/resources/resources/vcokltfre_discord_bot_tutorial.yaml b/pydis_site/apps/resources/resources/vcokltfre_discord_bot_tutorial.yaml index 32476dab..61a7b6f6 100644 --- a/pydis_site/apps/resources/resources/vcokltfre_discord_bot_tutorial.yaml +++ b/pydis_site/apps/resources/resources/vcokltfre_discord_bot_tutorial.yaml @@ -1,6 +1,6 @@  description: This tutorial, written by Python Discord staff member vcokltfre,    will walk you through all the aspects of creating your own Discord bot, -  starting from from creating the bot user itself. +  starting from creating the bot user itself.  name: vcokltfre's Discord Bot Tutorial  title_url: https://tutorial.vcokltfre.dev/  tags: diff --git a/pydis_site/apps/staff/templatetags/deletedmessage_filters.py b/pydis_site/apps/staff/templatetags/deletedmessage_filters.py index 8e14ced6..5026068e 100644 --- a/pydis_site/apps/staff/templatetags/deletedmessage_filters.py +++ b/pydis_site/apps/staff/templatetags/deletedmessage_filters.py @@ -1,4 +1,5 @@  from datetime import datetime +from typing import Union  from django import template @@ -6,13 +7,16 @@ register = template.Library()  @register.filter -def hex_colour(color: int) -> str: +def hex_colour(colour: Union[str, int]) -> str:      """ -    Converts an integer representation of a colour to the RGB hex value. +    Converts the given representation of a colour to its RGB hex string.      As we are using a Discord dark theme analogue, black colours are returned as white instead.      """ -    colour = f"#{color:0>6X}" +    if isinstance(colour, str): +        colour = colour if colour.startswith("#") else f"#{colour}" +    else: +        colour = f"#{colour:0>6X}"      return colour if colour != "#000000" else "#FFFFFF" diff --git a/pydis_site/apps/staff/tests/test_logs_view.py b/pydis_site/apps/staff/tests/test_logs_view.py index 45e9ce8f..3e5726cd 100644 --- a/pydis_site/apps/staff/tests/test_logs_view.py +++ b/pydis_site/apps/staff/tests/test_logs_view.py @@ -95,12 +95,22 @@ class TestLogsView(TestCase):              "description": "This embed is way too cool to be seen in public channels.",          } +        cls.embed_three = { +            "description": "This embed is way too cool to be seen in public channels.", +            "color": "#e74c3c", +        } + +        cls.embed_four = { +            "description": "This embed is way too cool to be seen in public channels.", +            "color": "e74c3c", +        } +          cls.deleted_message_two = DeletedMessage.objects.create(              author=cls.author,              id=614444836291870750,              channel_id=1984,              content='Does that mean this thing will halt?', -            embeds=[cls.embed_one, cls.embed_two], +            embeds=[cls.embed_one, cls.embed_two, cls.embed_three, cls.embed_four],              attachments=['https://http.cat/100', 'https://http.cat/402'],              deletion_context=cls.deletion_context,          ) diff --git a/pydis_site/constants.py b/pydis_site/constants.py deleted file mode 100644 index e913f40f..00000000 --- a/pydis_site/constants.py +++ /dev/null @@ -1,6 +0,0 @@ -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/context_processors.py b/pydis_site/context_processors.py index 6937a3db..0e8b4a94 100644 --- a/pydis_site/context_processors.py +++ b/pydis_site/context_processors.py @@ -1,8 +1,7 @@ +from django.conf import settings  from django.template import RequestContext -from pydis_site.constants import GIT_SHA -  def git_sha_processor(_: RequestContext) -> dict:      """Expose the git SHA for this repo to all views.""" -    return {'git_sha': GIT_SHA} +    return {'git_sha': settings.GIT_SHA} diff --git a/pydis_site/settings.py b/pydis_site/settings.py index 3b146f2c..17f220f3 100644 --- a/pydis_site/settings.py +++ b/pydis_site/settings.py @@ -13,6 +13,7 @@ https://docs.djangoproject.com/en/2.1/ref/settings/  import os  import secrets  import sys +import warnings  from pathlib import Path  from socket import gethostbyname, gethostname @@ -20,15 +21,20 @@ import environ  import sentry_sdk  from sentry_sdk.integrations.django import DjangoIntegration -from pydis_site.constants import GIT_SHA  env = environ.Env(      DEBUG=(bool, False),      SITE_DSN=(str, ""),      BUILDING_DOCKER=(bool, False),      STATIC_BUILD=(bool, False), +    GIT_SHA=(str, 'development'), +    TIMEOUT_PERIOD=(int, 5), +    GITHUB_TOKEN=(str, None),  ) +GIT_SHA = env("GIT_SHA") +GITHUB_TOKEN = env("GITHUB_TOKEN") +  sentry_sdk.init(      dsn=env('SITE_DSN'),      integrations=[DjangoIntegration()], @@ -48,10 +54,26 @@ if DEBUG:      ALLOWED_HOSTS = env.list('ALLOWED_HOSTS', default=['*'])      SECRET_KEY = "yellow polkadot bikini"  # noqa: S105 +    # Prevent verbose warnings emitted when passing a non-timezone aware +    # datetime object to the database, whilst we have time zone support +    # active. See the Django documentation for more details: +    # https://docs.djangoproject.com/en/dev/topics/i18n/timezones/ +    warnings.filterwarnings( +        'error', r"DateTimeField .* received a naive datetime", +        RuntimeWarning, r'django\.db\.models\.fields', +    ) +  elif 'CI' in os.environ:      ALLOWED_HOSTS = ['*']      SECRET_KEY = secrets.token_urlsafe(32) +    # See above. We run with `CI=true`, but debug unset in GitHub Actions, +    # so we also want to filter it there. +    warnings.filterwarnings( +        'error', r"DateTimeField .* received a naive datetime", +        RuntimeWarning, r'django\.db\.models\.fields', +    ) +  else:      ALLOWED_HOSTS = env.list(          'ALLOWED_HOSTS', @@ -288,3 +310,6 @@ CONTENT_PAGES_PATH = Path(BASE_DIR, "pydis_site", "apps", "content", "resources"  # Path for redirection links  REDIRECTIONS_PATH = Path(BASE_DIR, "pydis_site", "apps", "redirect", "redirects.yaml") + +# How long to wait for synchronous requests before timing out +TIMEOUT_PERIOD = env("TIMEOUT_PERIOD") diff --git a/pydis_site/static/css/resources/resources.css b/pydis_site/static/css/resources/resources.css index b8456e38..96d06111 100644 --- a/pydis_site/static/css/resources/resources.css +++ b/pydis_site/static/css/resources/resources.css @@ -73,6 +73,11 @@ display: block;      margin-right: 0.25em !important;  } +/* Style the search bar */ +#resource-search { +    margin: 0.25em 0.25em 0 0.25em; +} +  /* Center the 404 div */  .no-resources-found {      display: none; @@ -86,6 +91,35 @@ display: block;      display: flex !important;  } +/* By default, we hide the search tag. We'll add it only when there's a search happening. */ +.tag.search-query { +    display: none; +    min-width: fit-content; +    max-width: fit-content; +    padding-right: 2em; +} +.tag.search-query .inner { +    display: inline-block; +    padding: 0; +    max-width: 16.5rem; +    overflow: hidden; +    text-overflow: ellipsis; +    white-space: nowrap; +    line-height: 2em; +} +.tag.search-query i { +    margin: 0 !important; +    display: inline-block; +    line-height: 2em; +    float: left; +    padding-right: 1em; +} + +/* Don't allow the tag pool to exceed its parent containers width. */ +#tag-pool { +    max-width: 100%; +} +  /* Disable clicking on the checkbox itself. */  /* Instead, we want to let the anchor tag handle clicks. */  .filter-checkbox { @@ -125,7 +159,6 @@ i.is-primary {      color: #7289DA;  } -  /* Set default display to inline-flex, for centering. */  span.filter-box-tag {      display: none; @@ -181,7 +214,8 @@ button.delete.is-info::after {  /* Give outlines to active tags */  span.filter-box-tag, -span.resource-tag.active { +span.resource-tag.active, +.tag.search-query {      outline-width: 1px;      outline-style: solid;  } @@ -245,6 +279,9 @@ span.resource-tag.active.has-background-info-light {          padding-top: 4px;          padding-bottom: 4px;      } +    .tag.search-query .inner { +        max-width: 16.2rem; +    }  }  /* Constrain the width of the filterbox */ diff --git a/pydis_site/static/css/staff/logs.css b/pydis_site/static/css/staff/logs.css index acf4f1f7..56a12380 100644 --- a/pydis_site/static/css/staff/logs.css +++ b/pydis_site/static/css/staff/logs.css @@ -25,7 +25,10 @@ main.site-content {  .discord-message:first-child {      border-top: 1px; +} +.discord-message-content { +    overflow-wrap: break-word;  }  .discord-message-header { diff --git a/pydis_site/static/images/content/contributing/pull_request.png b/pydis_site/static/images/content/contributing/pull_request.pngBinary files differ new file mode 100644 index 00000000..87b7ffbe --- /dev/null +++ b/pydis_site/static/images/content/contributing/pull_request.png diff --git a/pydis_site/static/images/content/discord_colored_messages/ansi-colors.png b/pydis_site/static/images/content/discord_colored_messages/ansi-colors.pngBinary files differ new file mode 100644 index 00000000..d7176393 --- /dev/null +++ b/pydis_site/static/images/content/discord_colored_messages/ansi-colors.png diff --git a/pydis_site/static/images/content/discord_colored_messages/result.png b/pydis_site/static/images/content/discord_colored_messages/result.pngBinary files differ new file mode 100644 index 00000000..a666804e --- /dev/null +++ b/pydis_site/static/images/content/discord_colored_messages/result.png diff --git a/pydis_site/static/images/content/help_channels/available_message.png b/pydis_site/static/images/content/help_channels/available_message.pngBinary files differ index 05f6ec7d..09668c9b 100644 --- a/pydis_site/static/images/content/help_channels/available_message.png +++ b/pydis_site/static/images/content/help_channels/available_message.png diff --git a/pydis_site/static/images/content/help_channels/claimed_channel.png b/pydis_site/static/images/content/help_channels/claimed_channel.pngBinary files differ new file mode 100644 index 00000000..777e31ea --- /dev/null +++ b/pydis_site/static/images/content/help_channels/claimed_channel.png diff --git a/pydis_site/static/images/content/help_channels/dormant_channels.png b/pydis_site/static/images/content/help_channels/dormant_channels.pngBinary files differ index 2c53de87..7c9ba61e 100644 --- a/pydis_site/static/images/content/help_channels/dormant_channels.png +++ b/pydis_site/static/images/content/help_channels/dormant_channels.png diff --git a/pydis_site/static/images/content/help_channels/topical_channels.png b/pydis_site/static/images/content/help_channels/topical_channels.pngBinary files differ index 63b48e7b..43530cbe 100644 --- a/pydis_site/static/images/content/help_channels/topical_channels.png +++ b/pydis_site/static/images/content/help_channels/topical_channels.png diff --git a/pydis_site/static/js/fuzzysort/LICENSE.md b/pydis_site/static/js/fuzzysort/LICENSE.md new file mode 100644 index 00000000..a3b9d9d7 --- /dev/null +++ b/pydis_site/static/js/fuzzysort/LICENSE.md @@ -0,0 +1,21 @@ +MIT License + +Copyright (c) 2018 Stephen Kamenar + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. diff --git a/pydis_site/static/js/fuzzysort/fuzzysort.js b/pydis_site/static/js/fuzzysort/fuzzysort.js new file mode 100644 index 00000000..ba01ae63 --- /dev/null +++ b/pydis_site/static/js/fuzzysort/fuzzysort.js @@ -0,0 +1,636 @@ +/* +  fuzzysort.js https://github.com/farzher/fuzzysort +  SublimeText-like Fuzzy Search + +  fuzzysort.single('fs', 'Fuzzy Search') // {score: -16} +  fuzzysort.single('test', 'test') // {score: 0} +  fuzzysort.single('doesnt exist', 'target') // null + +  fuzzysort.go('mr', [{file:'Monitor.cpp'}, {file:'MeshRenderer.cpp'}], {key:'file'}) +  // [{score:-18, obj:{file:'MeshRenderer.cpp'}}, {score:-6009, obj:{file:'Monitor.cpp'}}] + +  fuzzysort.go('mr', ['Monitor.cpp', 'MeshRenderer.cpp']) +  // [{score: -18, target: "MeshRenderer.cpp"}, {score: -6009, target: "Monitor.cpp"}] + +  fuzzysort.highlight(fuzzysort.single('fs', 'Fuzzy Search'), '<b>', '</b>') +  // <b>F</b>uzzy <b>S</b>earch +*/ + +// UMD (Universal Module Definition) for fuzzysort +;(function(root, UMD) { +  if(typeof define === 'function' && define.amd) define([], UMD) +  else if(typeof module === 'object' && module.exports) module.exports = UMD() +  else root.fuzzysort = UMD() +})(this, function UMD() { function fuzzysortNew(instanceOptions) { + +  var fuzzysort = { + +    single: function(search, target, options) {                                                                                                                                                                                                               ;if(search=='farzher')return{target:"farzher was here (^-^*)/",score:0,indexes:[0,1,2,3,4,5,6]} +      if(!search) return null +      if(!isObj(search)) search = fuzzysort.getPreparedSearch(search) + +      if(!target) return null +      if(!isObj(target)) target = fuzzysort.getPrepared(target) + +      var allowTypo = options && options.allowTypo!==undefined ? options.allowTypo +        : instanceOptions && instanceOptions.allowTypo!==undefined ? instanceOptions.allowTypo +        : true +      var algorithm = allowTypo ? fuzzysort.algorithm : fuzzysort.algorithmNoTypo +      return algorithm(search, target, search[0]) +    }, + +    go: function(search, targets, options) {                                                                                                                                                                                                                  ;if(search=='farzher')return[{target:"farzher was here (^-^*)/",score:0,indexes:[0,1,2,3,4,5,6],obj:targets?targets[0]:null}] +      if(!search) return noResults +      search = fuzzysort.prepareSearch(search) +      var searchLowerCode = search[0] + +      var threshold = options && options.threshold || instanceOptions && instanceOptions.threshold || -9007199254740991 +      var limit = options && options.limit || instanceOptions && instanceOptions.limit || 9007199254740991 +      var allowTypo = options && options.allowTypo!==undefined ? options.allowTypo +        : instanceOptions && instanceOptions.allowTypo!==undefined ? instanceOptions.allowTypo +        : true +      var algorithm = allowTypo ? fuzzysort.algorithm : fuzzysort.algorithmNoTypo +      var resultsLen = 0; var limitedCount = 0 +      var targetsLen = targets.length + +      // This code is copy/pasted 3 times for performance reasons [options.keys, options.key, no keys] + +      // options.keys +      if(options && options.keys) { +        var scoreFn = options.scoreFn || defaultScoreFn +        var keys = options.keys +        var keysLen = keys.length +        for(var i = targetsLen - 1; i >= 0; --i) { var obj = targets[i] +          var objResults = new Array(keysLen) +          for (var keyI = keysLen - 1; keyI >= 0; --keyI) { +            var key = keys[keyI] +            var target = getValue(obj, key) +            if(!target) { objResults[keyI] = null; continue } +            if(!isObj(target)) target = fuzzysort.getPrepared(target) + +            objResults[keyI] = algorithm(search, target, searchLowerCode) +          } +          objResults.obj = obj // before scoreFn so scoreFn can use it +          var score = scoreFn(objResults) +          if(score === null) continue +          if(score < threshold) continue +          objResults.score = score +          if(resultsLen < limit) { q.add(objResults); ++resultsLen } +          else { +            ++limitedCount +            if(score > q.peek().score) q.replaceTop(objResults) +          } +        } + +      // options.key +      } else if(options && options.key) { +        var key = options.key +        for(var i = targetsLen - 1; i >= 0; --i) { var obj = targets[i] +          var target = getValue(obj, key) +          if(!target) continue +          if(!isObj(target)) target = fuzzysort.getPrepared(target) + +          var result = algorithm(search, target, searchLowerCode) +          if(result === null) continue +          if(result.score < threshold) continue + +          // have to clone result so duplicate targets from different obj can each reference the correct obj +          result = {target:result.target, _targetLowerCodes:null, _nextBeginningIndexes:null, score:result.score, indexes:result.indexes, obj:obj} // hidden + +          if(resultsLen < limit) { q.add(result); ++resultsLen } +          else { +            ++limitedCount +            if(result.score > q.peek().score) q.replaceTop(result) +          } +        } + +      // no keys +      } else { +        for(var i = targetsLen - 1; i >= 0; --i) { var target = targets[i] +          if(!target) continue +          if(!isObj(target)) target = fuzzysort.getPrepared(target) + +          var result = algorithm(search, target, searchLowerCode) +          if(result === null) continue +          if(result.score < threshold) continue +          if(resultsLen < limit) { q.add(result); ++resultsLen } +          else { +            ++limitedCount +            if(result.score > q.peek().score) q.replaceTop(result) +          } +        } +      } + +      if(resultsLen === 0) return noResults +      var results = new Array(resultsLen) +      for(var i = resultsLen - 1; i >= 0; --i) results[i] = q.poll() +      results.total = resultsLen + limitedCount +      return results +    }, + +    goAsync: function(search, targets, options) { +      var canceled = false +      var p = new Promise(function(resolve, reject) {                                                                                                                                                                                                         ;if(search=='farzher')return resolve([{target:"farzher was here (^-^*)/",score:0,indexes:[0,1,2,3,4,5,6],obj:targets?targets[0]:null}]) +        if(!search) return resolve(noResults) +        search = fuzzysort.prepareSearch(search) +        var searchLowerCode = search[0] + +        var q = fastpriorityqueue() +        var iCurrent = targets.length - 1 +        var threshold = options && options.threshold || instanceOptions && instanceOptions.threshold || -9007199254740991 +        var limit = options && options.limit || instanceOptions && instanceOptions.limit || 9007199254740991 +        var allowTypo = options && options.allowTypo!==undefined ? options.allowTypo +          : instanceOptions && instanceOptions.allowTypo!==undefined ? instanceOptions.allowTypo +          : true +        var algorithm = allowTypo ? fuzzysort.algorithm : fuzzysort.algorithmNoTypo +        var resultsLen = 0; var limitedCount = 0 +        function step() { +          if(canceled) return reject('canceled') + +          var startMs = Date.now() + +          // This code is copy/pasted 3 times for performance reasons [options.keys, options.key, no keys] + +          // options.keys +          if(options && options.keys) { +            var scoreFn = options.scoreFn || defaultScoreFn +            var keys = options.keys +            var keysLen = keys.length +            for(; iCurrent >= 0; --iCurrent) { +              if(iCurrent%1000/*itemsPerCheck*/ === 0) { +                if(Date.now() - startMs >= 10/*asyncInterval*/) { +                  isNode?setImmediate(step):setTimeout(step) +                  return +                } +              } + +              var obj = targets[iCurrent] +              var objResults = new Array(keysLen) +              for (var keyI = keysLen - 1; keyI >= 0; --keyI) { +                var key = keys[keyI] +                var target = getValue(obj, key) +                if(!target) { objResults[keyI] = null; continue } +                if(!isObj(target)) target = fuzzysort.getPrepared(target) + +                objResults[keyI] = algorithm(search, target, searchLowerCode) +              } +              objResults.obj = obj // before scoreFn so scoreFn can use it +              var score = scoreFn(objResults) +              if(score === null) continue +              if(score < threshold) continue +              objResults.score = score +              if(resultsLen < limit) { q.add(objResults); ++resultsLen } +              else { +                ++limitedCount +                if(score > q.peek().score) q.replaceTop(objResults) +              } +            } + +          // options.key +          } else if(options && options.key) { +            var key = options.key +            for(; iCurrent >= 0; --iCurrent) { +              if(iCurrent%1000/*itemsPerCheck*/ === 0) { +                if(Date.now() - startMs >= 10/*asyncInterval*/) { +                  isNode?setImmediate(step):setTimeout(step) +                  return +                } +              } + +              var obj = targets[iCurrent] +              var target = getValue(obj, key) +              if(!target) continue +              if(!isObj(target)) target = fuzzysort.getPrepared(target) + +              var result = algorithm(search, target, searchLowerCode) +              if(result === null) continue +              if(result.score < threshold) continue + +              // have to clone result so duplicate targets from different obj can each reference the correct obj +              result = {target:result.target, _targetLowerCodes:null, _nextBeginningIndexes:null, score:result.score, indexes:result.indexes, obj:obj} // hidden + +              if(resultsLen < limit) { q.add(result); ++resultsLen } +              else { +                ++limitedCount +                if(result.score > q.peek().score) q.replaceTop(result) +              } +            } + +          // no keys +          } else { +            for(; iCurrent >= 0; --iCurrent) { +              if(iCurrent%1000/*itemsPerCheck*/ === 0) { +                if(Date.now() - startMs >= 10/*asyncInterval*/) { +                  isNode?setImmediate(step):setTimeout(step) +                  return +                } +              } + +              var target = targets[iCurrent] +              if(!target) continue +              if(!isObj(target)) target = fuzzysort.getPrepared(target) + +              var result = algorithm(search, target, searchLowerCode) +              if(result === null) continue +              if(result.score < threshold) continue +              if(resultsLen < limit) { q.add(result); ++resultsLen } +              else { +                ++limitedCount +                if(result.score > q.peek().score) q.replaceTop(result) +              } +            } +          } + +          if(resultsLen === 0) return resolve(noResults) +          var results = new Array(resultsLen) +          for(var i = resultsLen - 1; i >= 0; --i) results[i] = q.poll() +          results.total = resultsLen + limitedCount +          resolve(results) +        } + +        isNode?setImmediate(step):step() //setTimeout here is too slow +      }) +      p.cancel = function() { canceled = true } +      return p +    }, + +    highlight: function(result, hOpen, hClose) { +      if(typeof hOpen == 'function') return fuzzysort.highlightCallback(result, hOpen) +      if(result === null) return null +      if(hOpen === undefined) hOpen = '<b>' +      if(hClose === undefined) hClose = '</b>' +      var highlighted = '' +      var matchesIndex = 0 +      var opened = false +      var target = result.target +      var targetLen = target.length +      var matchesBest = result.indexes +      for(var i = 0; i < targetLen; ++i) { var char = target[i] +        if(matchesBest[matchesIndex] === i) { +          ++matchesIndex +          if(!opened) { opened = true +            highlighted += hOpen +          } + +          if(matchesIndex === matchesBest.length) { +            highlighted += char + hClose + target.substr(i+1) +            break +          } +        } else { +          if(opened) { opened = false +            highlighted += hClose +          } +        } +        highlighted += char +      } + +      return highlighted +    }, +    highlightCallback: function(result, cb) { +      if(result === null) return null +      var target = result.target +      var targetLen = target.length +      var indexes = result.indexes +      var highlighted = '' +      var matchI = 0 +      var indexesI = 0 +      var opened = false +      var result = [] +      for(var i = 0; i < targetLen; ++i) { var char = target[i] +        if(indexes[indexesI] === i) { +          ++indexesI +          if(!opened) { opened = true +            result.push(highlighted); highlighted = '' +          } + +          if(indexesI === indexes.length) { +            highlighted += char +            result.push(cb(highlighted, matchI++)); highlighted = '' +            result.push(target.substr(i+1)) +            break +          } +        } else { +          if(opened) { opened = false +            result.push(cb(highlighted, matchI++)); highlighted = '' +          } +        } +        highlighted += char +      } +      return result +    }, + +    prepare: function(target) { +      if(!target) return {target: '', _targetLowerCodes: [0/*this 0 doesn't make sense. here because an empty array causes the algorithm to deoptimize and run 50% slower!*/], _nextBeginningIndexes: null, score: null, indexes: null, obj: null} // hidden +      return {target:target, _targetLowerCodes:fuzzysort.prepareLowerCodes(target), _nextBeginningIndexes:null, score:null, indexes:null, obj:null} // hidden +    }, +    prepareSlow: function(target) { +      if(!target) return {target: '', _targetLowerCodes: [0/*this 0 doesn't make sense. here because an empty array causes the algorithm to deoptimize and run 50% slower!*/], _nextBeginningIndexes: null, score: null, indexes: null, obj: null} // hidden +      return {target:target, _targetLowerCodes:fuzzysort.prepareLowerCodes(target), _nextBeginningIndexes:fuzzysort.prepareNextBeginningIndexes(target), score:null, indexes:null, obj:null} // hidden +    }, +    prepareSearch: function(search) { +      if(!search) search = '' +      return fuzzysort.prepareLowerCodes(search) +    }, + + + +    // Below this point is only internal code +    // Below this point is only internal code +    // Below this point is only internal code +    // Below this point is only internal code + + + +    getPrepared: function(target) { +      if(target.length > 999) return fuzzysort.prepare(target) // don't cache huge targets +      var targetPrepared = preparedCache.get(target) +      if(targetPrepared !== undefined) return targetPrepared +      targetPrepared = fuzzysort.prepare(target) +      preparedCache.set(target, targetPrepared) +      return targetPrepared +    }, +    getPreparedSearch: function(search) { +      if(search.length > 999) return fuzzysort.prepareSearch(search) // don't cache huge searches +      var searchPrepared = preparedSearchCache.get(search) +      if(searchPrepared !== undefined) return searchPrepared +      searchPrepared = fuzzysort.prepareSearch(search) +      preparedSearchCache.set(search, searchPrepared) +      return searchPrepared +    }, + +    algorithm: function(searchLowerCodes, prepared, searchLowerCode) { +      var targetLowerCodes = prepared._targetLowerCodes +      var searchLen = searchLowerCodes.length +      var targetLen = targetLowerCodes.length +      var searchI = 0 // where we at +      var targetI = 0 // where you at +      var typoSimpleI = 0 +      var matchesSimpleLen = 0 + +      // very basic fuzzy match; to remove non-matching targets ASAP! +      // walk through target. find sequential matches. +      // if all chars aren't found then exit +      for(;;) { +        var isMatch = searchLowerCode === targetLowerCodes[targetI] +        if(isMatch) { +          matchesSimple[matchesSimpleLen++] = targetI +          ++searchI; if(searchI === searchLen) break +          searchLowerCode = searchLowerCodes[typoSimpleI===0?searchI : (typoSimpleI===searchI?searchI+1 : (typoSimpleI===searchI-1?searchI-1 : searchI))] +        } + +        ++targetI; if(targetI >= targetLen) { // Failed to find searchI +          // Check for typo or exit +          // we go as far as possible before trying to transpose +          // then we transpose backwards until we reach the beginning +          for(;;) { +            if(searchI <= 1) return null // not allowed to transpose first char +            if(typoSimpleI === 0) { // we haven't tried to transpose yet +              --searchI +              var searchLowerCodeNew = searchLowerCodes[searchI] +              if(searchLowerCode === searchLowerCodeNew) continue // doesn't make sense to transpose a repeat char +              typoSimpleI = searchI +            } else { +              if(typoSimpleI === 1) return null // reached the end of the line for transposing +              --typoSimpleI +              searchI = typoSimpleI +              searchLowerCode = searchLowerCodes[searchI + 1] +              var searchLowerCodeNew = searchLowerCodes[searchI] +              if(searchLowerCode === searchLowerCodeNew) continue // doesn't make sense to transpose a repeat char +            } +            matchesSimpleLen = searchI +            targetI = matchesSimple[matchesSimpleLen - 1] + 1 +            break +          } +        } +      } + +      var searchI = 0 +      var typoStrictI = 0 +      var successStrict = false +      var matchesStrictLen = 0 + +      var nextBeginningIndexes = prepared._nextBeginningIndexes +      if(nextBeginningIndexes === null) nextBeginningIndexes = prepared._nextBeginningIndexes = fuzzysort.prepareNextBeginningIndexes(prepared.target) +      var firstPossibleI = targetI = matchesSimple[0]===0 ? 0 : nextBeginningIndexes[matchesSimple[0]-1] + +      // Our target string successfully matched all characters in sequence! +      // Let's try a more advanced and strict test to improve the score +      // only count it as a match if it's consecutive or a beginning character! +      if(targetI !== targetLen) for(;;) { +        if(targetI >= targetLen) { +          // We failed to find a good spot for this search char, go back to the previous search char and force it forward +          if(searchI <= 0) { // We failed to push chars forward for a better match +            // transpose, starting from the beginning +            ++typoStrictI; if(typoStrictI > searchLen-2) break +            if(searchLowerCodes[typoStrictI] === searchLowerCodes[typoStrictI+1]) continue // doesn't make sense to transpose a repeat char +            targetI = firstPossibleI +            continue +          } + +          --searchI +          var lastMatch = matchesStrict[--matchesStrictLen] +          targetI = nextBeginningIndexes[lastMatch] + +        } else { +          var isMatch = searchLowerCodes[typoStrictI===0?searchI : (typoStrictI===searchI?searchI+1 : (typoStrictI===searchI-1?searchI-1 : searchI))] === targetLowerCodes[targetI] +          if(isMatch) { +            matchesStrict[matchesStrictLen++] = targetI +            ++searchI; if(searchI === searchLen) { successStrict = true; break } +            ++targetI +          } else { +            targetI = nextBeginningIndexes[targetI] +          } +        } +      } + +      { // tally up the score & keep track of matches for highlighting later +        if(successStrict) { var matchesBest = matchesStrict; var matchesBestLen = matchesStrictLen } +        else { var matchesBest = matchesSimple; var matchesBestLen = matchesSimpleLen } +        var score = 0 +        var lastTargetI = -1 +        for(var i = 0; i < searchLen; ++i) { var targetI = matchesBest[i] +          // score only goes down if they're not consecutive +          if(lastTargetI !== targetI - 1) score -= targetI +          lastTargetI = targetI +        } +        if(!successStrict) { +          score *= 1000 +          if(typoSimpleI !== 0) score += -20/*typoPenalty*/ +        } else { +          if(typoStrictI !== 0) score += -20/*typoPenalty*/ +        } +        score -= targetLen - searchLen +        prepared.score = score +        prepared.indexes = new Array(matchesBestLen); for(var i = matchesBestLen - 1; i >= 0; --i) prepared.indexes[i] = matchesBest[i] + +        return prepared +      } +    }, + +    algorithmNoTypo: function(searchLowerCodes, prepared, searchLowerCode) { +      var targetLowerCodes = prepared._targetLowerCodes +      var searchLen = searchLowerCodes.length +      var targetLen = targetLowerCodes.length +      var searchI = 0 // where we at +      var targetI = 0 // where you at +      var matchesSimpleLen = 0 + +      // very basic fuzzy match; to remove non-matching targets ASAP! +      // walk through target. find sequential matches. +      // if all chars aren't found then exit +      for(;;) { +        var isMatch = searchLowerCode === targetLowerCodes[targetI] +        if(isMatch) { +          matchesSimple[matchesSimpleLen++] = targetI +          ++searchI; if(searchI === searchLen) break +          searchLowerCode = searchLowerCodes[searchI] +        } +        ++targetI; if(targetI >= targetLen) return null // Failed to find searchI +      } + +      var searchI = 0 +      var successStrict = false +      var matchesStrictLen = 0 + +      var nextBeginningIndexes = prepared._nextBeginningIndexes +      if(nextBeginningIndexes === null) nextBeginningIndexes = prepared._nextBeginningIndexes = fuzzysort.prepareNextBeginningIndexes(prepared.target) +      var firstPossibleI = targetI = matchesSimple[0]===0 ? 0 : nextBeginningIndexes[matchesSimple[0]-1] + +      // Our target string successfully matched all characters in sequence! +      // Let's try a more advanced and strict test to improve the score +      // only count it as a match if it's consecutive or a beginning character! +      if(targetI !== targetLen) for(;;) { +        if(targetI >= targetLen) { +          // We failed to find a good spot for this search char, go back to the previous search char and force it forward +          if(searchI <= 0) break // We failed to push chars forward for a better match + +          --searchI +          var lastMatch = matchesStrict[--matchesStrictLen] +          targetI = nextBeginningIndexes[lastMatch] + +        } else { +          var isMatch = searchLowerCodes[searchI] === targetLowerCodes[targetI] +          if(isMatch) { +            matchesStrict[matchesStrictLen++] = targetI +            ++searchI; if(searchI === searchLen) { successStrict = true; break } +            ++targetI +          } else { +            targetI = nextBeginningIndexes[targetI] +          } +        } +      } + +      { // tally up the score & keep track of matches for highlighting later +        if(successStrict) { var matchesBest = matchesStrict; var matchesBestLen = matchesStrictLen } +        else { var matchesBest = matchesSimple; var matchesBestLen = matchesSimpleLen } +        var score = 0 +        var lastTargetI = -1 +        for(var i = 0; i < searchLen; ++i) { var targetI = matchesBest[i] +          // score only goes down if they're not consecutive +          if(lastTargetI !== targetI - 1) score -= targetI +          lastTargetI = targetI +        } +        if(!successStrict) score *= 1000 +        score -= targetLen - searchLen +        prepared.score = score +        prepared.indexes = new Array(matchesBestLen); for(var i = matchesBestLen - 1; i >= 0; --i) prepared.indexes[i] = matchesBest[i] + +        return prepared +      } +    }, + +    prepareLowerCodes: function(str) { +      var strLen = str.length +      var lowerCodes = [] // new Array(strLen)    sparse array is too slow +      var lower = str.toLowerCase() +      for(var i = 0; i < strLen; ++i) lowerCodes[i] = lower.charCodeAt(i) +      return lowerCodes +    }, +    prepareBeginningIndexes: function(target) { +      var targetLen = target.length +      var beginningIndexes = []; var beginningIndexesLen = 0 +      var wasUpper = false +      var wasAlphanum = false +      for(var i = 0; i < targetLen; ++i) { +        var targetCode = target.charCodeAt(i) +        var isUpper = targetCode>=65&&targetCode<=90 +        var isAlphanum = isUpper || targetCode>=97&&targetCode<=122 || targetCode>=48&&targetCode<=57 +        var isBeginning = isUpper && !wasUpper || !wasAlphanum || !isAlphanum +        wasUpper = isUpper +        wasAlphanum = isAlphanum +        if(isBeginning) beginningIndexes[beginningIndexesLen++] = i +      } +      return beginningIndexes +    }, +    prepareNextBeginningIndexes: function(target) { +      var targetLen = target.length +      var beginningIndexes = fuzzysort.prepareBeginningIndexes(target) +      var nextBeginningIndexes = [] // new Array(targetLen)     sparse array is too slow +      var lastIsBeginning = beginningIndexes[0] +      var lastIsBeginningI = 0 +      for(var i = 0; i < targetLen; ++i) { +        if(lastIsBeginning > i) { +          nextBeginningIndexes[i] = lastIsBeginning +        } else { +          lastIsBeginning = beginningIndexes[++lastIsBeginningI] +          nextBeginningIndexes[i] = lastIsBeginning===undefined ? targetLen : lastIsBeginning +        } +      } +      return nextBeginningIndexes +    }, + +    cleanup: cleanup, +    new: fuzzysortNew, +  } +  return fuzzysort +} // fuzzysortNew + +// This stuff is outside fuzzysortNew, because it's shared with instances of fuzzysort.new() +var isNode = typeof require !== 'undefined' && typeof window === 'undefined' +var MyMap = Map||function(){var s=Object.create(null);this.get=function(k){return s[k]};this.set=function(k,val){s[k]=val;return this};this.clear=function(){s=Object.create(null)}} +var preparedCache = new MyMap() +var preparedSearchCache = new MyMap() +var noResults = []; noResults.total = 0 +var matchesSimple = []; var matchesStrict = [] +function cleanup() { preparedCache.clear(); preparedSearchCache.clear(); matchesSimple = []; matchesStrict = [] } +function defaultScoreFn(a) { +  var max = -9007199254740991 +  for (var i = a.length - 1; i >= 0; --i) { +    var result = a[i]; if(result === null) continue +    var score = result.score +    if(score > max) max = score +  } +  if(max === -9007199254740991) return null +  return max +} + +// prop = 'key'              2.5ms optimized for this case, seems to be about as fast as direct obj[prop] +// prop = 'key1.key2'        10ms +// prop = ['key1', 'key2']   27ms +function getValue(obj, prop) { +  var tmp = obj[prop]; if(tmp !== undefined) return tmp +  var segs = prop +  if(!Array.isArray(prop)) segs = prop.split('.') +  var len = segs.length +  var i = -1 +  while (obj && (++i < len)) obj = obj[segs[i]] +  return obj +} + +function isObj(x) { return typeof x === 'object' } // faster as a function + +// Hacked version of https://github.com/lemire/FastPriorityQueue.js +var fastpriorityqueue=function(){var r=[],o=0,e={};function n(){for(var e=0,n=r[e],c=1;c<o;){var f=c+1;e=c,f<o&&r[f].score<r[c].score&&(e=f),r[e-1>>1]=r[e],c=1+(e<<1)}for(var a=e-1>>1;e>0&&n.score<r[a].score;a=(e=a)-1>>1)r[e]=r[a];r[e]=n}return e.add=function(e){var n=o;r[o++]=e;for(var c=n-1>>1;n>0&&e.score<r[c].score;c=(n=c)-1>>1)r[n]=r[c];r[n]=e},e.poll=function(){if(0!==o){var e=r[0];return r[0]=r[--o],n(),e}},e.peek=function(e){if(0!==o)return r[0]},e.replaceTop=function(o){r[0]=o,n()},e}; +var q = fastpriorityqueue() // reuse this, except for async, it needs to make its own + +return fuzzysortNew() +}) // UMD + +// TODO: (performance) wasm version!? +// TODO: (performance) threads? +// TODO: (performance) avoid cache misses +// TODO: (performance) preparedCache is a memory leak +// TODO: (like sublime) backslash === forwardslash +// TODO: (like sublime) spaces: "a b" should do 2 searches 1 for a and 1 for b +// TODO: (scoring) garbage in targets that allows most searches to strict match need a penality +// TODO: (performance) idk if allowTypo is optimized diff --git a/pydis_site/static/js/resources/resources.js b/pydis_site/static/js/resources/resources.js index 508849e1..d6cc8128 100644 --- a/pydis_site/static/js/resources/resources.js +++ b/pydis_site/static/js/resources/resources.js @@ -8,6 +8,13 @@ var activeFilters = {      difficulty: []  }; +// Options for fuzzysort +const fuzzysortOptions = { +  allowTypo: true,             // Allow our users to make typos +  titleThreshold: -10000,      // The threshold for the fuzziness on title matches. Closer to 0 is stricter. +  descriptionThreshold: -500,  // The threshold for the fuzziness on description matches. +}; +  /* Add a filter, and update the UI */  function addFilter(filterName, filterItem) {      var filterIndex = activeFilters[filterName].indexOf(filterItem); @@ -25,6 +32,7 @@ function removeAllFilters() {          "payment-tiers": [],          difficulty: []      }; +    $("#resource-search input").val("");      updateUI();  } @@ -51,6 +59,13 @@ function noFilters() {  function deserializeURLParams() {      let searchParams = new window.URLSearchParams(window.location.search); +    // Add the search query to the search bar. +    if (searchParams.has("search")) { +        let searchQuery = searchParams.get("search"); +        $("#resource-search input").val(searchQuery); +        $(".close-filters-button").show(); +    } +      // Work through the parameters and add them to the filter object      $.each(Object.keys(activeFilters), function(_, filterType) {          let paramFilterContent = searchParams.get(filterType); @@ -62,11 +77,13 @@ function deserializeURLParams() {              // Update the corresponding filter UI, so it reflects the internal state.              let filterAdded = false;              $(paramFilterArray).each(function(_, filter) { -                // Make sure the filter is valid before we do anything. +                // Catch special cases.                  if (String(filter) === "rickroll" && filterType === "type") {                      window.location.href = "https://www.youtube.com/watch?v=dQw4w9WgXcQ";                  } else if (String(filter) === "sneakers" && filterType === "topics") {                      window.location.href = "https://www.youtube.com/watch?v=NNZscmNE9QI"; + +                // If the filter is valid, mirror it to the UI.                  } else if (validFilters.hasOwnProperty(filterType) && validFilters[filterType].includes(String(filter))) {                      let checkbox = $(`.filter-checkbox[data-filter-name='${filterType}'][data-filter-item='${filter}']`);                      let filterTag = $(`.filter-box-tag[data-filter-name='${filterType}'][data-filter-item='${filter}']`); @@ -91,10 +108,23 @@ function deserializeURLParams() {      });  } +/* Show or hide the duckies, depending on whether or not there are any resources visible. */ +function updateDuckies() { +    let visibleResources = Boolean($(".resource-box:visible").length); +    if (!visibleResources) { +        $(".no-resources-found").show(); +    } else { +        $(".no-resources-found").hide(); +    } +} + +  /* Update the URL with new parameters */  function updateURL() { -    // If there's nothing in the filters, we don't want anything in the URL. -    if (noFilters()) { +    let searchQuery = $("#resource-search input").val(); + +    // If there's no active filtering parameters, we can return early. +    if (noFilters() && searchQuery.length === 0) {          window.history.replaceState(null, document.title, './');          return;      } @@ -107,10 +137,44 @@ function updateURL() {          }      }); +    // Add the search query, if necessary. +    if (searchQuery.length > 0) { +        searchParams.set("search", searchQuery); +    } +      // Now update the URL      window.history.replaceState(null, document.title, `?${searchParams.toString()}`);  } +/* Apply search terms */ +function filterBySearch(resourceItems) { +    let searchQuery = $("#resource-search input").val(); + +    /* Show and update the tag if there's a search query */ +    if (searchQuery) { +        let tag = $(".tag.search-query"); +        let tagText = $(".tag.search-query span"); +        tagText.text(`Search: ${searchQuery}`); +        tag.show(); +        $(".close-filters-button").show(); +    } + +    resourceItems.filter(function() { +        // Get the resource title and description +        let title = $(this).attr("data-resource-name"); +        let description = $(this).find("p").text(); + +        // Run a fuzzy search. Does the title or description match the query? +        let titleMatch = fuzzysort.single(searchQuery, title, fuzzysortOptions); +        titleMatch = Boolean(titleMatch) && titleMatch.score > fuzzysortOptions.titleThreshold; + +        let descriptionMatch = fuzzysort.single(searchQuery, description, fuzzysortOptions); +        descriptionMatch = Boolean(descriptionMatch) && descriptionMatch.score > fuzzysortOptions.descriptionThreshold; + +        return titleMatch || descriptionMatch; +    }).show(); +} +  /* Update the resources to match 'active_filters' */  function updateUI() {      let resources = $('.resource-box'); @@ -118,19 +182,31 @@ function updateUI() {      let resourceTags = $('.resource-tag');      let noTagsSelected = $(".no-tags-selected.tag");      let closeFiltersButton = $(".close-filters-button"); +    let searchQuery = $("#resource-search input").val(); +    let searchTag = $(".tag.search-query");      // Update the URL to match the new filters.      updateURL();      // If there's nothing in the filters, we can return early.      if (noFilters()) { -        resources.show(); +        // If we have a searchQuery, we need to run all resources through a search. +        if (searchQuery.length > 0) { +            resources.hide(); +            noTagsSelected.hide(); +            filterBySearch(resources); +        } else { +            resources.show(); +            noTagsSelected.show(); +            closeFiltersButton.hide(); +            $(".tag.search-query").hide(); +        } +          filterTags.hide(); -        noTagsSelected.show(); -        closeFiltersButton.hide();          resourceTags.removeClass("active");          $(`.filter-checkbox:checked`).prop("checked", false); -        $(".no-resources-found").hide(); +        updateDuckies(); +          return;      } else {          // Hide everything @@ -158,9 +234,8 @@ function updateUI() {      }      // Otherwise, hide everything and then filter the resources to decide what to show. -    let hasMatches = false;      resources.hide(); -    resources.filter(function() { +    let filteredResources = resources.filter(function() {          let validation = {              topics: false,              type: false, @@ -187,20 +262,22 @@ function updateUI() {          // If validation passes, show the resource.          if (Object.values(validation).every(Boolean)) { -            hasMatches = true;              return true;          } else {              return false;          } -    }).show(); - +    }); -    // If there are no matches, show the no matches message -    if (!hasMatches) { -        $(".no-resources-found").show(); +    // Run the items we've found through the search filter, if necessary. +    if (searchQuery.length > 0) { +        filterBySearch(filteredResources);      } else { -        $(".no-resources-found").hide(); +        filteredResources.show(); +        searchTag.hide();      } + +    // Gotta update those duckies! +    updateDuckies();  }  // Executed when the page has finished loading. @@ -230,6 +307,11 @@ document.addEventListener("DOMContentLoaded", function () {          setTimeout(() => { categoryHeaders.removeClass("no-transition"); }, 10);      } +    // When you type into the search bar, trigger an UI update. +    $("#resource-search input").on("input", function() { +        updateUI(); +    }); +      // If you click on the div surrounding the filter checkbox, it clicks the corresponding checkbox.      $('.filter-panel').on("click",function(event) {          let hitsCheckbox = Boolean(String(event.target)); diff --git a/pydis_site/templates/events/sidebar/code-jams/7.html b/pydis_site/templates/events/sidebar/code-jams/7.html index d4615c2a..4aefdbd9 100644 --- a/pydis_site/templates/events/sidebar/code-jams/7.html +++ b/pydis_site/templates/events/sidebar/code-jams/7.html @@ -1,7 +1,7 @@  {% load static %}  <div class="box"> -    <img src="https://raw.githubusercontent.com/python-discord/branding/master/events/summer_code_jam_2020/summer%20cj%202020%20discord%20banner.png" alt="Summer Code Jam 2020"> +    <img src="https://raw.githubusercontent.com/python-discord/branding/master/jams/summer_code_jam_2020/summer%20cj%202020%20discord%20banner.png" alt="Summer Code Jam 2020">      <p class="menu-label">Sponsors</p>      <a href="https://www.djangoproject.com/" target="_blank">          <img src="https://static.djangoproject.com/img/logos/django-logo-positive.png" alt="Django"> diff --git a/pydis_site/templates/resources/resource_box.html b/pydis_site/templates/resources/resource_box.html index e26203e9..5ca46296 100644 --- a/pydis_site/templates/resources/resource_box.html +++ b/pydis_site/templates/resources/resource_box.html @@ -2,7 +2,7 @@  {% load to_kebabcase %}  {% load get_category_icon %} -<div class="box resource-box {{ resource.css_classes }}"> +<div class="box resource-box {{ resource.css_classes }}" data-resource-name="{{ resource.name }}">      {% if 'title_url' in resource %}          <a href="{{ resource.title_url }}">              {% include "resources/resource_box_header.html" %} diff --git a/pydis_site/templates/resources/resource_box_header.html b/pydis_site/templates/resources/resource_box_header.html index 84e1a79b..dfbdd92f 100644 --- a/pydis_site/templates/resources/resource_box_header.html +++ b/pydis_site/templates/resources/resource_box_header.html @@ -17,8 +17,7 @@  <span class="is-size-4 has-text-weight-bold">      {% if 'title_image' in resource %}          <img src="{{ resource.title_image }}" alt="" style="height: 50px; {{ resource.title_image_style }}"> -    {% endif %} -    {% if 'name' in resource %} +    {% elif 'name' in resource %}          {{ resource.name }}      {% endif %}  </span> diff --git a/pydis_site/templates/resources/resources.html b/pydis_site/templates/resources/resources.html index 70fad097..101f9965 100644 --- a/pydis_site/templates/resources/resources.html +++ b/pydis_site/templates/resources/resources.html @@ -16,6 +16,7 @@      <script src="https://ajax.googleapis.com/ajax/libs/jquery/3.6.0/jquery.min.js"></script>      <script defer src="{% static "js/resources/resources.js" %}"></script>      <script defer src="{% static "js/collapsibles.js" %}"></script> +    <script defer src="{% static "js/fuzzysort/fuzzysort.js" %}"></script>  {% endblock %}  {% block content %} @@ -27,18 +28,33 @@              <div class="column filtering-column is-one-third">                  <div class="content is-justify-content-center">                      <nav id="resource-filtering-panel" class="panel is-primary"> -                        <p class="panel-heading has-text-centered" id="filter-panel-header">Filter Resources</p> +                        <p class="panel-heading has-text-centered" id="filter-panel-header">Filter resources</p> + +                        {# Search bar #} +                        <p id="resource-search" class="control has-icons-left"> +                            <input class="input" placeholder="Search resources "> +                            <span class="icon is-small is-left"> +                                <i class="fas fa-magnifying-glass"></i> +                            </span> +                        </p> +                          {# Filter box tags #}                          <div class="card filter-tags">                              <div class="is-flex ml-auto"> -                                <div> +                                <div id="tag-pool">                                      {# A filter tag for when there are no filters active #} -                                    <span class="no-tags-selected tag has-background-disabled has-text-disabled ml-2 mt-2"> -                                            <i class="fas fa-ban mr-1"></i> +                                    <span class="tag no-tags-selected is-secondary ml-2 mt-2"> +                                            <i class="fas fa-fw fa-ban mr-1"></i>                                              No filters selected                                      </span> +                                    {# A filter tag for search queries #} +                                    <span class="tag search-query is-secondary ml-2 mt-2"> +                                            <i class="fas fa-fw fa-magnifying-glass mr-1"></i> +                                            <span class="tag inner">Search: ...</span> +                                    </span> +                                      {% for filter_name, filter_data in filters.items %}                                          {% for filter_item in filter_data.filters %}                                              {% if filter_name == "Difficulty" %} @@ -152,7 +168,7 @@                  {# Resource cards #}                  <div class="content is-flex is-justify-content-center"> -                    <div> +                    <div class="container is-fullwidth">                          {% for resource in resources.values %}                              {% include "resources/resource_box.html" %}                          {% endfor %} diff --git a/pydis_site/templates/staff/logs.html b/pydis_site/templates/staff/logs.html index 8c92836a..5e2a200b 100644 --- a/pydis_site/templates/staff/logs.html +++ b/pydis_site/templates/staff/logs.html @@ -14,12 +14,16 @@          <li>Date: {{ deletion_context.creation }}</li>      </ul>      <div class="is-divider has-small-margin"></div> -    {% for message in deletion_context.deletedmessage_set.all %} +    {% for message in deletion_context.deletedmessage_set.all reversed %}          <div class="discord-message">              <div class="discord-message-header">                  <span class="discord-username" -                      style="color: {{ message.author.top_role.colour | hex_colour }}">{{ message.author }}</span><span -                    class="discord-message-metadata has-text-grey">{{ message.timestamp }} | User ID: {{ message.author.id }}</span> +                      style="color: {{ message.author.top_role.colour | hex_colour }}">{{ message.author }} +                </span> +                <span class="discord-message-metadata has-text-grey"> +                    User ID: {{ message.author.id }}<br> +                    {{ message.timestamp }} (Channel ID-Message ID: {{ message.channel_id }}-{{ message.id }}) +                </span>              </div>              <div class="discord-message-content">                  {{ message.content | escape | visible_newlines | safe }} diff --git a/pydis_site/utils/resources.py b/pydis_site/utils/resources.py deleted file mode 100644 index 637fd785..00000000 --- a/pydis_site/utils/resources.py +++ /dev/null @@ -1,91 +0,0 @@ -from __future__ import annotations - -import glob -import typing -from dataclasses import dataclass - -import yaml - - -@dataclass -class URL: -    """A class representing a link to a resource.""" - -    icon: str -    title: str -    url: str - - -class Resource: -    """A class representing a resource on the resource page.""" - -    description: str -    name: str -    payment: str -    payment_description: typing.Optional[str] -    urls: typing.List[URL] - -    def __repr__(self): -        """Return a representation of the resource.""" -        return f"<Resource name={self.name}>" - -    @classmethod -    def construct_from_yaml(cls, yaml_data: typing.TextIO) -> Resource: -        """Construct a Resource object from the provided YAML.""" -        resource = cls() - -        loaded = yaml.safe_load(yaml_data) - -        resource.__dict__.update(loaded) - -        resource.__dict__["urls"] = [] - -        for url in loaded["urls"]: -            resource.__dict__["urls"].append(URL(**url)) - -        return resource - - -class Category: -    """A class representing a resource on the resources page.""" - -    resources: typing.List[Resource] -    name: str -    description: str - -    def __repr__(self): -        """Return a representation of the category.""" -        return f"<Category name={self.name}>" - -    @classmethod -    def construct_from_directory(cls, directory: str) -> Category: -        """Construct a Category object from the provided directory.""" -        category = cls() - -        with open(f"{directory}/_category_info.yaml") as category_info: -            category_data = yaml.safe_load(category_info) - -            category.__dict__.update(category_data) - -        category.resources = [] - -        for resource in glob.glob(f"{directory}/*.yaml"): -            if resource == f"{directory}/_category_info.yaml": -                continue - -            with open(resource) as res_file: -                category.resources.append( -                    Resource.construct_from_yaml(res_file) -                ) - -        return category - - -def load_categories(order: typing.List[str]) -> typing.List[Category]: -    """Load the categories specified in the order list and return them.""" -    categories = [] -    for cat in order: -        direc = "pydis_site/apps/home/resources/" + cat -        categories.append(Category.construct_from_directory(direc)) - -    return categories | 
