diff options
106 files changed, 4352 insertions, 918 deletions
| diff --git a/.pre-commit-config.yaml b/.pre-commit-config.yaml index 860357868..876d32b15 100644 --- a/.pre-commit-config.yaml +++ b/.pre-commit-config.yaml @@ -1,10 +1,26 @@  repos: --   repo: local +  - repo: https://github.com/pre-commit/pre-commit-hooks +    rev: v2.5.0      hooks: -    -   id: flake8 +      - id: check-merge-conflict +      - id: check-toml +      - id: check-yaml +        args: [--unsafe] # Required due to custom constructors (e.g. !ENV) +      - id: end-of-file-fixer +      - id: mixed-line-ending +        args: [--fix=lf] +      - id: trailing-whitespace +        args: [--markdown-linebreak-ext=md] +  - repo: https://github.com/pre-commit/pygrep-hooks +    rev: v1.5.1 +    hooks: +      - id: python-check-blanket-noqa +  - repo: local +    hooks: +      - id: flake8          name: Flake8          description: This hook runs flake8 within our project's pipenv environment. -        entry: pipenv run lint +        entry: pipenv run flake8          language: python          types: [python] -        require_serial: true
\ No newline at end of file +        require_serial: true diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md index 39f76c7b4..be591d17e 100644 --- a/CONTRIBUTING.md +++ b/CONTRIBUTING.md @@ -1,4 +1,4 @@ -# Contributing to one of our projects +# Contributing to one of Our Projects  Our projects are open-source and are automatically deployed whenever commits are pushed to the `master` branch on each repository, so we've created a set of guidelines in order to keep everything clean and in working order. @@ -10,12 +10,12 @@ Note that contributions may be rejected on the basis of a contributor failing to  2. If you have direct access to the repository, **create a branch for your changes** and create a pull request for that branch. If not, create a branch on a fork of the repository and create a pull request from there.      * It's common practice for a repository to reject direct pushes to `master`, so make branching a habit!      * If PRing from your own fork, **ensure that "Allow edits from maintainers" is checked**. This gives permission for maintainers to commit changes directly to your fork, speeding up the review process. -3. **Adhere to the prevailing code style**, which we enforce using [flake8](http://flake8.pycqa.org/en/latest/index.html). -    * Run `flake8` against your code **before** you push it. Your commit will be rejected by the build server if it fails to lint. -    * [Git Hooks](https://git-scm.com/book/en/v2/Customizing-Git-Git-Hooks) are a powerful tool that can be a daunting to set up. Fortunately, [`pre-commit`](https://github.com/pre-commit/pre-commit) abstracts this process away from you and is provided as a dev dependency for this project. Run `pipenv run precommit` when setting up the project and you'll never have to worry about breaking the build for linting errors. +3. **Adhere to the prevailing code style**, which we enforce using [`flake8`](http://flake8.pycqa.org/en/latest/index.html) and [`pre-commit`](https://pre-commit.com/). +    * Run `flake8` and `pre-commit` against your code [**before** you push it](https://soundcloud.com/lemonsaurusrex/lint-before-you-push). Your commit will be rejected by the build server if it fails to lint. +    * [Git Hooks](https://git-scm.com/book/en/v2/Customizing-Git-Git-Hooks) are a powerful git feature for executing custom scripts when certain important git actions occur. The pre-commit hook is the first hook executed during the commit process and can be used to check the code being committed & abort the commit if issues, such as linting failures, are detected. While git hooks can seem daunting to configure, the `pre-commit` framework abstracts this process away from you and is provided as a dev dependency for this project. Run `pipenv run precommit` when setting up the project and you'll never have to worry about committing code that fails linting.  4. **Make great commits**. A well structured git log is key to a project's maintainability; it efficiently 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. -    * Try to avoid making minor commits for fixing typos or linting errors. Since you've already set up a pre-commit hook to run `flake8` before a commit, you shouldn't be committing linting issues anyway. +    * Avoid making minor commits for fixing typos or linting errors. Since you've already set up a `pre-commit` hook to run the linting pipeline before a commit, you shouldn't be committing linting issues anyway.      * 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/)  5. **Avoid frequent pushes to the main repository**. This goes for PRs opened against your fork as well. Our test build pipelines are triggered every time a push to the repository (or PR) is made. Try to batch your commits until you've finished working for that session, or you've reached a point where collaborators need your commits to continue their own work. This also provides you the opportunity to amend commits for minor changes rather than having to commit them on their own because you've already pushed.      * This includes merging master into your branch. Try to leave merging from master for after your PR passes review; a maintainer will bring your PR up to date before merging. Exceptions to this include: resolving merge conflicts, needing something that was pushed to master for your branch, or something was pushed to master that could potentionally affect the functionality of what you're writing. @@ -24,13 +24,12 @@ Note that contributions may be rejected on the basis of a contributor failing to      * One option is to fork the other contributor's repository and submit your changes to their branch with your own pull request. We suggest following these guidelines when interacting with their repository as well.      * The author(s) of inactive PRs and claimed issues will be be pinged after a week of inactivity for an update. Continued inactivity may result in the issue being released back to the community and/or PR closure.  8. **Work as a team** and collaborate wherever possible. Keep things friendly and help each other out - these are shared projects and nobody likes to have their feet trodden on. -9. **Internal projects are internal**. As a contributor, you have access to information that the rest of the server does not. With this trust comes responsibility - do not release any information you have learned as a result of your contributor position. We are very strict about announcing things at specific times, and many staff members will not appreciate a disruption of the announcement schedule. -10. All static content, such as images or audio, **must be licensed for open public use**. +9. All static content, such as images or audio, **must be licensed for open public use**.      * Static content must be hosted by a service designed to do so. Failing to do so is known as "leeching" and is frowned upon, as it generates extra bandwidth costs to the host without providing benefit. It would be best if appropriately licensed content is added to the repository itself so it can be served by PyDis' infrastructure. -Above all, the needs of our community should come before the wants of an individual. Work together, build solutions to problems and try to do so in a way that people can learn from easily. Abuse of our trust may result in the loss of your Contributor role, especially in relation to Rule 7. +Above all, the needs of our community should come before the wants of an individual. Work together, build solutions to problems and try to do so in a way that people can learn from easily. Abuse of our trust may result in the loss of your Contributor role. -## Changes to this arrangement +## Changes to this Arrangement  All projects evolve over time, and this contribution guide is no different. This document is open to pull requests or changes by contributors. If you believe you have something valuable to add or change, please don't hesitate to do so in a PR. @@ -43,15 +42,19 @@ To provide a standalone development environment for this project, docker compose  When pulling down changes from GitHub, remember to sync your environment using `pipenv sync --dev` to ensure you're using the most up-to-date versions the project's dependencies.  ### 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.  +[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:  ```py -def foo(input_1: int, input_2: dict) -> bool: +import typing as t + + +def foo(input_1: int, input_2: t.Dict[str, str]) -> bool: +    ...  ``` -Tells us that `foo` accepts an `int` and a `dict` and returns a `bool`. +Tells us that `foo` accepts an `int` and a `dict`, with `str` keys and values, and returns a `bool`.  All function declarations should be type hinted in code contributed to the PyDis organization. @@ -63,15 +66,19 @@ Many documentation packages provide support for automatic documentation generati  For example:  ```py -def foo(bar: int, baz: dict=None) -> bool: +import typing as t + + +def foo(bar: int, baz: t.Optional[t.Dict[str, str]] = None) -> bool:      """      Does some things with some stuff.      :param bar: Some input -    :param baz: Optional, some other input +    :param baz: Optional, some dictionary with string keys and values      :return: Some boolean      """ +    ...  ```  Since PyDis does not utilize automatic documentation generation, use of this syntax should not be used in code contributed to the organization. Should the purpose and type of the input variables not be easily discernable from the variable name and type annotation, a prose explanation can be used. Explicit references to variables, functions, classes, etc. should be wrapped with backticks (`` ` ``). @@ -79,25 +86,33 @@ Since PyDis does not utilize automatic documentation generation, use of this syn  For example, the above docstring would become:  ```py -def foo(bar: int, baz: dict=None) -> bool: +import typing as t + + +def foo(bar: int, baz: t.Optional[t.Dict[str, str]] = None) -> bool:      """      Does some things with some stuff.      This function takes an index, `bar` and checks for its presence in the database `baz`, passed as a dictionary. Returns `False` if `baz` is not passed.      """ +    ...  ```  ### Logging Levels -The project currently defines [`logging`](https://docs.python.org/3/library/logging.html) levels as follows: -* **TRACE:** Use this for tracing every step of a complex process. That way we can see which step of the process failed. Err on the side of verbose. **Note:** This is a PyDis-implemented logging level. -* **DEBUG:** Someone is interacting with the application, and the application is behaving as expected. -* **INFO:** Something completely ordinary happened. Like a cog loading during startup. -* **WARNING:** Someone is interacting with the application in an unexpected way or the application is responding in an unexpected way, but without causing an error. -* **ERROR:** An error that affects the specific part that is being interacted with -* **CRITICAL:** An error that affects the whole application. +The project currently defines [`logging`](https://docs.python.org/3/library/logging.html) 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. +* **DEBUG:** These events should add context to what's happening in a development setup to make it easier to follow what's going while working 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 have not caused a failure. +  * **NOTE:** Events at this logging level and higher should be reserved for events that require the attention of the DevOps team. +* **ERROR:** These events have caused a failure in a specific part of the application and require urgent attention. +* **CRITICAL:** These events have caused the whole application to fail and require immediate intervention. + +Ensure that log messages are succinct. Should you want to pass additional useful information that would otherwise make the log message overly verbose the `logging` module accepts an `extra` kwarg, which can be used to pass a dictionary. This is used to populate the `__dict__` of the `LogRecord` created for the logging event with user-defined attributes that can be accessed by a log handler. Additional information and caveats may be found [in Python's `logging` documentation](https://docs.python.org/3/library/logging.html#logging.Logger.debug).  ### Work in Progress (WIP) PRs -Github [has introduced a new PR feature](https://github.blog/2019-02-14-introducing-draft-pull-requests/) that allows the PR author to mark it as a WIP. 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. +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 WIP. 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. @@ -19,7 +19,10 @@ requests = "~=2.22"  more_itertools = "~=8.2"  sentry-sdk = "~=0.14"  coloredlogs = "~=14.0" -colorama = {version = "~=0.4.3", sys_platform = "== 'win32'"} +colorama = {version = "~=0.4.3",sys_platform = "== 'win32'"} +statsd = "~=3.3" +feedparser = "~=5.2" +beautifulsoup4 = "~=4.9"  [dev-packages]  coverage = "~=5.0" @@ -31,17 +34,16 @@ flake8-import-order = "~=0.18"  flake8-string-format = "~=0.2"  flake8-tidy-imports = "~=4.0"  flake8-todo = "~=0.7" +pep8-naming = "~=0.9"  pre-commit = "~=2.1" -safety = "~=1.8"  unittest-xml-reporting = "~=3.0" -dodgy = "~=0.1"  [requires]  python_version = "3.8"  [scripts]  start = "python -m bot" -lint = "python -m flake8" +lint = "pre-commit run --all-files"  precommit = "pre-commit install"  build = "docker build -t pythondiscord/bot:latest -f Dockerfile ."  push = "docker push pythondiscord/bot:latest" diff --git a/Pipfile.lock b/Pipfile.lock index 9953aab40..4e7050a13 100644 --- a/Pipfile.lock +++ b/Pipfile.lock @@ -1,7 +1,7 @@  {      "_meta": {          "hash": { -            "sha256": "fae6dcdb6a5ebf27e8ea5044f4ca2ab854774d17affb5fd64ac85f8d0ae71187" +            "sha256": "64620e7e825c74fd3010821fb30843b19f5dafb2b5a1f6eafedc0a5febd99b69"          },          "pipfile-spec": 6,          "requires": { @@ -18,11 +18,11 @@      "default": {          "aio-pika": {              "hashes": [ -                "sha256:4199122a450dffd8303b7857a9d82657bf1487fe329e489520833b40fbe92406", -                "sha256:fe85c7456e5c060bce4eb9cffab5b2c4d3c563cb72177977b3556c54c8e3aeb6" +                "sha256:9e4614636296e0040055bd6b304e97a38cc9796669ef391fc9b36649831d43ee", +                "sha256:c9d242b3c7142d64b185feb6c5cce4154962610e89ec2e9b52bd69ef01f89b2f"              ],              "index": "pypi", -            "version": "==6.5.2" +            "version": "==6.6.0"          },          "aiodns": {              "hashes": [ @@ -87,18 +87,19 @@          },          "beautifulsoup4": {              "hashes": [ -                "sha256:05fd825eb01c290877657a56df4c6e4c311b3965bda790c613a3d6fb01a5462a", -                "sha256:9fbb4d6e48ecd30bcacc5b63b94088192dcda178513b2ae3c394229f8911b887", -                "sha256:e1505eeed31b0f4ce2dbb3bc8eb256c04cc2b3b72af7d551a4ab6efd5cbe5dae" +                "sha256:594ca51a10d2b3443cbac41214e12dbb2a1cd57e1a7344659849e2e20ba6a8d8", +                "sha256:a4bbe77fd30670455c5296242967a123ec28c37e9702a8a81bd2f20a4baf0368", +                "sha256:d4e96ac9b0c3a6d3f0caae2e4124e6055c5dcafde8e2f831ff194c104f0775a0"              ], -            "version": "==4.8.2" +            "index": "pypi", +            "version": "==4.9.0"          },          "certifi": {              "hashes": [ -                "sha256:017c25db2a153ce562900032d5bc68e9f191e44e9a0f762f373977de9df1fbb3", -                "sha256:25b64c7da4cd7479594d035c08c2d809eb4aab3a26e5a990ea98cc450c320f1f" +                "sha256:1d987a998c75633c40847cc966fcf5904906c920a7f17ef374f5aa4282abd304", +                "sha256:51fcb31174be6e6664c5f69e3e1691a2d72a1a12e90f872cbdb1567eb47b6519"              ], -            "version": "==2019.11.28" +            "version": "==2020.4.5.1"          },          "cffi": {              "hashes": [ @@ -159,18 +160,18 @@          },          "deepdiff": {              "hashes": [ -                "sha256:b3fa588d1eac7fa318ec1fb4f2004568e04cb120a1989feda8e5e7164bcbf07a", -                "sha256:ed7342d3ed3c0c2058a3fb05b477c943c9959ef62223dca9baa3375718a25d87" +                "sha256:59fc1e3e7a28dd0147b0f2b00e3e27181f0f0ef4286b251d5f214a5bcd9a9bc4", +                "sha256:91360be1d9d93b1d9c13ae9c5048fa83d9cff17a88eb30afaa0d7ff2d0fee17d"              ],              "index": "pypi", -            "version": "==4.2.0" +            "version": "==4.3.2"          },          "discord-py": {              "hashes": [ -                "sha256:7424be26b07b37ecad4404d9383d685995a0e0b3df3f9c645bdd3a4d977b83b4" +                "sha256:406871b06d86c3dc49fba63238519f28628dac946fef8a0e22988ff58ec05580"              ],              "index": "pypi", -            "version": "==1.3.2" +            "version": "==1.3.3"          },          "docutils": {              "hashes": [ @@ -179,6 +180,15 @@              ],              "version": "==0.16"          }, +        "feedparser": { +            "hashes": [ +                "sha256:bd030652c2d08532c034c27fcd7c85868e7fa3cb2b17f230a44a6bbc92519bf9", +                "sha256:cd2485472e41471632ed3029d44033ee420ad0b57111db95c240c9160a85831c", +                "sha256:ce875495c90ebd74b179855449040003a1beb40cd13d5f037a0654251e260b02" +            ], +            "index": "pypi", +            "version": "==5.2.1" +        },          "fuzzywuzzy": {              "hashes": [                  "sha256:45016e92264780e58972dca1b3d939ac864b78437422beecebb3095f8efd00e8", @@ -189,10 +199,10 @@          },          "humanfriendly": {              "hashes": [ -                "sha256:cbe04ecf964ccb951a578f396091f258448ca4b4b4c6d4b6194f48ef458fe991", -                "sha256:e8e2e4524409e55d5c5cbbb4c555a0c0a9599d5e8f74d0ce1ac504ba51ad1cd2" +                "sha256:bf52ec91244819c780341a3438d5d7b09f431d3f113a475147ac9b7b167a3d12", +                "sha256:e78960b31198511f45fd455534ae7645a6207d33e512d2e842c766d15d9c8080"              ], -            "version": "==7.2" +            "version": "==8.2"          },          "idna": {              "hashes": [ @@ -210,10 +220,10 @@          },          "jinja2": {              "hashes": [ -                "sha256:93187ffbc7808079673ef52771baa950426fd664d3aad1d0fa3e95644360e250", -                "sha256:b0eaf100007721b5c16c1fc1eecb87409464edc10469ddc9a22a27a99123be49" +                "sha256:89aab215427ef59c34ad58735269eb58b1a5808103067f7bb9d5836c651b3bb0", +                "sha256:f0a4641d3cf955324a89c04f3d94663aa4d638abe8f733ecd3582848e1c37035"              ], -            "version": "==2.11.1" +            "version": "==2.11.2"          },          "lxml": {              "hashes": [ @@ -331,10 +341,10 @@          },          "packaging": {              "hashes": [ -                "sha256:170748228214b70b672c581a3dd610ee51f733018650740e98c7df862a583f73", -                "sha256:e665345f9eef0c621aa0bf2f8d78cf6d21904eef16a93f020240b704a57f1334" +                "sha256:3c292b474fda1671ec57d46d739d072bfd495a4f51ad01a055121d81e952b7a3", +                "sha256:82f77b9bee21c1bafbf35a84905d604d5d1223801d639cf3ed140bd651c08752"              ], -            "version": "==20.1" +            "version": "==20.3"          },          "pamqp": {              "hashes": [ @@ -379,31 +389,24 @@          },          "pycparser": {              "hashes": [ -                "sha256:a988718abfad80b6b157acce7bf130a30876d27603738ac39f140993246b25b3", -                "sha256:fd64020e8a5e0369de455adf9f22795a90fdb74e6bb999e9a13fd26b54f533ef" +                "sha256:2d475327684562c3a96cc71adf7dc8c4f0565175cf86b6d7a404ff4c771f15f0", +                "sha256:7582ad22678f0fcd81102833f60ef8d0e57288b6b5fb00323d101be910e35705"              ], -            "version": "==2.19" +            "version": "==2.20"          },          "pygments": {              "hashes": [ -                "sha256:2a3fe295e54a20164a9df49c75fa58526d3be48e14aceba6d6b1e8ac0bfd6f1b", -                "sha256:98c8aa5a9f778fcd1026a17361ddaf7330d1b7c62ae97c3bb0ae73e0b9b6b0fe" +                "sha256:647344a061c249a3b74e230c739f434d7ea4d8b1d5f3721bc0f3558049b38f44", +                "sha256:ff7a40b4860b727ab48fad6360eb351cc1b33cbf9b15a0f689ca5353e9463324"              ], -            "version": "==2.5.2" +            "version": "==2.6.1"          },          "pyparsing": {              "hashes": [ -                "sha256:4c830582a84fb022400b85429791bc551f1f4871c33f23e44f353119e92f969f", -                "sha256:c342dccb5250c08d45fd6f8b4a559613ca603b57498511740e65cd11a2e7dcec" +                "sha256:c203ec8783bf771a155b207279b9bccb8dea02d8f0c9e5f8ead507bc3246ecc1", +                "sha256:ef9d7589ef3c200abe66653d3f1ab1033c3c419ae9b9bdb1240a85b024efc88b"              ], -            "version": "==2.4.6" -        }, -        "pyreadline": { -            "hashes": [ -                "sha256:4530592fc2e85b25b1a9f79664433da09237c1a270e4d78ea5aa3a2c7229e2d1" -            ], -            "markers": "sys_platform == 'win32'", -            "version": "==2.1" +            "version": "==2.4.7"          },          "python-dateutil": {              "hashes": [ @@ -422,20 +425,20 @@          },          "pyyaml": {              "hashes": [ -                "sha256:059b2ee3194d718896c0ad077dd8c043e5e909d9180f387ce42012662a4946d6", -                "sha256:1cf708e2ac57f3aabc87405f04b86354f66799c8e62c28c5fc5f88b5521b2dbf", -                "sha256:24521fa2890642614558b492b473bee0ac1f8057a7263156b02e8b14c88ce6f5", -                "sha256:4fee71aa5bc6ed9d5f116327c04273e25ae31a3020386916905767ec4fc5317e", -                "sha256:70024e02197337533eef7b85b068212420f950319cc8c580261963aefc75f811", -                "sha256:74782fbd4d4f87ff04159e986886931456a1894c61229be9eaf4de6f6e44b99e", -                "sha256:940532b111b1952befd7db542c370887a8611660d2b9becff75d39355303d82d", -                "sha256:cb1f2f5e426dc9f07a7681419fe39cee823bb74f723f36f70399123f439e9b20", -                "sha256:dbbb2379c19ed6042e8f11f2a2c66d39cceb8aeace421bfc29d085d93eda3689", -                "sha256:e3a057b7a64f1222b56e47bcff5e4b94c4f61faac04c7c4ecb1985e18caa3994", -                "sha256:e9f45bd5b92c7974e59bcd2dcc8631a6b6cc380a904725fce7bc08872e691615" +                "sha256:06a0d7ba600ce0b2d2fe2e78453a470b5a6e000a985dd4a4e54e436cc36b0e97", +                "sha256:240097ff019d7c70a4922b6869d8a86407758333f02203e0fc6ff79c5dcede76", +                "sha256:4f4b913ca1a7319b33cfb1369e91e50354d6f07a135f3b901aca02aa95940bd2", +                "sha256:69f00dca373f240f842b2931fb2c7e14ddbacd1397d57157a9b005a6a9942648", +                "sha256:73f099454b799e05e5ab51423c7bcf361c58d3206fa7b0d555426b1f4d9a3eaf", +                "sha256:74809a57b329d6cc0fdccee6318f44b9b8649961fa73144a98735b0aaf029f1f", +                "sha256:7739fc0fa8205b3ee8808aea45e968bc90082c10aef6ea95e855e10abf4a37b2", +                "sha256:95f71d2af0ff4227885f7a6605c37fd53d3a106fcab511b8860ecca9fcf400ee", +                "sha256:b8eac752c5e14d3eca0e6dd9199cd627518cb5ec06add0de9d32baeee6fe645d", +                "sha256:cc8955cfbfc7a115fa81d85284ee61147059a753344bc51098f3ccd69b0d7e0c", +                "sha256:d13155f591e6fcc1ec3b30685d50bf0711574e2c0dfffd7644babf8b5102ca1a"              ],              "index": "pypi", -            "version": "==5.3" +            "version": "==5.3.1"          },          "requests": {              "hashes": [ @@ -447,11 +450,11 @@          },          "sentry-sdk": {              "hashes": [ -                "sha256:480eee754e60bcae983787a9a13bc8f155a111aef199afaa4f289d6a76aa622a", -                "sha256:a920387dc3ee252a66679d0afecd34479fb6fc52c2bc20763793ed69e5b0dcc0" +                "sha256:23808d571d2461a4ce3784ec12bbee5bdb8c026c143fe79d36cef8a6d653e71f", +                "sha256:bb90a4e19c7233a580715fc986cc44be2c48fc10b31e71580a2037e1c94b6950"              ],              "index": "pypi", -            "version": "==0.14.2" +            "version": "==0.14.3"          },          "six": {              "hashes": [ @@ -476,11 +479,11 @@          },          "sphinx": {              "hashes": [ -                "sha256:776ff8333181138fae52df65be733127539623bb46cc692e7fa0fcfc80d7aa88", -                "sha256:ca762da97c3b5107cbf0ab9e11d3ec7ab8d3c31377266fd613b962ed971df709" +                "sha256:b4c750d546ab6d7e05bdff6ac24db8ae3e8b8253a3569b754e445110a0a12b66", +                "sha256:fc312670b56cb54920d6cc2ced455a22a547910de10b3142276495ced49231cb"              ],              "index": "pypi", -            "version": "==2.4.3" +            "version": "==2.4.4"          },          "sphinxcontrib-applehelp": {              "hashes": [ @@ -524,12 +527,20 @@              ],              "version": "==1.1.4"          }, +        "statsd": { +            "hashes": [ +                "sha256:c610fb80347fca0ef62666d241bce64184bd7cc1efe582f9690e045c25535eaa", +                "sha256:e3e6db4c246f7c59003e51c9720a51a7f39a396541cb9b147ff4b14d15b5dd1f" +            ], +            "index": "pypi", +            "version": "==3.3.0" +        },          "urllib3": {              "hashes": [ -                "sha256:2f3db8b19923a873b3e5256dc9c2dedfa883e33d87c690d9c7913e1f40673cdc", -                "sha256:87716c2d2a7121198ebcb7ce7cccf6ce5e9ba539041cfbaeecfb641dc0bf6acc" +                "sha256:3018294ebefce6572a474f0604c2021e33b3fd8006ecd11d62107a5d2a963527", +                "sha256:88206b0eb87e6d677d424843ac5209e3fb9d0190d0ee169599165ec25e9d9115"              ], -            "version": "==1.25.8" +            "version": "==1.25.9"          },          "websockets": {              "hashes": [ @@ -596,13 +607,6 @@              ],              "version": "==19.3.0"          }, -        "certifi": { -            "hashes": [ -                "sha256:017c25db2a153ce562900032d5bc68e9f191e44e9a0f762f373977de9df1fbb3", -                "sha256:25b64c7da4cd7479594d035c08c2d809eb4aab3a26e5a990ea98cc450c320f1f" -            ], -            "version": "==2019.11.28" -        },          "cfgv": {              "hashes": [                  "sha256:1ccf53320421aeeb915275a196e23b3b8ae87dea8ac6698b1638001d4a486d53", @@ -610,78 +614,48 @@              ],              "version": "==3.1.0"          }, -        "chardet": { -            "hashes": [ -                "sha256:84ab92ed1c4d4f16916e05906b6b75a6c0fb5db821cc65e70cbd64a3e2a5eaae", -                "sha256:fc323ffcaeaed0e0a02bf4d117757b98aed530d9ed4531e3e15460124c106691" -            ], -            "version": "==3.0.4" -        }, -        "click": { -            "hashes": [ -                "sha256:2335065e6395b9e67ca716de5f7526736bfa6ceead690adf616d925bdc622b13", -                "sha256:5b94b49521f6456670fdb30cd82a4eca9412788a93fa6dd6df72c94d5a8ff2d7" -            ], -            "version": "==7.0" -        },          "coverage": {              "hashes": [ -                "sha256:15cf13a6896048d6d947bf7d222f36e4809ab926894beb748fc9caa14605d9c3", -                "sha256:1daa3eceed220f9fdb80d5ff950dd95112cd27f70d004c7918ca6dfc6c47054c", -                "sha256:1e44a022500d944d42f94df76727ba3fc0a5c0b672c358b61067abb88caee7a0", -                "sha256:25dbf1110d70bab68a74b4b9d74f30e99b177cde3388e07cc7272f2168bd1477", -                "sha256:3230d1003eec018ad4a472d254991e34241e0bbd513e97a29727c7c2f637bd2a", -                "sha256:3dbb72eaeea5763676a1a1efd9b427a048c97c39ed92e13336e726117d0b72bf", -                "sha256:5012d3b8d5a500834783689a5d2292fe06ec75dc86ee1ccdad04b6f5bf231691", -                "sha256:51bc7710b13a2ae0c726f69756cf7ffd4362f4ac36546e243136187cfcc8aa73", -                "sha256:527b4f316e6bf7755082a783726da20671a0cc388b786a64417780b90565b987", -                "sha256:722e4557c8039aad9592c6a4213db75da08c2cd9945320220634f637251c3894", -                "sha256:76e2057e8ffba5472fd28a3a010431fd9e928885ff480cb278877c6e9943cc2e", -                "sha256:77afca04240c40450c331fa796b3eab6f1e15c5ecf8bf2b8bee9706cd5452fef", -                "sha256:7afad9835e7a651d3551eab18cbc0fdb888f0a6136169fbef0662d9cdc9987cf", -                "sha256:9bea19ac2f08672636350f203db89382121c9c2ade85d945953ef3c8cf9d2a68", -                "sha256:a8b8ac7876bc3598e43e2603f772d2353d9931709345ad6c1149009fd1bc81b8", -                "sha256:b0840b45187699affd4c6588286d429cd79a99d509fe3de0f209594669bb0954", -                "sha256:b26aaf69713e5674efbde4d728fb7124e429c9466aeaf5f4a7e9e699b12c9fe2", -                "sha256:b63dd43f455ba878e5e9f80ba4f748c0a2156dde6e0e6e690310e24d6e8caf40", -                "sha256:be18f4ae5a9e46edae3f329de2191747966a34a3d93046dbdf897319923923bc", -                "sha256:c312e57847db2526bc92b9bfa78266bfbaabac3fdcd751df4d062cd4c23e46dc", -                "sha256:c60097190fe9dc2b329a0eb03393e2e0829156a589bd732e70794c0dd804258e", -                "sha256:c62a2143e1313944bf4a5ab34fd3b4be15367a02e9478b0ce800cb510e3bbb9d", -                "sha256:cc1109f54a14d940b8512ee9f1c3975c181bbb200306c6d8b87d93376538782f", -                "sha256:cd60f507c125ac0ad83f05803063bed27e50fa903b9c2cfee3f8a6867ca600fc", -                "sha256:d513cc3db248e566e07a0da99c230aca3556d9b09ed02f420664e2da97eac301", -                "sha256:d649dc0bcace6fcdb446ae02b98798a856593b19b637c1b9af8edadf2b150bea", -                "sha256:d7008a6796095a79544f4da1ee49418901961c97ca9e9d44904205ff7d6aa8cb", -                "sha256:da93027835164b8223e8e5af2cf902a4c80ed93cb0909417234f4a9df3bcd9af", -                "sha256:e69215621707119c6baf99bda014a45b999d37602cb7043d943c76a59b05bf52", -                "sha256:ea9525e0fef2de9208250d6c5aeeee0138921057cd67fcef90fbed49c4d62d37", -                "sha256:fca1669d464f0c9831fd10be2eef6b86f5ebd76c724d1e0706ebdff86bb4adf0" -            ], -            "index": "pypi", -            "version": "==5.0.3" -        }, -        "distlib": { -            "hashes": [ -                "sha256:2e166e231a26b36d6dfe35a48c4464346620f8645ed0ace01ee31822b288de21", -                "sha256:9b183fb98f4870e02d315d5d17baef14be74c339d827346cae544f5597698555" -            ], -            "version": "==0.3.0" -        }, -        "dodgy": { -            "hashes": [ -                "sha256:28323cbfc9352139fdd3d316fa17f325cc0e9ac74438cbba51d70f9b48f86c3a", -                "sha256:51f54c0fd886fa3854387f354b19f429d38c04f984f38bc572558b703c0542a6" +                "sha256:00f1d23f4336efc3b311ed0d807feb45098fc86dee1ca13b3d6768cdab187c8a", +                "sha256:01333e1bd22c59713ba8a79f088b3955946e293114479bbfc2e37d522be03355", +                "sha256:0cb4be7e784dcdc050fc58ef05b71aa8e89b7e6636b99967fadbdba694cf2b65", +                "sha256:0e61d9803d5851849c24f78227939c701ced6704f337cad0a91e0972c51c1ee7", +                "sha256:1601e480b9b99697a570cea7ef749e88123c04b92d84cedaa01e117436b4a0a9", +                "sha256:2742c7515b9eb368718cd091bad1a1b44135cc72468c731302b3d641895b83d1", +                "sha256:2d27a3f742c98e5c6b461ee6ef7287400a1956c11421eb574d843d9ec1f772f0", +                "sha256:402e1744733df483b93abbf209283898e9f0d67470707e3c7516d84f48524f55", +                "sha256:5c542d1e62eece33c306d66fe0a5c4f7f7b3c08fecc46ead86d7916684b36d6c", +                "sha256:5f2294dbf7875b991c381e3d5af2bcc3494d836affa52b809c91697449d0eda6", +                "sha256:6402bd2fdedabbdb63a316308142597534ea8e1895f4e7d8bf7476c5e8751fef", +                "sha256:66460ab1599d3cf894bb6baee8c684788819b71a5dc1e8fa2ecc152e5d752019", +                "sha256:782caea581a6e9ff75eccda79287daefd1d2631cc09d642b6ee2d6da21fc0a4e", +                "sha256:79a3cfd6346ce6c13145731d39db47b7a7b859c0272f02cdb89a3bdcbae233a0", +                "sha256:7a5bdad4edec57b5fb8dae7d3ee58622d626fd3a0be0dfceda162a7035885ecf", +                "sha256:8fa0cbc7ecad630e5b0f4f35b0f6ad419246b02bc750de7ac66db92667996d24", +                "sha256:a027ef0492ede1e03a8054e3c37b8def89a1e3c471482e9f046906ba4f2aafd2", +                "sha256:a3f3654d5734a3ece152636aad89f58afc9213c6520062db3978239db122f03c", +                "sha256:a82b92b04a23d3c8a581fc049228bafde988abacba397d57ce95fe95e0338ab4", +                "sha256:acf3763ed01af8410fc36afea23707d4ea58ba7e86a8ee915dfb9ceff9ef69d0", +                "sha256:adeb4c5b608574a3d647011af36f7586811a2c1197c861aedb548dd2453b41cd", +                "sha256:b83835506dfc185a319031cf853fa4bb1b3974b1f913f5bb1a0f3d98bdcded04", +                "sha256:bb28a7245de68bf29f6fb199545d072d1036a1917dca17a1e75bbb919e14ee8e", +                "sha256:bf9cb9a9fd8891e7efd2d44deb24b86d647394b9705b744ff6f8261e6f29a730", +                "sha256:c317eaf5ff46a34305b202e73404f55f7389ef834b8dbf4da09b9b9b37f76dd2", +                "sha256:dbe8c6ae7534b5b024296464f387d57c13caa942f6d8e6e0346f27e509f0f768", +                "sha256:de807ae933cfb7f0c7d9d981a053772452217df2bf38e7e6267c9cbf9545a796", +                "sha256:dead2ddede4c7ba6cb3a721870f5141c97dc7d85a079edb4bd8d88c3ad5b20c7", +                "sha256:dec5202bfe6f672d4511086e125db035a52b00f1648d6407cc8e526912c0353a", +                "sha256:e1ea316102ea1e1770724db01998d1603ed921c54a86a2efcb03428d5417e489", +                "sha256:f90bfc4ad18450c80b024036eaf91e4a246ae287701aaa88eaebebf150868052"              ],              "index": "pypi", -            "version": "==0.2.1" +            "version": "==5.1"          }, -        "dparse": { +        "distlib": {              "hashes": [ -                "sha256:00a5fdfa900629e5159bf3600d44905b333f4059a3366f28e0dbd13eeab17b19", -                "sha256:cef95156fa0adedaf042cd42f9990974bec76f25dfeca4dc01f381a243d5aa5b" +                "sha256:2e166e231a26b36d6dfe35a48c4464346620f8645ed0ace01ee31822b288de21"              ], -            "version": "==0.4.1" +            "version": "==0.3.0"          },          "entrypoints": {              "hashes": [ @@ -707,11 +681,11 @@          },          "flake8-annotations": {              "hashes": [ -                "sha256:19a6637a5da1bb7ea7948483ca9e2b9e15b213e687e7bf5ff8c1bfc91c185006", -                "sha256:bb033b72cdd3a2b0a530bbdf2081f12fbea7d70baeaaebb5899723a45f424b8e" +                "sha256:9091d920406a7ff10e401e0dd1baa396d1d7d2e3d101a9beecf815f5894ad554", +                "sha256:f59fdceb8c8f380a20aed20e1ba8a57bde05935958166c52be2249f113f7ab75"              ],              "index": "pypi", -            "version": "==2.0.0" +            "version": "==2.1.0"          },          "flake8-bugbear": {              "hashes": [ @@ -737,6 +711,13 @@              "index": "pypi",              "version": "==0.18.1"          }, +        "flake8-polyfill": { +            "hashes": [ +                "sha256:12be6a34ee3ab795b19ca73505e7b55826d5f6ad7230d31b18e106400169b9e9", +                "sha256:e44b087597f6da52ec6393a709e7108b2905317d0c0b744cdca6208e670d8eda" +            ], +            "version": "==1.0.2" +        },          "flake8-string-format": {              "hashes": [                  "sha256:65f3da786a1461ef77fca3780b314edb2853c377f2e35069723348c8917deaa2", @@ -747,11 +728,11 @@          },          "flake8-tidy-imports": {              "hashes": [ -                "sha256:8aa34384b45137d4cf33f5818b8e7897dc903b1d1e10a503fa7dd193a9a710ba", -                "sha256:b26461561bcc80e8012e46846630ecf0aaa59314f362a94cb7800dfdb32fa413" +                "sha256:62059ca07d8a4926b561d392cbab7f09ee042350214a25cf12823384a45d27dd", +                "sha256:c30b40337a2e6802ba3bb611c26611154a27e94c53fc45639e3e282169574fd3"              ],              "index": "pypi", -            "version": "==4.0.0" +            "version": "==4.1.0"          },          "flake8-todo": {              "hashes": [ @@ -762,17 +743,10 @@          },          "identify": {              "hashes": [ -                "sha256:1222b648251bdcb8deb240b294f450fbf704c7984e08baa92507e4ea10b436d5", -                "sha256:d824ebe21f38325c771c41b08a95a761db1982f1fc0eee37c6c97df3f1636b96" -            ], -            "version": "==1.4.11" -        }, -        "idna": { -            "hashes": [ -                "sha256:7588d1c14ae4c77d74036e8c22ff447b26d0fde8f007354fd48a7814db15b7cb", -                "sha256:a068a21ceac8a4d63dbfd964670474107f541babbd2250d61922f029858365fa" +                "sha256:2bb8760d97d8df4408f4e805883dad26a2d076f04be92a10a3e43f09c6060742", +                "sha256:faffea0fd8ec86bb146ac538ac350ed0c73908326426d387eded0bcc9d077522"              ], -            "version": "==2.9" +            "version": "==1.4.14"          },          "mccabe": {              "hashes": [ @@ -787,20 +761,21 @@              ],              "version": "==1.3.5"          }, -        "packaging": { +        "pep8-naming": {              "hashes": [ -                "sha256:170748228214b70b672c581a3dd610ee51f733018650740e98c7df862a583f73", -                "sha256:e665345f9eef0c621aa0bf2f8d78cf6d21904eef16a93f020240b704a57f1334" +                "sha256:5d9f1056cb9427ce344e98d1a7f5665710e2f20f748438e308995852cfa24164", +                "sha256:f3b4a5f9dd72b991bf7d8e2a341d2e1aa3a884a769b5aaac4f56825c1763bf3a"              ], -            "version": "==20.1" +            "index": "pypi", +            "version": "==0.10.0"          },          "pre-commit": {              "hashes": [ -                "sha256:09ebe467f43ce24377f8c2f200fe3cd2570d328eb2ce0568c8e96ce19da45fa6", -                "sha256:f8d555e31e2051892c7f7b3ad9f620bd2c09271d87e9eedb2ad831737d6211eb" +                "sha256:487c675916e6f99d355ec5595ad77b325689d423ef4839db1ed2f02f639c9522", +                "sha256:c0aa11bce04a7b46c5544723aedf4e81a4d5f64ad1205a30a9ea12d5e81969e1"              ],              "index": "pypi", -            "version": "==2.1.1" +            "version": "==2.2.0"          },          "pycodestyle": {              "hashes": [ @@ -823,45 +798,22 @@              ],              "version": "==2.1.1"          }, -        "pyparsing": { -            "hashes": [ -                "sha256:4c830582a84fb022400b85429791bc551f1f4871c33f23e44f353119e92f969f", -                "sha256:c342dccb5250c08d45fd6f8b4a559613ca603b57498511740e65cd11a2e7dcec" -            ], -            "version": "==2.4.6" -        },          "pyyaml": {              "hashes": [ -                "sha256:059b2ee3194d718896c0ad077dd8c043e5e909d9180f387ce42012662a4946d6", -                "sha256:1cf708e2ac57f3aabc87405f04b86354f66799c8e62c28c5fc5f88b5521b2dbf", -                "sha256:24521fa2890642614558b492b473bee0ac1f8057a7263156b02e8b14c88ce6f5", -                "sha256:4fee71aa5bc6ed9d5f116327c04273e25ae31a3020386916905767ec4fc5317e", -                "sha256:70024e02197337533eef7b85b068212420f950319cc8c580261963aefc75f811", -                "sha256:74782fbd4d4f87ff04159e986886931456a1894c61229be9eaf4de6f6e44b99e", -                "sha256:940532b111b1952befd7db542c370887a8611660d2b9becff75d39355303d82d", -                "sha256:cb1f2f5e426dc9f07a7681419fe39cee823bb74f723f36f70399123f439e9b20", -                "sha256:dbbb2379c19ed6042e8f11f2a2c66d39cceb8aeace421bfc29d085d93eda3689", -                "sha256:e3a057b7a64f1222b56e47bcff5e4b94c4f61faac04c7c4ecb1985e18caa3994", -                "sha256:e9f45bd5b92c7974e59bcd2dcc8631a6b6cc380a904725fce7bc08872e691615" -            ], -            "index": "pypi", -            "version": "==5.3" -        }, -        "requests": { -            "hashes": [ -                "sha256:43999036bfa82904b6af1d99e4882b560e5e2c68e5c4b0aa03b655f3d7d73fee", -                "sha256:b3f43d496c6daba4493e7c431722aeb7dbc6288f52a6e04e7b6023b0247817e6" -            ], -            "index": "pypi", -            "version": "==2.23.0" -        }, -        "safety": { -            "hashes": [ -                "sha256:0a3a8a178a9c96242b224f033ee8d1d130c0448b0e6622d12deaf37f6c3b4e59", -                "sha256:5059f3ffab3648330548ea9c7403405bbfaf085b11235770825d14c58f24cb78" +                "sha256:06a0d7ba600ce0b2d2fe2e78453a470b5a6e000a985dd4a4e54e436cc36b0e97", +                "sha256:240097ff019d7c70a4922b6869d8a86407758333f02203e0fc6ff79c5dcede76", +                "sha256:4f4b913ca1a7319b33cfb1369e91e50354d6f07a135f3b901aca02aa95940bd2", +                "sha256:69f00dca373f240f842b2931fb2c7e14ddbacd1397d57157a9b005a6a9942648", +                "sha256:73f099454b799e05e5ab51423c7bcf361c58d3206fa7b0d555426b1f4d9a3eaf", +                "sha256:74809a57b329d6cc0fdccee6318f44b9b8649961fa73144a98735b0aaf029f1f", +                "sha256:7739fc0fa8205b3ee8808aea45e968bc90082c10aef6ea95e855e10abf4a37b2", +                "sha256:95f71d2af0ff4227885f7a6605c37fd53d3a106fcab511b8860ecca9fcf400ee", +                "sha256:b8eac752c5e14d3eca0e6dd9199cd627518cb5ec06add0de9d32baeee6fe645d", +                "sha256:cc8955cfbfc7a115fa81d85284ee61147059a753344bc51098f3ccd69b0d7e0c", +                "sha256:d13155f591e6fcc1ec3b30685d50bf0711574e2c0dfffd7644babf8b5102ca1a"              ],              "index": "pypi", -            "version": "==1.8.5" +            "version": "==5.3.1"          },          "six": {              "hashes": [ @@ -892,19 +844,12 @@              "index": "pypi",              "version": "==3.0.2"          }, -        "urllib3": { -            "hashes": [ -                "sha256:2f3db8b19923a873b3e5256dc9c2dedfa883e33d87c690d9c7913e1f40673cdc", -                "sha256:87716c2d2a7121198ebcb7ce7cccf6ce5e9ba539041cfbaeecfb641dc0bf6acc" -            ], -            "version": "==1.25.8" -        },          "virtualenv": {              "hashes": [ -                "sha256:30ea90b21dabd11da5f509710ad3be2ae47d40ccbc717dfdd2efe4367c10f598", -                "sha256:4a36a96d785428278edd389d9c36d763c5755844beb7509279194647b1ef47f1" +                "sha256:5021396e8f03d0d002a770da90e31e61159684db2859d0ba4850fbea752aa675", +                "sha256:ac53ade75ca189bc97b6c1d9ec0f1a50efe33cbf178ae09452dcd9fd309013c1"              ], -            "version": "==20.0.7" +            "version": "==20.0.18"          }      }  } diff --git a/azure-pipelines.yml b/azure-pipelines.yml index 35dea089a..d56675029 100644 --- a/azure-pipelines.yml +++ b/azure-pipelines.yml @@ -1,9 +1,13 @@  # https://aka.ms/yaml  variables: +  PIP_NO_CACHE_DIR: false +  PIP_USER: 1    PIPENV_HIDE_EMOJIS: 1    PIPENV_IGNORE_VIRTUALENVS: 1    PIPENV_NOSPIN: 1 +  PRE_COMMIT_HOME: $(Pipeline.Workspace)/pre-commit-cache +  PYTHONUSERBASE: $(Pipeline.Workspace)/py-user-base  jobs:    - job: test @@ -12,25 +16,60 @@ jobs:        vmImage: ubuntu-18.04      variables: -      PIP_CACHE_DIR: ".cache/pip" +      BOT_API_KEY: foo +      BOT_SENTRY_DSN: blah +      BOT_TOKEN: bar +      REDDIT_CLIENT_ID: spam +      REDDIT_SECRET: ham +      WOLFRAM_API_KEY: baz      steps:        - task: UsePythonVersion@0          displayName: 'Set Python version' +        name: python          inputs:            versionSpec: '3.8.x'            addToPath: true +      - task: Cache@2 +        displayName: 'Restore Python environment' +        inputs: +          key: python | $(Agent.OS) | "$(python.pythonLocation)" | 0 | ./Pipfile | ./Pipfile.lock +          cacheHitVar: PY_ENV_RESTORED +          path: $(PYTHONUSERBASE) + +      - script: echo '##vso[task.prependpath]$(PYTHONUSERBASE)/bin' +        displayName: 'Prepend PATH' +        - script: pip install pipenv          displayName: 'Install pipenv' +        condition: and(succeeded(), ne(variables.PY_ENV_RESTORED, 'true'))        - script: pipenv install --dev --deploy --system          displayName: 'Install project using pipenv' +        condition: and(succeeded(), ne(variables.PY_ENV_RESTORED, 'true')) + +      # Create an executable shell script which replaces the original pipenv binary. +      # The shell script ignores the first argument and executes the rest of the args as a command. +      # It makes the `pipenv run flake8` command in the pre-commit hook work by circumventing +      # pipenv entirely, which is too dumb to know it should use the system interpreter rather than +      # creating a new venv. +      - script: | +          printf '%s\n%s' '#!/bin/bash' '"${@:2}"' > $(python.pythonLocation)/bin/pipenv \ +          && chmod +x $(python.pythonLocation)/bin/pipenv +        displayName: 'Mock pipenv binary' + +      - task: Cache@2 +        displayName: 'Restore pre-commit environment' +        inputs: +          key: pre-commit | "$(python.pythonLocation)" | 0 | .pre-commit-config.yaml +          path: $(PRE_COMMIT_HOME) -      - script: python -m flake8 -        displayName: 'Run linter' +      # pre-commit's venv doesn't allow user installs - not that they're really needed anyway. +      - script: export PIP_USER=0; pre-commit run --all-files +        displayName: 'Run pre-commit hooks' -      - script: BOT_API_KEY=foo BOT_SENTRY_DSN=blah BOT_TOKEN=bar WOLFRAM_API_KEY=baz REDDIT_CLIENT_ID=spam REDDIT_SECRET=ham coverage run -m xmlrunner +      - script: coverage run -m xmlrunner          displayName: Run tests        - script: coverage report -m && coverage xml -o coverage.xml diff --git a/bot/__init__.py b/bot/__init__.py index c9dbc3f40..d63086fe2 100644 --- a/bot/__init__.py +++ b/bot/__init__.py @@ -1,3 +1,4 @@ +import asyncio  import logging  import os  import sys @@ -33,7 +34,7 @@ log_format = logging.Formatter(format_string)  log_file = Path("logs", "bot.log")  log_file.parent.mkdir(exist_ok=True) -file_handler = handlers.RotatingFileHandler(log_file, maxBytes=5242880, backupCount=7) +file_handler = handlers.RotatingFileHandler(log_file, maxBytes=5242880, backupCount=7, encoding="utf8")  file_handler.setFormatter(log_format)  root_log = logging.getLogger() @@ -58,4 +59,10 @@ coloredlogs.install(logger=root_log, stream=sys.stdout)  logging.getLogger("discord").setLevel(logging.WARNING)  logging.getLogger("websockets").setLevel(logging.WARNING) +logging.getLogger("chardet").setLevel(logging.WARNING)  logging.getLogger(__name__) + + +# On Windows, the selector event loop is required for aiodns. +if os.name == "nt": +    asyncio.set_event_loop_policy(asyncio.WindowsSelectorEventLoopPolicy()) diff --git a/bot/__main__.py b/bot/__main__.py index 3df477a6d..aa1d1aee8 100644 --- a/bot/__main__.py +++ b/bot/__main__.py @@ -5,9 +5,8 @@ import sentry_sdk  from discord.ext.commands import when_mentioned_or  from sentry_sdk.integrations.logging import LoggingIntegration -from bot import patches +from bot import constants, patches  from bot.bot import Bot -from bot.constants import Bot as BotConfig  sentry_logging = LoggingIntegration(      level=logging.DEBUG, @@ -15,12 +14,12 @@ sentry_logging = LoggingIntegration(  )  sentry_sdk.init( -    dsn=BotConfig.sentry_dsn, +    dsn=constants.Bot.sentry_dsn,      integrations=[sentry_logging]  )  bot = Bot( -    command_prefix=when_mentioned_or(BotConfig.prefix), +    command_prefix=when_mentioned_or(constants.Bot.prefix),      activity=discord.Game(name="Commands: !help"),      case_insensitive=True,      max_messages=10_000, @@ -47,26 +46,31 @@ bot.load_extension("bot.cogs.verification")  # Feature cogs  bot.load_extension("bot.cogs.alias")  bot.load_extension("bot.cogs.defcon") -bot.load_extension("bot.cogs.eval")  bot.load_extension("bot.cogs.duck_pond") -bot.load_extension("bot.cogs.free") +bot.load_extension("bot.cogs.eval")  bot.load_extension("bot.cogs.information")  bot.load_extension("bot.cogs.jams")  bot.load_extension("bot.cogs.moderation") +bot.load_extension("bot.cogs.python_news")  bot.load_extension("bot.cogs.off_topic_names")  bot.load_extension("bot.cogs.reddit")  bot.load_extension("bot.cogs.reminders")  bot.load_extension("bot.cogs.site")  bot.load_extension("bot.cogs.snekbox") +bot.load_extension("bot.cogs.stats")  bot.load_extension("bot.cogs.sync")  bot.load_extension("bot.cogs.tags")  bot.load_extension("bot.cogs.token_remover")  bot.load_extension("bot.cogs.utils")  bot.load_extension("bot.cogs.watchchannels") +bot.load_extension("bot.cogs.webhook_remover")  bot.load_extension("bot.cogs.wolfram") +if constants.HelpChannels.enable: +    bot.load_extension("bot.cogs.help_channels") +  # Apply `message_edited_at` patch if discord.py did not yet release a bug fix.  if not hasattr(discord.message.Message, '_handle_edited_timestamp'):      patches.message_edited_at.apply_patch() -bot.run(BotConfig.token) +bot.run(constants.Bot.token) diff --git a/bot/api.py b/bot/api.py index e59916114..4b8520582 100644 --- a/bot/api.py +++ b/bot/api.py @@ -52,7 +52,7 @@ class APIClient:          self._ready = asyncio.Event(loop=loop)          self._creation_task = None -        self._session_args = kwargs +        self._default_session_kwargs = kwargs          self.recreate() @@ -60,25 +60,41 @@ class APIClient:      def _url_for(endpoint: str) -> str:          return f"{URLs.site_schema}{URLs.site_api}/{quote_url(endpoint)}" -    async def _create_session(self) -> None: -        """Create the aiohttp session and set the ready event.""" -        self.session = aiohttp.ClientSession(**self._session_args) +    async def _create_session(self, **session_kwargs) -> None: +        """ +        Create the aiohttp session with `session_kwargs` and set the ready event. + +        `session_kwargs` is merged with `_default_session_kwargs` and overwrites its values. +        If an open session already exists, it will first be closed. +        """ +        await self.close() +        self.session = aiohttp.ClientSession(**{**self._default_session_kwargs, **session_kwargs})          self._ready.set()      async def close(self) -> None:          """Close the aiohttp session and unset the ready event.""" -        if not self._ready.is_set(): -            return +        if self.session: +            await self.session.close() -        await self.session.close()          self._ready.clear() -    def recreate(self) -> None: -        """Schedule the aiohttp session to be created if it's been closed.""" -        if self.session is None or self.session.closed: +    def recreate(self, force: bool = False, **session_kwargs) -> None: +        """ +        Schedule the aiohttp session to be created with `session_kwargs` if it's been closed. + +        If `force` is True, the session will be recreated even if an open one exists. If a task to +        create the session is pending, it will be cancelled. + +        `session_kwargs` is merged with the kwargs given when the `APIClient` was created and +        overwrites those default kwargs. +        """ +        if force or self.session is None or self.session.closed: +            if force and self._creation_task: +                self._creation_task.cancel() +              # Don't schedule a task if one is already in progress. -            if self._creation_task is None or self._creation_task.done(): -                self._creation_task = self.loop.create_task(self._create_session()) +            if force or self._creation_task is None or self._creation_task.done(): +                self._creation_task = self.loop.create_task(self._create_session(**session_kwargs))      async def maybe_raise_for_status(self, response: aiohttp.ClientResponse, should_raise: bool) -> None:          """Raise ResponseCodeError for non-OK response if an exception should be raised.""" diff --git a/bot/async_stats.py b/bot/async_stats.py new file mode 100644 index 000000000..58a80f528 --- /dev/null +++ b/bot/async_stats.py @@ -0,0 +1,39 @@ +import asyncio +import socket + +from statsd.client.base import StatsClientBase + + +class AsyncStatsClient(StatsClientBase): +    """An async transport method for statsd communication.""" + +    def __init__( +        self, +        loop: asyncio.AbstractEventLoop, +        host: str = 'localhost', +        port: int = 8125, +        prefix: str = None +    ): +        """Create a new client.""" +        family, _, _, _, addr = socket.getaddrinfo( +            host, port, socket.AF_INET, socket.SOCK_DGRAM)[0] +        self._addr = addr +        self._prefix = prefix +        self._loop = loop +        self._transport = None + +    async def create_socket(self) -> None: +        """Use the loop.create_datagram_endpoint method to create a socket.""" +        self._transport, _ = await self._loop.create_datagram_endpoint( +            asyncio.DatagramProtocol, +            family=socket.AF_INET, +            remote_addr=self._addr +        ) + +    def _send(self, data: str) -> None: +        """Start an async task to send data to statsd.""" +        self._loop.create_task(self._async_send(data)) + +    async def _async_send(self, data: str) -> None: +        """Send data to the statsd server using the async transport.""" +        self._transport.sendto(data.encode('ascii'), self._addr) diff --git a/bot/bot.py b/bot/bot.py index 19b9035c4..a85a22aa9 100644 --- a/bot/bot.py +++ b/bot/bot.py @@ -1,14 +1,16 @@  import asyncio  import logging  import socket +import warnings  from typing import Optional  import aiohttp  import discord  from discord.ext import commands +from sentry_sdk import push_scope -from bot import api -from bot import constants +from bot import DEBUG_MODE, api, constants +from bot.async_stats import AsyncStatsClient  log = logging.getLogger('bot') @@ -17,20 +19,30 @@ class Bot(commands.Bot):      """A subclass of `discord.ext.commands.Bot` with an aiohttp session and an API client."""      def __init__(self, *args, **kwargs): -        # Use asyncio for DNS resolution instead of threads so threads aren't spammed. -        # Use AF_INET as its socket family to prevent HTTPS related problems both locally -        # and in production. -        self._connector = aiohttp.TCPConnector( -            resolver=aiohttp.AsyncResolver(), -            family=socket.AF_INET, -        ) +        if "connector" in kwargs: +            warnings.warn( +                "If login() is called (or the bot is started), the connector will be overwritten " +                "with an internal one" +            ) + +        super().__init__(*args, **kwargs) -        super().__init__(*args, connector=self._connector, **kwargs) +        self.http_session: Optional[aiohttp.ClientSession] = None +        self.api_client = api.APIClient(loop=self.loop) +        self._connector = None +        self._resolver = None          self._guild_available = asyncio.Event() -        self.http_session: Optional[aiohttp.ClientSession] = None -        self.api_client = api.APIClient(loop=self.loop, connector=self._connector) +        statsd_url = constants.Stats.statsd_host + +        if DEBUG_MODE: +            # Since statsd is UDP, there are no errors for sending to a down port. +            # For this reason, setting the statsd host to 127.0.0.1 for development +            # will effectively disable stats. +            statsd_url = "127.0.0.1" + +        self.stats = AsyncStatsClient(self.loop, statsd_url, 8125, prefix="bot")      def add_cog(self, cog: commands.Cog) -> None:          """Adds a "cog" to the bot and logs the operation.""" @@ -38,22 +50,71 @@ class Bot(commands.Bot):          log.info(f"Cog loaded: {cog.qualified_name}")      def clear(self) -> None: -        """Clears the internal state of the bot and resets the API client.""" +        """ +        Clears the internal state of the bot and recreates the connector and sessions. + +        Will cause a DeprecationWarning if called outside a coroutine. +        """ +        # Because discord.py recreates the HTTPClient session, may as well follow suit and recreate +        # our own stuff here too. +        self._recreate()          super().clear() -        self.api_client.recreate()      async def close(self) -> None: -        """Close the aiohttp session after closing the Discord connection.""" +        """Close the Discord connection and the aiohttp session, connector, statsd client, and resolver."""          await super().close() -        await self.http_session.close()          await self.api_client.close() -    async def start(self, *args, **kwargs) -> None: -        """Open an aiohttp session before logging in and connecting to Discord.""" -        self.http_session = aiohttp.ClientSession(connector=self._connector) +        if self.http_session: +            await self.http_session.close() + +        if self._connector: +            await self._connector.close() + +        if self._resolver: +            await self._resolver.close() -        await super().start(*args, **kwargs) +        if self.stats._transport: +            self.stats._transport.close() + +    async def login(self, *args, **kwargs) -> None: +        """Re-create the connector and set up sessions before logging into Discord.""" +        self._recreate() +        await self.stats.create_socket() +        await super().login(*args, **kwargs) + +    def _recreate(self) -> None: +        """Re-create the connector, aiohttp session, and the APIClient.""" +        # Use asyncio for DNS resolution instead of threads so threads aren't spammed. +        # Doesn't seem to have any state with regards to being closed, so no need to worry? +        self._resolver = aiohttp.AsyncResolver() + +        # Its __del__ does send a warning but it doesn't always show up for some reason. +        if self._connector and not self._connector._closed: +            log.warning( +                "The previous connector was not closed; it will remain open and be overwritten" +            ) + +        # Use AF_INET as its socket family to prevent HTTPS related problems both locally +        # and in production. +        self._connector = aiohttp.TCPConnector( +            resolver=self._resolver, +            family=socket.AF_INET, +        ) + +        # Client.login() will call HTTPClient.static_login() which will create a session using +        # this connector attribute. +        self.http.connector = self._connector + +        # Its __del__ does send a warning but it doesn't always show up for some reason. +        if self.http_session and not self.http_session.closed: +            log.warning( +                "The previous session was not closed; it will remain open and be overwritten" +            ) + +        self.http_session = aiohttp.ClientSession(connector=self._connector) +        self.api_client.recreate(force=True, connector=self._connector)      async def on_guild_available(self, guild: discord.Guild) -> None:          """ @@ -95,3 +156,14 @@ class Bot(commands.Bot):          gateway event before giving up and thus not populating the cache for unavailable guilds.          """          await self._guild_available.wait() + +    async def on_error(self, event: str, *args, **kwargs) -> None: +        """Log errors raised in event listeners rather than printing them to stderr.""" +        self.stats.incr(f"errors.event.{event}") + +        with push_scope() as scope: +            scope.set_tag("event", event) +            scope.set_extra("args", args) +            scope.set_extra("kwargs", kwargs) + +            log.exception(f"Unhandled exception in {event}.") diff --git a/bot/cogs/alias.py b/bot/cogs/alias.py index 0b800575f..55c7efe65 100644 --- a/bot/cogs/alias.py +++ b/bot/cogs/alias.py @@ -26,10 +26,10 @@ class Alias (Cog):          log.debug(f"{cmd_name} was invoked through an alias")          cmd = self.bot.get_command(cmd_name)          if not cmd: -            return log.warning(f'Did not find command "{cmd_name}" to invoke.') +            return log.info(f'Did not find command "{cmd_name}" to invoke.')          elif not await cmd.can_run(ctx): -            return log.warning( -                f'{str(ctx.author)} tried to run the command "{cmd_name}"' +            return log.info( +                f'{str(ctx.author)} tried to run the command "{cmd_name}" but lacks permission.'              )          await ctx.invoke(cmd, *args, **kwargs) diff --git a/bot/cogs/antimalware.py b/bot/cogs/antimalware.py index 9e9e81364..66b5073e8 100644 --- a/bot/cogs/antimalware.py +++ b/bot/cogs/antimalware.py @@ -1,4 +1,5 @@  import logging +from os.path import splitext  from discord import Embed, Message, NotFound  from discord.ext.commands import Cog @@ -28,24 +29,42 @@ class AntiMalware(Cog):              return          embed = Embed() -        for attachment in message.attachments: -            filename = attachment.filename.lower() -            if filename.endswith('.py'): -                embed.description = ( -                    f"It looks like you tried to attach a Python file - please " -                    f"use a code-pasting service such as {URLs.site_schema}{URLs.site_paste}" -                ) -                break  # Other detections irrelevant because we prioritize the .py message. -            if not filename.endswith(tuple(AntiMalwareConfig.whitelist)): -                whitelisted_types = ', '.join(AntiMalwareConfig.whitelist) -                meta_channel = self.bot.get_channel(Channels.meta) -                embed.description = ( -                    f"It looks like you tried to attach a file type that we " -                    f"do not allow. We currently allow the following file " -                    f"types: **{whitelisted_types}**. \n\n Feel free to ask " -                    f"in {meta_channel.mention} if you think this is a mistake." -                ) +        file_extensions = {splitext(attachment.filename.lower())[1] for attachment in message.attachments} +        extensions_blocked = file_extensions - set(AntiMalwareConfig.whitelist) +        blocked_extensions_str = ', '.join(extensions_blocked) +        if ".py" in extensions_blocked: +            # Short-circuit on *.py files to provide a pastebin link +            embed.description = ( +                "It looks like you tried to attach a Python file - " +                f"please use a code-pasting service such as {URLs.site_schema}{URLs.site_paste}" +            ) +        elif ".txt" in extensions_blocked: +            # Work around Discord AutoConversion of messages longer than 2000 chars to .txt +            cmd_channel = self.bot.get_channel(Channels.bot_commands) +            embed.description = ( +                "**Uh-oh!** It looks like your message got zapped by our spam filter. " +                "We currently don't allow `.txt` attachments, so here are some tips to help you travel safely: \n\n" +                "• If you attempted to send a message longer than 2000 characters, try shortening your message " +                "to fit within the character limit or use a pasting service (see below) \n\n" +                "• If you tried to show someone your code, you can use codeblocks \n(run `!code-blocks` in " +                f"{cmd_channel.mention} for more information) or use a pasting service like: " +                f"\n\n{URLs.site_schema}{URLs.site_paste}" +            ) +        elif extensions_blocked: +            whitelisted_types = ', '.join(AntiMalwareConfig.whitelist) +            meta_channel = self.bot.get_channel(Channels.meta) +            embed.description = ( +                f"It looks like you tried to attach file type(s) that we do not allow ({blocked_extensions_str}). " +                f"We currently allow the following file types: **{whitelisted_types}**.\n\n" +                f"Feel free to ask in {meta_channel.mention} if you think this is a mistake." +            ) +          if embed.description: +            log.info( +                f"User '{message.author}' ({message.author.id}) uploaded blacklisted file(s): {blocked_extensions_str}", +                extra={"attachment_list": [attachment.filename for attachment in message.attachments]} +            ) +              await message.channel.send(f"Hey {message.author.mention}!", embed=embed)              # Delete the offending message: diff --git a/bot/cogs/antispam.py b/bot/cogs/antispam.py index baa6b9459..d63acbc4a 100644 --- a/bot/cogs/antispam.py +++ b/bot/cogs/antispam.py @@ -182,6 +182,7 @@ class AntiSpam(Cog):              # which contains the reason for why the message violated the rule and              # an iterable of all members that violated the rule.              if result is not None: +                self.bot.stats.incr(f"mod_alerts.{rule_name}")                  reason, members, relevant_messages = result                  full_reason = f"`{rule_name}` rule: {reason}" diff --git a/bot/cogs/bot.py b/bot/cogs/bot.py index f17135877..a6929b431 100644 --- a/bot/cogs/bot.py +++ b/bot/cogs/bot.py @@ -9,7 +9,7 @@ from discord.ext.commands import Cog, Context, command, group  from bot.bot import Bot  from bot.cogs.token_remover import TokenRemover -from bot.constants import Channels, DEBUG_MODE, Guild, MODERATION_ROLES, Roles, URLs +from bot.constants import Categories, Channels, DEBUG_MODE, Guild, MODERATION_ROLES, Roles, URLs  from bot.decorators import with_role  from bot.utils.messages import wait_for_deletion @@ -26,14 +26,6 @@ class BotCog(Cog, name="Bot"):          # Stores allowed channels plus epoch time since last call.          self.channel_cooldowns = { -            Channels.help_0: 0, -            Channels.help_1: 0, -            Channels.help_2: 0, -            Channels.help_3: 0, -            Channels.help_4: 0, -            Channels.help_5: 0, -            Channels.help_6: 0, -            Channels.help_7: 0,              Channels.python_discussion: 0,          } @@ -67,7 +59,6 @@ class BotCog(Cog, name="Bot"):              icon_url=URLs.bot_avatar          ) -        log.info(f"{ctx.author} called !about. Returning information about the bot.")          await ctx.send(embed=embed)      @command(name='echo', aliases=('print',)) @@ -232,14 +223,19 @@ class BotCog(Cog, name="Bot"):          If poorly formatted code is detected, send the user a helpful message explaining how to do          properly formatted Python syntax highlighting codeblocks.          """ +        is_help_channel = ( +            getattr(msg.channel, "category", None) +            and msg.channel.category.id in (Categories.help_available, Categories.help_in_use) +        )          parse_codeblock = (              ( -                msg.channel.id in self.channel_cooldowns +                is_help_channel +                or msg.channel.id in self.channel_cooldowns                  or msg.channel.id in self.channel_whitelist              )              and not msg.author.bot              and len(msg.content.splitlines()) > 3 -            and not TokenRemover.is_token_in_message(msg) +            and not TokenRemover.find_token_in_message(msg)          )          if parse_codeblock:  # no token in the msg diff --git a/bot/cogs/defcon.py b/bot/cogs/defcon.py index cc0f79fe8..56fca002a 100644 --- a/bot/cogs/defcon.py +++ b/bot/cogs/defcon.py @@ -104,6 +104,7 @@ class Defcon(Cog):                      log.exception(f"Unable to send rejection message to user: {member}")                  await member.kick(reason="DEFCON active, user is too new") +                self.bot.stats.incr("defcon.leaves")                  message = (                      f"{member} (`{member.id}`) was denied entry because their account is too new." @@ -125,6 +126,19 @@ class Defcon(Cog):      async def _defcon_action(self, ctx: Context, days: int, action: Action) -> None:          """Providing a structured way to do an defcon action.""" +        try: +            response = await self.bot.api_client.get('bot/bot-settings/defcon') +            data = response['data'] + +            if "enable_date" in data and action is Action.DISABLED: +                enabled = datetime.fromisoformat(data["enable_date"]) + +                delta = datetime.now() - enabled + +                self.bot.stats.timing("defcon.enabled", delta) +        except Exception: +            pass +          error = None          try:              await self.bot.api_client.put( @@ -135,6 +149,7 @@ class Defcon(Cog):                          # TODO: retrieve old days count                          'days': days,                          'enabled': action is not Action.DISABLED, +                        'enable_date': datetime.now().isoformat()                      }                  }              ) @@ -145,6 +160,8 @@ class Defcon(Cog):              await ctx.send(self.build_defcon_msg(action, error))              await self.send_defcon_log(action, ctx.author, error) +            self.bot.stats.gauge("defcon.threshold", days) +      @defcon_group.command(name='enable', aliases=('on', 'e'))      @with_role(Roles.admins, Roles.owners)      async def enable_command(self, ctx: Context) -> None: diff --git a/bot/cogs/error_handler.py b/bot/cogs/error_handler.py index 261769efc..b2f4c59f6 100644 --- a/bot/cogs/error_handler.py +++ b/bot/cogs/error_handler.py @@ -9,7 +9,7 @@ from bot.api import ResponseCodeError  from bot.bot import Bot  from bot.constants import Channels  from bot.converters import TagNameConverter -from bot.decorators import InChannelCheckFailure +from bot.decorators import InWhitelistCheckFailure  log = logging.getLogger(__name__) @@ -31,7 +31,9 @@ class ErrorHandler(Cog):          Error handling emits a single error message in the invoking context `ctx` and a log message,          prioritised as follows: -        1. If the name fails to match a command but matches a tag, the tag is invoked +        1. If the name fails to match a command: +            * If it matches shh+ or unshh+, the channel is silenced or unsilenced respectively. +              Otherwise if it matches a tag, the tag is invoked              * If CommandNotFound is raised when invoking the tag (determined by the presence of the                `invoked_from_error_handler` attribute), this error is treated as being unexpected                and therefore sends an error message @@ -48,9 +50,11 @@ class ErrorHandler(Cog):              log.trace(f"Command {command} had its error already handled locally; ignoring.")              return -        # Try to look for a tag with the command's name if the command isn't found.          if isinstance(e, errors.CommandNotFound) and not hasattr(ctx, "invoked_from_error_handler"): +            if await self.try_silence(ctx): +                return              if ctx.channel.id != Channels.verification: +                # Try to look for a tag with the command's name                  await self.try_get_tag(ctx)                  return  # Exit early to avoid logging.          elif isinstance(e, errors.UserInputError): @@ -89,6 +93,33 @@ class ErrorHandler(Cog):          else:              return self.bot.get_command("help") +    async def try_silence(self, ctx: Context) -> bool: +        """ +        Attempt to invoke the silence or unsilence command if invoke with matches a pattern. + +        Respecting the checks if: +        * invoked with `shh+` silence channel for amount of h's*2 with max of 15. +        * invoked with `unshh+` unsilence channel +        Return bool depending on success of command. +        """ +        command = ctx.invoked_with.lower() +        silence_command = self.bot.get_command("silence") +        ctx.invoked_from_error_handler = True +        try: +            if not await silence_command.can_run(ctx): +                log.debug("Cancelling attempt to invoke silence/unsilence due to failed checks.") +                return False +        except errors.CommandError: +            log.debug("Cancelling attempt to invoke silence/unsilence due to failed checks.") +            return False +        if command.startswith("shh"): +            await ctx.invoke(silence_command, duration=min(command.count("h")*2, 15)) +            return True +        elif command.startswith("unshh"): +            await ctx.invoke(self.bot.get_command("unsilence")) +            return True +        return False +      async def try_get_tag(self, ctx: Context) -> None:          """          Attempt to display a tag by interpreting the command name as a tag name. @@ -140,19 +171,25 @@ class ErrorHandler(Cog):          if isinstance(e, errors.MissingRequiredArgument):              await ctx.send(f"Missing required argument `{e.param.name}`.")              await ctx.invoke(*help_command) +            self.bot.stats.incr("errors.missing_required_argument")          elif isinstance(e, errors.TooManyArguments):              await ctx.send(f"Too many arguments provided.")              await ctx.invoke(*help_command) +            self.bot.stats.incr("errors.too_many_arguments")          elif isinstance(e, errors.BadArgument):              await ctx.send(f"Bad argument: {e}\n")              await ctx.invoke(*help_command) +            self.bot.stats.incr("errors.bad_argument")          elif isinstance(e, errors.BadUnionArgument):              await ctx.send(f"Bad argument: {e}\n```{e.errors[-1]}```") +            self.bot.stats.incr("errors.bad_union_argument")          elif isinstance(e, errors.ArgumentParsingError):              await ctx.send(f"Argument parsing error: {e}") +            self.bot.stats.incr("errors.argument_parsing_error")          else:              await ctx.send("Something about your input seems off. Check the arguments:")              await ctx.invoke(*help_command) +            self.bot.stats.incr("errors.other_user_input_error")      @staticmethod      async def handle_check_failure(ctx: Context, e: errors.CheckFailure) -> None: @@ -165,7 +202,7 @@ class ErrorHandler(Cog):          * BotMissingRole          * BotMissingAnyRole          * NoPrivateMessage -        * InChannelCheckFailure +        * InWhitelistCheckFailure          """          bot_missing_errors = (              errors.BotMissingPermissions, @@ -174,10 +211,12 @@ class ErrorHandler(Cog):          )          if isinstance(e, bot_missing_errors): +            ctx.bot.stats.incr("errors.bot_permission_error")              await ctx.send(                  f"Sorry, it looks like I don't have the permissions or roles I need to do that."              ) -        elif isinstance(e, (InChannelCheckFailure, errors.NoPrivateMessage)): +        elif isinstance(e, (InWhitelistCheckFailure, errors.NoPrivateMessage)): +            ctx.bot.stats.incr("errors.wrong_channel_or_dm_error")              await ctx.send(e)      @staticmethod @@ -186,16 +225,20 @@ class ErrorHandler(Cog):          if e.status == 404:              await ctx.send("There does not seem to be anything matching your query.")              log.debug(f"API responded with 404 for command {ctx.command}") +            ctx.bot.stats.incr("errors.api_error_404")          elif e.status == 400:              content = await e.response.json()              log.debug(f"API responded with 400 for command {ctx.command}: %r.", content)              await ctx.send("According to the API, your request is malformed.") +            ctx.bot.stats.incr("errors.api_error_400")          elif 500 <= e.status < 600:              await ctx.send("Sorry, there seems to be an internal issue with the API.")              log.warning(f"API responded with {e.status} for command {ctx.command}") +            ctx.bot.stats.incr("errors.api_internal_server_error")          else:              await ctx.send(f"Got an unexpected status code from the API (`{e.status}`).")              log.warning(f"Unexpected API response for command {ctx.command}: {e.status}") +            ctx.bot.stats.incr(f"errors.api_error_{e.status}")      @staticmethod      async def handle_unexpected_error(ctx: Context, e: errors.CommandError) -> None: @@ -205,6 +248,8 @@ class ErrorHandler(Cog):              f"```{e.__class__.__name__}: {e}```"          ) +        ctx.bot.stats.incr("errors.unexpected") +          with push_scope() as scope:              scope.user = {                  "id": ctx.author.id, diff --git a/bot/cogs/extensions.py b/bot/cogs/extensions.py index b312e1a1d..fb6cd9aa3 100644 --- a/bot/cogs/extensions.py +++ b/bot/cogs/extensions.py @@ -69,7 +69,7 @@ class Extensions(commands.Cog):      @extensions_group.command(name="load", aliases=("l",))      async def load_command(self, ctx: Context, *extensions: Extension) -> None: -        """ +        r"""          Load extensions given their fully qualified or unqualified names.          If '\*' or '\*\*' is given as the name, all unloaded extensions will be loaded. @@ -86,7 +86,7 @@ class Extensions(commands.Cog):      @extensions_group.command(name="unload", aliases=("ul",))      async def unload_command(self, ctx: Context, *extensions: Extension) -> None: -        """ +        r"""          Unload currently loaded extensions given their fully qualified or unqualified names.          If '\*' or '\*\*' is given as the name, all loaded extensions will be unloaded. @@ -109,7 +109,7 @@ class Extensions(commands.Cog):      @extensions_group.command(name="reload", aliases=("r",))      async def reload_command(self, ctx: Context, *extensions: Extension) -> None: -        """ +        r"""          Reload extensions given their fully qualified or unqualified names.          If an extension fails to be reloaded, it will be rolled-back to the prior working state. diff --git a/bot/cogs/filtering.py b/bot/cogs/filtering.py index 74538542a..6a703f5a1 100644 --- a/bot/cogs/filtering.py +++ b/bot/cogs/filtering.py @@ -6,6 +6,7 @@ import discord.errors  from dateutil.relativedelta import relativedelta  from discord import Colour, DMChannel, Member, Message, TextChannel  from discord.ext.commands import Cog +from discord.utils import escape_markdown  from bot.bot import Bot  from bot.cogs.moderation import ModLog @@ -27,6 +28,7 @@ INVITE_RE = re.compile(      flags=re.IGNORECASE  ) +SPOILER_RE = re.compile(r"(\|\|.+?\|\|)", re.DOTALL)  URL_RE = re.compile(r"(https?://[^\s]+)", flags=re.IGNORECASE)  ZALGO_RE = re.compile(r"[\u0300-\u036F\u0489]") @@ -36,6 +38,15 @@ WORD_WATCHLIST_PATTERNS = [  TOKEN_WATCHLIST_PATTERNS = [      re.compile(fr'{expression}', flags=re.IGNORECASE) for expression in Filter.token_watchlist  ] +WATCHLIST_PATTERNS = WORD_WATCHLIST_PATTERNS + TOKEN_WATCHLIST_PATTERNS + + +def expand_spoilers(text: str) -> str: +    """Return a string containing all interpretations of a spoilered message.""" +    split_text = SPOILER_RE.split(text) +    return ''.join( +        split_text[0::2] + split_text[1::2] + split_text +    )  class Filtering(Cog): @@ -78,24 +89,18 @@ class Filtering(Cog):                      f"Your URL has been removed because it matched a blacklisted domain. {staff_mistake_str}"                  )              }, +            "watch_regex": { +                "enabled": Filter.watch_regex, +                "function": self._has_watch_regex_match, +                "type": "watchlist", +                "content_only": True, +            },              "watch_rich_embeds": {                  "enabled": Filter.watch_rich_embeds,                  "function": self._has_rich_embed,                  "type": "watchlist",                  "content_only": False,              }, -            "watch_words": { -                "enabled": Filter.watch_words, -                "function": self._has_watchlist_words, -                "type": "watchlist", -                "content_only": True, -            }, -            "watch_tokens": { -                "enabled": Filter.watch_tokens, -                "function": self._has_watchlist_tokens, -                "type": "watchlist", -                "content_only": True, -            },          }      @property @@ -181,13 +186,13 @@ class Filtering(Cog):                          else:                              channel_str = f"in {msg.channel.mention}" -                        # Word and match stats for watch_words and watch_tokens -                        if filter_name in ("watch_words", "watch_tokens"): +                        # Word and match stats for watch_regex +                        if filter_name == "watch_regex":                              surroundings = match.string[max(match.start() - 10, 0): match.end() + 10]                              message_content = (                                  f"**Match:** '{match[0]}'\n" -                                f"**Location:** '...{surroundings}...'\n" -                                f"\n**Original Message:**\n{msg.content}" +                                f"**Location:** '...{escape_markdown(surroundings)}...'\n" +                                f"\n**Original Message:**\n{escape_markdown(msg.content)}"                              )                          else:  # Use content of discord Message                              message_content = msg.content @@ -202,6 +207,8 @@ class Filtering(Cog):                          log.debug(message) +                        self.bot.stats.incr(f"filters.{filter_name}") +                          additional_embeds = None                          additional_embeds_msg = None @@ -238,35 +245,24 @@ class Filtering(Cog):                          break  # We don't want multiple filters to trigger      @staticmethod -    async def _has_watchlist_words(text: str) -> Union[bool, re.Match]: +    async def _has_watch_regex_match(text: str) -> Union[bool, re.Match]:          """ -        Returns True if the text contains one of the regular expressions from the word_watchlist in our filter config. +        Return True if `text` matches any regex from `word_watchlist` or `token_watchlist` configs. -        Only matches words with boundaries before and after the expression. +        `word_watchlist`'s patterns are placed between word boundaries while `token_watchlist` is +        matched as-is. Spoilers are expanded, if any, and URLs are ignored.          """ -        for regex_pattern in WORD_WATCHLIST_PATTERNS: -            match = regex_pattern.search(text) -            if match: -                return match  # match objects always have a boolean value of True - -        return False +        if SPOILER_RE.search(text): +            text = expand_spoilers(text) -    @staticmethod -    async def _has_watchlist_tokens(text: str) -> Union[bool, re.Match]: -        """ -        Returns True if the text contains one of the regular expressions from the token_watchlist in our filter config. +        # Make sure it's not a URL +        if URL_RE.search(text): +            return False -        This will match the expression even if it does not have boundaries before and after. -        """ -        for regex_pattern in TOKEN_WATCHLIST_PATTERNS: -            match = regex_pattern.search(text) +        for pattern in WATCHLIST_PATTERNS: +            match = pattern.search(text)              if match: - -                # Make sure it's not a URL -                if not URL_RE.search(text): -                    return match  # match objects always have a boolean value of True - -        return False +                return match      @staticmethod      async def _has_urls(text: str) -> bool: diff --git a/bot/cogs/free.py b/bot/cogs/free.py deleted file mode 100644 index 02c02d067..000000000 --- a/bot/cogs/free.py +++ /dev/null @@ -1,103 +0,0 @@ -import logging -from datetime import datetime -from operator import itemgetter - -from discord import Colour, Embed, Member, utils -from discord.ext.commands import Cog, Context, command - -from bot.bot import Bot -from bot.constants import Categories, Channels, Free, STAFF_ROLES -from bot.decorators import redirect_output - -log = logging.getLogger(__name__) - -TIMEOUT = Free.activity_timeout -RATE = Free.cooldown_rate -PER = Free.cooldown_per - - -class Free(Cog): -    """Tries to figure out which help channels are free.""" - -    PYTHON_HELP_ID = Categories.python_help - -    @command(name="free", aliases=('f',)) -    @redirect_output(destination_channel=Channels.bot_commands, bypass_roles=STAFF_ROLES) -    async def free(self, ctx: Context, user: Member = None, seek: int = 2) -> None: -        """ -        Lists free help channels by likeliness of availability. - -        seek is used only when this command is invoked in a help channel. -        You cannot override seek without mentioning a user first. - -        When seek is 2, we are avoiding considering the last active message -        in a channel to be the one that invoked this command. - -        When seek is 3 or more, a user has been mentioned on the assumption -        that they asked if the channel is free or they asked their question -        in an active channel, and we want the message before that happened. -        """ -        free_channels = [] -        python_help = utils.get(ctx.guild.categories, id=self.PYTHON_HELP_ID) - -        if user is not None and seek == 2: -            seek = 3 -        elif not 0 < seek < 10: -            seek = 3 - -        # Iterate through all the help channels -        # to check latest activity -        for channel in python_help.channels: -            # Seek further back in the help channel -            # the command was invoked in -            if channel.id == ctx.channel.id: -                messages = await channel.history(limit=seek).flatten() -                msg = messages[seek - 1] -            # Otherwise get last message -            else: -                msg = await channel.history(limit=1).next()  # noqa (False positive) - -            inactive = (datetime.utcnow() - msg.created_at).seconds -            if inactive > TIMEOUT: -                free_channels.append((inactive, channel)) - -        embed = Embed() -        embed.colour = Colour.blurple() -        embed.title = "**Looking for a free help channel?**" - -        if user is not None: -            embed.description = f"**Hey {user.mention}!**\n\n" -        else: -            embed.description = "" - -        # Display all potentially inactive channels -        # in descending order of inactivity -        if free_channels: -            # Sort channels in descending order by seconds -            # Get position in list, inactivity, and channel object -            # For each channel, add to embed.description -            sorted_channels = sorted(free_channels, key=itemgetter(0), reverse=True) - -            for (inactive, channel) in sorted_channels[:3]: -                minutes, seconds = divmod(inactive, 60) -                if minutes > 59: -                    hours, minutes = divmod(minutes, 60) -                    embed.description += f"{channel.mention} **{hours}h {minutes}m {seconds}s** inactive\n" -                else: -                    embed.description += f"{channel.mention} **{minutes}m {seconds}s** inactive\n" - -            embed.set_footer(text="Please confirm these channels are free before posting") -        else: -            embed.description = ( -                "Doesn't look like any channels are available right now. " -                "You're welcome to check for yourself to be sure. " -                "If all channels are truly busy, please be patient " -                "as one will likely be available soon." -            ) - -        await ctx.send(embed=embed) - - -def setup(bot: Bot) -> None: -    """Load the Free cog.""" -    bot.add_cog(Free()) diff --git a/bot/cogs/help_channels.py b/bot/cogs/help_channels.py new file mode 100644 index 000000000..b714a1642 --- /dev/null +++ b/bot/cogs/help_channels.py @@ -0,0 +1,868 @@ +import asyncio +import inspect +import json +import logging +import random +import typing as t +from collections import deque +from contextlib import suppress +from datetime import datetime +from pathlib import Path + +import discord +import discord.abc +from discord.ext import commands + +from bot import constants +from bot.bot import Bot +from bot.utils.checks import with_role_check +from bot.utils.scheduling import Scheduler + +log = logging.getLogger(__name__) + +ASKING_GUIDE_URL = "https://pythondiscord.com/pages/asking-good-questions/" +MAX_CHANNELS_PER_CATEGORY = 50 +EXCLUDED_CHANNELS = (constants.Channels.how_to_get_help,) + +AVAILABLE_TOPIC = """ +This channel is available. Feel free to ask a question in order to claim this channel! +""" + +IN_USE_TOPIC = """ +This channel is currently in use. If you'd like to discuss a different problem, please claim a new \ +channel from the Help: Available category. +""" + +DORMANT_TOPIC = """ +This channel is temporarily archived. If you'd like to ask a question, please use one of the \ +channels in the Help: Available category. +""" + +AVAILABLE_MSG = f""" +This help channel is now **available**, which means that you can claim it by simply typing your \ +question into it. Once claimed, the channel will move into the **Python Help: Occupied** category, \ +and will be yours until it has been inactive for {constants.HelpChannels.idle_minutes} minutes or \ +is closed manually with `!close`. When that happens, it will be set to **dormant** and moved into \ +the **Help: Dormant** category. + +You may claim a new channel once every {constants.HelpChannels.claim_minutes} minutes. If you \ +currently cannot send a message in this channel, it means you are on cooldown and need to wait. + +Try to write the best question you can by providing a detailed description and telling us what \ +you've tried already. For more information on asking a good question, \ +check out our guide on [asking good questions]({ASKING_GUIDE_URL}). +""" + +DORMANT_MSG = f""" +This help channel has been marked as **dormant**, and has been moved into the **Help: Dormant** \ +category at the bottom of the channel list. It is no longer possible to send messages in this \ +channel until it becomes available again. + +If your question wasn't answered yet, you can claim a new help channel from the \ +**Help: Available** category by simply asking your question again. Consider rephrasing the \ +question to maximize your chance of getting a good answer. If you're not sure how, have a look \ +through our guide for [asking a good question]({ASKING_GUIDE_URL}). +""" + +AVAILABLE_EMOJI = "✅" +IN_USE_ANSWERED_EMOJI = "⌛" +IN_USE_UNANSWERED_EMOJI = "⏳" +NAME_SEPARATOR = "|" + +CoroutineFunc = t.Callable[..., t.Coroutine] + + +class TaskData(t.NamedTuple): +    """Data for a scheduled task.""" + +    wait_time: int +    callback: t.Awaitable + + +class HelpChannels(Scheduler, commands.Cog): +    """ +    Manage the help channel system of the guild. + +    The system is based on a 3-category system: + +    Available Category + +    * Contains channels which are ready to be occupied by someone who needs help +    * Will always contain `constants.HelpChannels.max_available` channels; refilled automatically +      from the pool of dormant channels +        * Prioritise using the channels which have been dormant for the longest amount of time +        * If there are no more dormant channels, the bot will automatically create a new one +        * If there are no dormant channels to move, helpers will be notified (see `notify()`) +    * When a channel becomes available, the dormant embed will be edited to show `AVAILABLE_MSG` +    * User can only claim a channel at an interval `constants.HelpChannels.claim_minutes` +        * To keep track of cooldowns, user which claimed a channel will have a temporary role + +    In Use Category + +    * Contains all channels which are occupied by someone needing help +    * Channel moves to dormant category after `constants.HelpChannels.idle_minutes` of being idle +    * Command can prematurely mark a channel as dormant +        * Channel claimant is allowed to use the command +        * Allowed roles for the command are configurable with `constants.HelpChannels.cmd_whitelist` +    * When a channel becomes dormant, an embed with `DORMANT_MSG` will be sent + +    Dormant Category + +    * Contains channels which aren't in use +    * Channels are used to refill the Available category + +    Help channels are named after the chemical elements in `bot/resources/elements.json`. +    """ + +    def __init__(self, bot: Bot): +        super().__init__() + +        self.bot = bot +        self.help_channel_claimants: ( +            t.Dict[discord.TextChannel, t.Union[discord.Member, discord.User]] +        ) = {} + +        # Categories +        self.available_category: discord.CategoryChannel = None +        self.in_use_category: discord.CategoryChannel = None +        self.dormant_category: discord.CategoryChannel = None + +        # Queues +        self.channel_queue: asyncio.Queue[discord.TextChannel] = None +        self.name_queue: t.Deque[str] = None + +        self.name_positions = self.get_names() +        self.last_notification: t.Optional[datetime] = None + +        # Asyncio stuff +        self.queue_tasks: t.List[asyncio.Task] = [] +        self.ready = asyncio.Event() +        self.on_message_lock = asyncio.Lock() +        self.init_task = self.bot.loop.create_task(self.init_cog()) + +        # Stats + +        # This dictionary maps a help channel to the time it was claimed +        self.claim_times: t.Dict[int, datetime] = {} + +        # This dictionary maps a help channel to whether it has had any +        # activity other than the original claimant. True being no other +        # activity and False being other activity. +        self.unanswered: t.Dict[int, bool] = {} + +    def cog_unload(self) -> None: +        """Cancel the init task and scheduled tasks when the cog unloads.""" +        log.trace("Cog unload: cancelling the init_cog task") +        self.init_task.cancel() + +        log.trace("Cog unload: cancelling the channel queue tasks") +        for task in self.queue_tasks: +            task.cancel() + +        self.cancel_all() + +    def create_channel_queue(self) -> asyncio.Queue: +        """ +        Return a queue of dormant channels to use for getting the next available channel. + +        The channels are added to the queue in a random order. +        """ +        log.trace("Creating the channel queue.") + +        channels = list(self.get_category_channels(self.dormant_category)) +        random.shuffle(channels) + +        log.trace("Populating the channel queue with channels.") +        queue = asyncio.Queue() +        for channel in channels: +            queue.put_nowait(channel) + +        return queue + +    async def create_dormant(self) -> t.Optional[discord.TextChannel]: +        """ +        Create and return a new channel in the Dormant category. + +        The new channel will sync its permission overwrites with the category. + +        Return None if no more channel names are available. +        """ +        log.trace("Getting a name for a new dormant channel.") + +        try: +            name = self.name_queue.popleft() +        except IndexError: +            log.debug("No more names available for new dormant channels.") +            return None + +        log.debug(f"Creating a new dormant channel named {name}.") +        return await self.dormant_category.create_text_channel(name) + +    def create_name_queue(self) -> deque: +        """Return a queue of element names to use for creating new channels.""" +        log.trace("Creating the chemical element name queue.") + +        used_names = self.get_used_names() + +        log.trace("Determining the available names.") +        available_names = (name for name in self.name_positions if name not in used_names) + +        log.trace("Populating the name queue with names.") +        return deque(available_names) + +    async def dormant_check(self, ctx: commands.Context) -> bool: +        """Return True if the user is the help channel claimant or passes the role check.""" +        if self.help_channel_claimants.get(ctx.channel) == ctx.author: +            log.trace(f"{ctx.author} is the help channel claimant, passing the check for dormant.") +            self.bot.stats.incr("help.dormant_invoke.claimant") +            return True + +        log.trace(f"{ctx.author} is not the help channel claimant, checking roles.") +        role_check = with_role_check(ctx, *constants.HelpChannels.cmd_whitelist) + +        if role_check: +            self.bot.stats.incr("help.dormant_invoke.staff") + +        return role_check + +    @commands.command(name="close", aliases=["dormant"], enabled=False) +    async def close_command(self, ctx: commands.Context) -> None: +        """ +        Make the current in-use help channel dormant. + +        Make the channel dormant if the user passes the `dormant_check`, +        delete the message that invoked this, +        and reset the send permissions cooldown for the user who started the session. +        """ +        log.trace("close command invoked; checking if the channel is in-use.") +        if ctx.channel.category == self.in_use_category: +            if await self.dormant_check(ctx): +                with suppress(KeyError): +                    del self.help_channel_claimants[ctx.channel] + +                await self.remove_cooldown_role(ctx.author) +                # Ignore missing task when cooldown has passed but the channel still isn't dormant. +                self.cancel_task(ctx.author.id, ignore_missing=True) + +                await self.move_to_dormant(ctx.channel, "command") +                self.cancel_task(ctx.channel.id) +        else: +            log.debug(f"{ctx.author} invoked command 'dormant' outside an in-use help channel") + +    async def get_available_candidate(self) -> discord.TextChannel: +        """ +        Return a dormant channel to turn into an available channel. + +        If no channel is available, wait indefinitely until one becomes available. +        """ +        log.trace("Getting an available channel candidate.") + +        try: +            channel = self.channel_queue.get_nowait() +        except asyncio.QueueEmpty: +            log.info("No candidate channels in the queue; creating a new channel.") +            channel = await self.create_dormant() + +            if not channel: +                log.info("Couldn't create a candidate channel; waiting to get one from the queue.") +                await self.notify() +                channel = await self.wait_for_dormant_channel() + +        return channel + +    @staticmethod +    def get_clean_channel_name(channel: discord.TextChannel) -> str: +        """Return a clean channel name without status emojis prefix.""" +        prefix = constants.HelpChannels.name_prefix +        try: +            # Try to remove the status prefix using the index of the channel prefix +            name = channel.name[channel.name.index(prefix):] +            log.trace(f"The clean name for `{channel}` is `{name}`") +        except ValueError: +            # If, for some reason, the channel name does not contain "help-" fall back gracefully +            log.info(f"Can't get clean name because `{channel}` isn't prefixed by `{prefix}`.") +            name = channel.name + +        return name + +    @staticmethod +    def is_excluded_channel(channel: discord.abc.GuildChannel) -> bool: +        """Check if a channel should be excluded from the help channel system.""" +        return not isinstance(channel, discord.TextChannel) or channel.id in EXCLUDED_CHANNELS + +    def get_category_channels(self, category: discord.CategoryChannel) -> t.Iterable[discord.TextChannel]: +        """Yield the text channels of the `category` in an unsorted manner.""" +        log.trace(f"Getting text channels in the category '{category}' ({category.id}).") + +        # This is faster than using category.channels because the latter sorts them. +        for channel in self.bot.get_guild(constants.Guild.id).channels: +            if channel.category_id == category.id and not self.is_excluded_channel(channel): +                yield channel + +    @staticmethod +    def get_names() -> t.List[str]: +        """ +        Return a truncated list of prefixed element names. + +        The amount of names is configured with `HelpChannels.max_total_channels`. +        The prefix is configured with `HelpChannels.name_prefix`. +        """ +        count = constants.HelpChannels.max_total_channels +        prefix = constants.HelpChannels.name_prefix + +        log.trace(f"Getting the first {count} element names from JSON.") + +        with Path("bot/resources/elements.json").open(encoding="utf-8") as elements_file: +            all_names = json.load(elements_file) + +        if prefix: +            return [prefix + name for name in all_names[:count]] +        else: +            return all_names[:count] + +    def get_used_names(self) -> t.Set[str]: +        """Return channel names which are already being used.""" +        log.trace("Getting channel names which are already being used.") + +        names = set() +        for cat in (self.available_category, self.in_use_category, self.dormant_category): +            for channel in self.get_category_channels(cat): +                names.add(self.get_clean_channel_name(channel)) + +        if len(names) > MAX_CHANNELS_PER_CATEGORY: +            log.warning( +                f"Too many help channels ({len(names)}) already exist! " +                f"Discord only supports {MAX_CHANNELS_PER_CATEGORY} in a category." +            ) + +        log.trace(f"Got {len(names)} used names: {names}") +        return names + +    @classmethod +    async def get_idle_time(cls, channel: discord.TextChannel) -> t.Optional[int]: +        """ +        Return the time elapsed, in seconds, since the last message sent in the `channel`. + +        Return None if the channel has no messages. +        """ +        log.trace(f"Getting the idle time for #{channel} ({channel.id}).") + +        msg = await cls.get_last_message(channel) +        if not msg: +            log.debug(f"No idle time available; #{channel} ({channel.id}) has no messages.") +            return None + +        idle_time = (datetime.utcnow() - msg.created_at).seconds + +        log.trace(f"#{channel} ({channel.id}) has been idle for {idle_time} seconds.") +        return idle_time + +    @staticmethod +    async def get_last_message(channel: discord.TextChannel) -> t.Optional[discord.Message]: +        """Return the last message sent in the channel or None if no messages exist.""" +        log.trace(f"Getting the last message in #{channel} ({channel.id}).") + +        try: +            return await channel.history(limit=1).next()  # noqa: B305 +        except discord.NoMoreItems: +            log.debug(f"No last message available; #{channel} ({channel.id}) has no messages.") +            return None + +    async def init_available(self) -> None: +        """Initialise the Available category with channels.""" +        log.trace("Initialising the Available category with channels.") + +        channels = list(self.get_category_channels(self.available_category)) +        missing = constants.HelpChannels.max_available - len(channels) + +        log.trace(f"Moving {missing} missing channels to the Available category.") + +        for _ in range(missing): +            await self.move_to_available() + +    async def init_categories(self) -> None: +        """Get the help category objects. Remove the cog if retrieval fails.""" +        log.trace("Getting the CategoryChannel objects for the help categories.") + +        try: +            self.available_category = await self.try_get_channel( +                constants.Categories.help_available +            ) +            self.in_use_category = await self.try_get_channel(constants.Categories.help_in_use) +            self.dormant_category = await self.try_get_channel(constants.Categories.help_dormant) +        except discord.HTTPException: +            log.exception(f"Failed to get a category; cog will be removed") +            self.bot.remove_cog(self.qualified_name) + +    async def init_cog(self) -> None: +        """Initialise the help channel system.""" +        log.trace("Waiting for the guild to be available before initialisation.") +        await self.bot.wait_until_guild_available() + +        log.trace("Initialising the cog.") +        await self.init_categories() +        await self.reset_send_permissions() + +        self.channel_queue = self.create_channel_queue() +        self.name_queue = self.create_name_queue() + +        log.trace("Moving or rescheduling in-use channels.") +        for channel in self.get_category_channels(self.in_use_category): +            await self.move_idle_channel(channel, has_task=False) + +        # Prevent the command from being used until ready. +        # The ready event wasn't used because channels could change categories between the time +        # the command is invoked and the cog is ready (e.g. if move_idle_channel wasn't called yet). +        # This may confuse users. So would potentially long delays for the cog to become ready. +        self.close_command.enabled = True + +        await self.init_available() + +        log.info("Cog is ready!") +        self.ready.set() + +        self.report_stats() + +    def report_stats(self) -> None: +        """Report the channel count stats.""" +        total_in_use = sum(1 for _ in self.get_category_channels(self.in_use_category)) +        total_available = sum(1 for _ in self.get_category_channels(self.available_category)) +        total_dormant = sum(1 for _ in self.get_category_channels(self.dormant_category)) + +        self.bot.stats.gauge("help.total.in_use", total_in_use) +        self.bot.stats.gauge("help.total.available", total_available) +        self.bot.stats.gauge("help.total.dormant", total_dormant) + +    @staticmethod +    def is_claimant(member: discord.Member) -> bool: +        """Return True if `member` has the 'Help Cooldown' role.""" +        return any(constants.Roles.help_cooldown == role.id for role in member.roles) + +    def is_dormant_message(self, message: t.Optional[discord.Message]) -> bool: +        """Return True if the contents of the `message` match `DORMANT_MSG`.""" +        if not message or not message.embeds: +            return False + +        embed = message.embeds[0] +        return message.author == self.bot.user and embed.description.strip() == DORMANT_MSG.strip() + +    @staticmethod +    def is_in_category(channel: discord.TextChannel, category_id: int) -> bool: +        """Return True if `channel` is within a category with `category_id`.""" +        actual_category = getattr(channel, "category", None) +        return actual_category is not None and actual_category.id == category_id + +    async def move_idle_channel(self, channel: discord.TextChannel, has_task: bool = True) -> None: +        """ +        Make the `channel` dormant if idle or schedule the move if still active. + +        If `has_task` is True and rescheduling is required, the extant task to make the channel +        dormant will first be cancelled. +        """ +        log.trace(f"Handling in-use channel #{channel} ({channel.id}).") + +        idle_seconds = constants.HelpChannels.idle_minutes * 60 +        time_elapsed = await self.get_idle_time(channel) + +        if time_elapsed is None or time_elapsed >= idle_seconds: +            log.info( +                f"#{channel} ({channel.id}) is idle longer than {idle_seconds} seconds " +                f"and will be made dormant." +            ) + +            await self.move_to_dormant(channel, "auto") +        else: +            # Cancel the existing task, if any. +            if has_task: +                self.cancel_task(channel.id) + +            data = TaskData(idle_seconds - time_elapsed, self.move_idle_channel(channel)) + +            log.info( +                f"#{channel} ({channel.id}) is still active; " +                f"scheduling it to be moved after {data.wait_time} seconds." +            ) + +            self.schedule_task(channel.id, data) + +    async def move_to_bottom_position(self, channel: discord.TextChannel, category_id: int, **options) -> None: +        """ +        Move the `channel` to the bottom position of `category` and edit channel attributes. + +        To ensure "stable sorting", we use the `bulk_channel_update` endpoint and provide the current +        positions of the other channels in the category as-is. This should make sure that the channel +        really ends up at the bottom of the category. + +        If `options` are provided, the channel will be edited after the move is completed. This is the +        same order of operations that `discord.TextChannel.edit` uses. For information on available +        options, see the documention on `discord.TextChannel.edit`. While possible, position-related +        options should be avoided, as it may interfere with the category move we perform. +        """ +        # Get a fresh copy of the category from the bot to avoid the cache mismatch issue we had. +        category = await self.try_get_channel(category_id) + +        payload = [{"id": c.id, "position": c.position} for c in category.channels] + +        # Calculate the bottom position based on the current highest position in the category. If the +        # category is currently empty, we simply use the current position of the channel to avoid making +        # unnecessary changes to positions in the guild. +        bottom_position = payload[-1]["position"] + 1 if payload else channel.position + +        payload.append( +            { +                "id": channel.id, +                "position": bottom_position, +                "parent_id": category.id, +                "lock_permissions": True, +            } +        ) + +        # We use d.py's method to ensure our request is processed by d.py's rate limit manager +        await self.bot.http.bulk_channel_update(category.guild.id, payload) + +        # Now that the channel is moved, we can edit the other attributes +        if options: +            await channel.edit(**options) + +    async def move_to_available(self) -> None: +        """Make a channel available.""" +        log.trace("Making a channel available.") + +        channel = await self.get_available_candidate() +        log.info(f"Making #{channel} ({channel.id}) available.") + +        await self.send_available_message(channel) + +        log.trace(f"Moving #{channel} ({channel.id}) to the Available category.") + +        await self.move_to_bottom_position( +            channel=channel, +            category_id=constants.Categories.help_available, +            name=f"{AVAILABLE_EMOJI}{NAME_SEPARATOR}{self.get_clean_channel_name(channel)}", +            topic=AVAILABLE_TOPIC, +        ) + +        self.report_stats() + +    async def move_to_dormant(self, channel: discord.TextChannel, caller: str) -> None: +        """ +        Make the `channel` dormant. + +        A caller argument is provided for metrics. +        """ +        log.info(f"Moving #{channel} ({channel.id}) to the Dormant category.") + +        await self.move_to_bottom_position( +            channel=channel, +            category_id=constants.Categories.help_dormant, +            name=self.get_clean_channel_name(channel), +            topic=DORMANT_TOPIC, +        ) + +        self.bot.stats.incr(f"help.dormant_calls.{caller}") + +        if channel.id in self.claim_times: +            claimed = self.claim_times[channel.id] +            in_use_time = datetime.now() - claimed +            self.bot.stats.timing("help.in_use_time", in_use_time) + +        if channel.id in self.unanswered: +            if self.unanswered[channel.id]: +                self.bot.stats.incr("help.sessions.unanswered") +            else: +                self.bot.stats.incr("help.sessions.answered") + +        log.trace(f"Position of #{channel} ({channel.id}) is actually {channel.position}.") + +        log.trace(f"Sending dormant message for #{channel} ({channel.id}).") +        embed = discord.Embed(description=DORMANT_MSG) +        await channel.send(embed=embed) + +        log.trace(f"Pushing #{channel} ({channel.id}) into the channel queue.") +        self.channel_queue.put_nowait(channel) +        self.report_stats() + +    async def move_to_in_use(self, channel: discord.TextChannel) -> None: +        """Make a channel in-use and schedule it to be made dormant.""" +        log.info(f"Moving #{channel} ({channel.id}) to the In Use category.") + +        await self.move_to_bottom_position( +            channel=channel, +            category_id=constants.Categories.help_in_use, +            name=f"{IN_USE_UNANSWERED_EMOJI}{NAME_SEPARATOR}{self.get_clean_channel_name(channel)}", +            topic=IN_USE_TOPIC, +        ) + +        timeout = constants.HelpChannels.idle_minutes * 60 + +        log.trace(f"Scheduling #{channel} ({channel.id}) to become dormant in {timeout} sec.") +        data = TaskData(timeout, self.move_idle_channel(channel)) +        self.schedule_task(channel.id, data) +        self.report_stats() + +    async def notify(self) -> None: +        """ +        Send a message notifying about a lack of available help channels. + +        Configuration: + +        * `HelpChannels.notify` - toggle notifications +        * `HelpChannels.notify_channel` - destination channel for notifications +        * `HelpChannels.notify_minutes` - minimum interval between notifications +        * `HelpChannels.notify_roles` - roles mentioned in notifications +        """ +        if not constants.HelpChannels.notify: +            return + +        log.trace("Notifying about lack of channels.") + +        if self.last_notification: +            elapsed = (datetime.utcnow() - self.last_notification).seconds +            minimum_interval = constants.HelpChannels.notify_minutes * 60 +            should_send = elapsed >= minimum_interval +        else: +            should_send = True + +        if not should_send: +            log.trace("Notification not sent because it's too recent since the previous one.") +            return + +        try: +            log.trace("Sending notification message.") + +            channel = self.bot.get_channel(constants.HelpChannels.notify_channel) +            mentions = " ".join(f"<@&{role}>" for role in constants.HelpChannels.notify_roles) + +            message = await channel.send( +                f"{mentions} A new available help channel is needed but there " +                f"are no more dormant ones. Consider freeing up some in-use channels manually by " +                f"using the `{constants.Bot.prefix}dormant` command within the channels." +            ) + +            self.bot.stats.incr("help.out_of_channel_alerts") + +            self.last_notification = message.created_at +        except Exception: +            # Handle it here cause this feature isn't critical for the functionality of the system. +            log.exception("Failed to send notification about lack of dormant channels!") + +    async def check_for_answer(self, message: discord.Message) -> None: +        """Checks for whether new content in a help channel comes from non-claimants.""" +        channel = message.channel + +        # Confirm the channel is an in use help channel +        if self.is_in_category(channel, constants.Categories.help_in_use): +            log.trace(f"Checking if #{channel} ({channel.id}) has been answered.") + +            # Check if there is an entry in unanswered (does not persist across restarts) +            if channel.id in self.unanswered: +                claimant_id = self.help_channel_claimants[channel].id + +                # Check the message did not come from the claimant +                if claimant_id != message.author.id: +                    # Mark the channel as answered +                    self.unanswered[channel.id] = False + +                    # Change the emoji in the channel name to signify activity +                    log.trace(f"#{channel} ({channel.id}) has been answered; changing its emoji") +                    name = self.get_clean_channel_name(channel) +                    await channel.edit(name=f"{IN_USE_ANSWERED_EMOJI}{NAME_SEPARATOR}{name}") + +    @commands.Cog.listener() +    async def on_message(self, message: discord.Message) -> None: +        """Move an available channel to the In Use category and replace it with a dormant one.""" +        if message.author.bot: +            return  # Ignore messages sent by bots. + +        channel = message.channel + +        await self.check_for_answer(message) + +        if not self.is_in_category(channel, constants.Categories.help_available) or self.is_excluded_channel(channel): +            return  # Ignore messages outside the Available category or in excluded channels. + +        log.trace("Waiting for the cog to be ready before processing messages.") +        await self.ready.wait() + +        log.trace("Acquiring lock to prevent a channel from being processed twice...") +        async with self.on_message_lock: +            log.trace(f"on_message lock acquired for {message.id}.") + +            if not self.is_in_category(channel, constants.Categories.help_available): +                log.debug( +                    f"Message {message.id} will not make #{channel} ({channel.id}) in-use " +                    f"because another message in the channel already triggered that." +                ) +                return + +            log.info(f"Channel #{channel} was claimed by `{message.author.id}`.") +            await self.move_to_in_use(channel) +            await self.revoke_send_permissions(message.author) +            # Add user with channel for dormant check. +            self.help_channel_claimants[channel] = message.author + +            self.bot.stats.incr("help.claimed") + +            self.claim_times[channel.id] = datetime.now() +            self.unanswered[channel.id] = True + +            log.trace(f"Releasing on_message lock for {message.id}.") + +        # Move a dormant channel to the Available category to fill in the gap. +        # This is done last and outside the lock because it may wait indefinitely for a channel to +        # be put in the queue. +        await self.move_to_available() + +    async def reset_send_permissions(self) -> None: +        """Reset send permissions in the Available category for claimants.""" +        log.trace("Resetting send permissions in the Available category.") +        guild = self.bot.get_guild(constants.Guild.id) + +        # TODO: replace with a persistent cache cause checking every member is quite slow +        for member in guild.members: +            if self.is_claimant(member): +                await self.remove_cooldown_role(member) + +    async def add_cooldown_role(self, member: discord.Member) -> None: +        """Add the help cooldown role to `member`.""" +        log.trace(f"Adding cooldown role for {member} ({member.id}).") +        await self._change_cooldown_role(member, member.add_roles) + +    async def remove_cooldown_role(self, member: discord.Member) -> None: +        """Remove the help cooldown role from `member`.""" +        log.trace(f"Removing cooldown role for {member} ({member.id}).") +        await self._change_cooldown_role(member, member.remove_roles) + +    async def _change_cooldown_role(self, member: discord.Member, coro_func: CoroutineFunc) -> None: +        """ +        Change `member`'s cooldown role via awaiting `coro_func` and handle errors. + +        `coro_func` is intended to be `discord.Member.add_roles` or `discord.Member.remove_roles`. +        """ +        guild = self.bot.get_guild(constants.Guild.id) +        role = guild.get_role(constants.Roles.help_cooldown) +        if role is None: +            log.warning(f"Help cooldown role ({constants.Roles.help_cooldown}) could not be found!") +            return + +        try: +            await coro_func(role) +        except discord.NotFound: +            log.debug(f"Failed to change role for {member} ({member.id}): member not found") +        except discord.Forbidden: +            log.debug( +                f"Forbidden to change role for {member} ({member.id}); " +                f"possibly due to role hierarchy" +            ) +        except discord.HTTPException as e: +            log.error(f"Failed to change role for {member} ({member.id}): {e.status} {e.code}") + +    async def revoke_send_permissions(self, member: discord.Member) -> None: +        """ +        Disallow `member` to send messages in the Available category for a certain time. + +        The time until permissions are reinstated can be configured with +        `HelpChannels.claim_minutes`. +        """ +        log.trace( +            f"Revoking {member}'s ({member.id}) send message permissions in the Available category." +        ) + +        await self.add_cooldown_role(member) + +        # Cancel the existing task, if any. +        # Would mean the user somehow bypassed the lack of permissions (e.g. user is guild owner). +        self.cancel_task(member.id, ignore_missing=True) + +        timeout = constants.HelpChannels.claim_minutes * 60 +        callback = self.remove_cooldown_role(member) + +        log.trace(f"Scheduling {member}'s ({member.id}) send message permissions to be reinstated.") +        self.schedule_task(member.id, TaskData(timeout, callback)) + +    async def send_available_message(self, channel: discord.TextChannel) -> None: +        """Send the available message by editing a dormant message or sending a new message.""" +        channel_info = f"#{channel} ({channel.id})" +        log.trace(f"Sending available message in {channel_info}.") + +        embed = discord.Embed(description=AVAILABLE_MSG) + +        msg = await self.get_last_message(channel) +        if self.is_dormant_message(msg): +            log.trace(f"Found dormant message {msg.id} in {channel_info}; editing it.") +            await msg.edit(embed=embed) +        else: +            log.trace(f"Dormant message not found in {channel_info}; sending a new message.") +            await channel.send(embed=embed) + +    async def try_get_channel(self, channel_id: int) -> discord.abc.GuildChannel: +        """Attempt to get or fetch a channel and return it.""" +        log.trace(f"Getting the channel {channel_id}.") + +        channel = self.bot.get_channel(channel_id) +        if not channel: +            log.debug(f"Channel {channel_id} is not in cache; fetching from API.") +            channel = await self.bot.fetch_channel(channel_id) + +        log.trace(f"Channel #{channel} ({channel_id}) retrieved.") +        return channel + +    async def wait_for_dormant_channel(self) -> discord.TextChannel: +        """Wait for a dormant channel to become available in the queue and return it.""" +        log.trace("Waiting for a dormant channel.") + +        task = asyncio.create_task(self.channel_queue.get()) +        self.queue_tasks.append(task) +        channel = await task + +        log.trace(f"Channel #{channel} ({channel.id}) finally retrieved from the queue.") +        self.queue_tasks.remove(task) + +        return channel + +    async def _scheduled_task(self, data: TaskData) -> None: +        """Await the `data.callback` coroutine after waiting for `data.wait_time` seconds.""" +        try: +            log.trace(f"Waiting {data.wait_time} seconds before awaiting callback.") +            await asyncio.sleep(data.wait_time) + +            # Use asyncio.shield to prevent callback from cancelling itself. +            # The parent task (_scheduled_task) will still get cancelled. +            log.trace("Done waiting; now awaiting the callback.") +            await asyncio.shield(data.callback) +        finally: +            if inspect.iscoroutine(data.callback): +                log.trace("Explicitly closing coroutine.") +                data.callback.close() + + +def validate_config() -> None: +    """Raise a ValueError if the cog's config is invalid.""" +    log.trace("Validating config.") +    total = constants.HelpChannels.max_total_channels +    available = constants.HelpChannels.max_available + +    if total == 0 or available == 0: +        raise ValueError("max_total_channels and max_available and must be greater than 0.") + +    if total < available: +        raise ValueError( +            f"max_total_channels ({total}) must be greater than or equal to max_available " +            f"({available})." +        ) + +    if total > MAX_CHANNELS_PER_CATEGORY: +        raise ValueError( +            f"max_total_channels ({total}) must be less than or equal to " +            f"{MAX_CHANNELS_PER_CATEGORY} due to Discord's limit on channels per category." +        ) + + +def setup(bot: Bot) -> None: +    """Load the HelpChannels cog.""" +    try: +        validate_config() +    except ValueError as e: +        log.error(f"HelpChannels cog will not be loaded due to misconfiguration: {e}") +    else: +        bot.add_cog(HelpChannels(bot)) diff --git a/bot/cogs/information.py b/bot/cogs/information.py index 49beca15b..ef2f308ca 100644 --- a/bot/cogs/information.py +++ b/bot/cogs/information.py @@ -12,7 +12,8 @@ from discord.utils import escape_markdown  from bot import constants  from bot.bot import Bot -from bot.decorators import InChannelCheckFailure, in_channel, with_role +from bot.decorators import InWhitelistCheckFailure, in_whitelist, with_role +from bot.pagination import LinePaginator  from bot.utils.checks import cooldown_with_role_bypass, with_role_check  from bot.utils.time import time_since @@ -32,20 +33,18 @@ class Information(Cog):          # Sort the roles alphabetically and remove the @everyone role          roles = sorted(ctx.guild.roles[1:], key=lambda role: role.name) -        # Build a string -        role_string = "" +        # Build a list +        role_list = []          for role in roles: -            role_string += f"`{role.id}` - {role.mention}\n" +            role_list.append(f"`{role.id}` - {role.mention}")          # Build an embed          embed = Embed( -            title="Role information", -            colour=Colour.blurple(), -            description=role_string +            title=f"Role information (Total {len(roles)} role{'s' * (len(role_list) > 1)})", +            colour=Colour.blurple()          ) -        embed.set_footer(text=f"Total roles: {len(roles)}") -        await ctx.send(embed=embed) +        await LinePaginator.paginate(role_list, ctx, embed, empty=False)      @with_role(*constants.MODERATION_ROLES)      @command(name="role") @@ -153,7 +152,7 @@ class Information(Cog):          # Non-staff may only do this in #bot-commands          if not with_role_check(ctx, *constants.STAFF_ROLES):              if not ctx.channel.id == constants.Channels.bot_commands: -                raise InChannelCheckFailure(constants.Channels.bot_commands) +                raise InWhitelistCheckFailure(constants.Channels.bot_commands)          embed = await self.create_user_embed(ctx, user) @@ -207,7 +206,7 @@ class Information(Cog):              description="\n\n".join(description)          ) -        embed.set_thumbnail(url=user.avatar_url_as(format="png")) +        embed.set_thumbnail(url=user.avatar_url_as(static_format="png"))          embed.colour = user.top_role.colour if roles else Colour.blurple()          return embed @@ -332,7 +331,7 @@ class Information(Cog):      @cooldown_with_role_bypass(2, 60 * 3, BucketType.member, bypass_roles=constants.STAFF_ROLES)      @group(invoke_without_command=True) -    @in_channel(constants.Channels.bot_commands, bypass_roles=constants.STAFF_ROLES) +    @in_whitelist(channels=(constants.Channels.bot_commands,), roles=constants.STAFF_ROLES)      async def raw(self, ctx: Context, *, message: Message, json: bool = False) -> None:          """Shows information about the raw API response."""          # I *guess* it could be deleted right as the command is invoked but I felt like it wasn't worth handling diff --git a/bot/cogs/moderation/__init__.py b/bot/cogs/moderation/__init__.py index 5243cb92d..6880ca1bd 100644 --- a/bot/cogs/moderation/__init__.py +++ b/bot/cogs/moderation/__init__.py @@ -2,12 +2,14 @@ from bot.bot import Bot  from .infractions import Infractions  from .management import ModManagement  from .modlog import ModLog +from .silence import Silence  from .superstarify import Superstarify  def setup(bot: Bot) -> None: -    """Load the Infractions, ModManagement, ModLog, and Superstarify cogs.""" +    """Load the Infractions, ModManagement, ModLog, Silence, and Superstarify cogs."""      bot.add_cog(Infractions(bot))      bot.add_cog(ModLog(bot))      bot.add_cog(ModManagement(bot)) +    bot.add_cog(Silence(bot))      bot.add_cog(Superstarify(bot)) diff --git a/bot/cogs/moderation/infractions.py b/bot/cogs/moderation/infractions.py index 9ea17b2b3..e62a36c43 100644 --- a/bot/cogs/moderation/infractions.py +++ b/bot/cogs/moderation/infractions.py @@ -67,7 +67,7 @@ class Infractions(InfractionScheduler, commands.Cog):      @command()      async def ban(self, ctx: Context, user: FetchedMember, *, reason: str = None) -> None: -        """Permanently ban a user for the given reason.""" +        """Permanently ban a user for the given reason and stop watching them with Big Brother."""          await self.apply_ban(ctx, user, reason)      # endregion @@ -199,7 +199,7 @@ class Infractions(InfractionScheduler, commands.Cog):      async def apply_mute(self, ctx: Context, user: Member, reason: str, **kwargs) -> None:          """Apply a mute infraction with kwargs passed to `post_infraction`.""" -        if await utils.has_active_infraction(ctx, user, "mute"): +        if await utils.get_active_infraction(ctx, user, "mute"):              return          infraction = await utils.post_infraction(ctx, user, "mute", reason, active=True, **kwargs) @@ -230,9 +230,27 @@ class Infractions(InfractionScheduler, commands.Cog):      @respect_role_hierarchy()      async def apply_ban(self, ctx: Context, user: UserSnowflake, reason: str, **kwargs) -> None: -        """Apply a ban infraction with kwargs passed to `post_infraction`.""" -        if await utils.has_active_infraction(ctx, user, "ban"): -            return +        """ +        Apply a ban infraction with kwargs passed to `post_infraction`. + +        Will also remove the banned user from the Big Brother watch list if applicable. +        """ +        # In the case of a permanent ban, we don't need get_active_infractions to tell us if one is active +        is_temporary = kwargs.get("expires_at") is not None +        active_infraction = await utils.get_active_infraction(ctx, user, "ban", is_temporary) + +        if active_infraction: +            if is_temporary: +                log.trace("Tempban ignored as it cannot overwrite an active ban.") +                return + +            if active_infraction.get('expires_at') is None: +                log.trace("Permaban already exists, notify.") +                await ctx.send(f":x: User is already permanently banned (#{active_infraction['id']}).") +                return + +            log.trace("Old tempban is being replaced by new permaban.") +            await self.pardon_infraction(ctx, "ban", user, is_temporary)          infraction = await utils.post_infraction(ctx, user, "ban", reason, active=True, **kwargs)          if infraction is None: @@ -243,6 +261,20 @@ class Infractions(InfractionScheduler, commands.Cog):          action = ctx.guild.ban(user, reason=reason, delete_message_days=0)          await self.apply_infraction(ctx, infraction, user, action) +        if infraction.get('expires_at') is not None: +            log.trace(f"Ban isn't permanent; user {user} won't be unwatched by Big Brother.") +            return + +        bb_cog = self.bot.get_cog("Big Brother") +        if not bb_cog: +            log.error(f"Big Brother cog not loaded; perma-banned user {user} won't be unwatched.") +            return + +        log.trace(f"Big Brother cog loaded; attempting to unwatch perma-banned user {user}.") + +        bb_reason = "User has been permanently banned from the server. Automatically removed." +        await bb_cog.apply_unwatch(ctx, user, bb_reason, send_message=False) +      # endregion      # region: Base pardon functions diff --git a/bot/cogs/moderation/management.py b/bot/cogs/moderation/management.py index 35448f682..250a24247 100644 --- a/bot/cogs/moderation/management.py +++ b/bot/cogs/moderation/management.py @@ -100,7 +100,12 @@ class ModManagement(commands.Cog):          confirm_messages = []          log_text = "" -        if isinstance(duration, str): +        if duration is not None and not old_infraction['active']: +            if reason is None: +                await ctx.send(":x: Cannot edit the expiration of an expired infraction.") +                return +            confirm_messages.append("expiry unchanged (infraction already expired)") +        elif isinstance(duration, str):              request_data['expires_at'] = None              confirm_messages.append("marked as permanent")          elif duration is not None: diff --git a/bot/cogs/moderation/modlog.py b/bot/cogs/moderation/modlog.py index 59ae6b587..beef7a8ef 100644 --- a/bot/cogs/moderation/modlog.py +++ b/bot/cogs/moderation/modlog.py @@ -12,9 +12,10 @@ from deepdiff import DeepDiff  from discord import Colour  from discord.abc import GuildChannel  from discord.ext.commands import Cog, Context +from discord.utils import escape_markdown  from bot.bot import Bot -from bot.constants import Channels, Colours, Emojis, Event, Guild as GuildConstant, Icons, URLs +from bot.constants import Categories, Channels, Colours, Emojis, Event, Guild as GuildConstant, Icons, URLs  from bot.utils.time import humanize_delta  log = logging.getLogger(__name__) @@ -67,7 +68,7 @@ class ModLog(Cog, name="ModLog"):                          'embeds': [embed.to_dict() for embed in message.embeds],                          'attachments': attachment,                      } -                    for message, attachment in zip_longest(messages, attachments) +                    for message, attachment in zip_longest(messages, attachments, fillvalue=[])                  ]              }          ) @@ -187,6 +188,12 @@ class ModLog(Cog, name="ModLog"):              self._ignored[Event.guild_channel_update].remove(before.id)              return +        # Two channel updates are sent for a single edit: 1 for topic and 1 for category change. +        # TODO: remove once support is added for ignoring multiple occurrences for the same channel. +        help_categories = (Categories.help_available, Categories.help_dormant, Categories.help_in_use) +        if after.category and after.category.id in help_categories: +            return +          diff = DeepDiff(before, after)          changes = []          done = [] @@ -215,7 +222,10 @@ class ModLog(Cog, name="ModLog"):                  new = value["new_value"]                  old = value["old_value"] -                changes.append(f"**{key.title()}:** `{old}` **→** `{new}`") +                # Discord does not treat consecutive backticks ("``") as an empty inline code block, so the markdown +                # formatting is broken when `new` and/or `old` are empty values. "None" is used for these cases so +                # formatting is preserved. +                changes.append(f"**{key.title()}:** `{old or 'None'}` **→** `{new or 'None'}`")              done.append(key) @@ -386,7 +396,8 @@ class ModLog(Cog, name="ModLog"):          if member.guild.id != GuildConstant.id:              return -        message = f"{member} (`{member.id}`)" +        member_str = escape_markdown(str(member)) +        message = f"{member_str} (`{member.id}`)"          now = datetime.utcnow()          difference = abs(relativedelta(now, member.created_at)) @@ -412,9 +423,10 @@ class ModLog(Cog, name="ModLog"):              self._ignored[Event.member_remove].remove(member.id)              return +        member_str = escape_markdown(str(member))          await self.send_log_message(              Icons.sign_out, Colours.soft_red, -            "User left", f"{member} (`{member.id}`)", +            "User left", f"{member_str} (`{member.id}`)",              thumbnail=member.avatar_url_as(static_format="png"),              channel_id=Channels.user_log          ) @@ -429,9 +441,10 @@ class ModLog(Cog, name="ModLog"):              self._ignored[Event.member_unban].remove(member.id)              return +        member_str = escape_markdown(str(member))          await self.send_log_message(              Icons.user_unban, Colour.blurple(), -            "User unbanned", f"{member} (`{member.id}`)", +            "User unbanned", f"{member_str} (`{member.id}`)",              thumbnail=member.avatar_url_as(static_format="png"),              channel_id=Channels.mod_log          ) @@ -523,7 +536,8 @@ class ModLog(Cog, name="ModLog"):          for item in sorted(changes):              message += f"{Emojis.bullet} {item}\n" -        message = f"**{after}** (`{after.id}`)\n{message}" +        member_str = escape_markdown(str(after)) +        message = f"**{member_str}** (`{after.id}`)\n{message}"          await self.send_log_message(              Icons.user_update, Colour.blurple(), @@ -550,16 +564,17 @@ class ModLog(Cog, name="ModLog"):          if author.bot:              return +        author_str = escape_markdown(str(author))          if channel.category:              response = ( -                f"**Author:** {author} (`{author.id}`)\n" +                f"**Author:** {author_str} (`{author.id}`)\n"                  f"**Channel:** {channel.category}/#{channel.name} (`{channel.id}`)\n"                  f"**Message ID:** `{message.id}`\n"                  "\n"              )          else:              response = ( -                f"**Author:** {author} (`{author.id}`)\n" +                f"**Author:** {author_str} (`{author.id}`)\n"                  f"**Channel:** #{channel.name} (`{channel.id}`)\n"                  f"**Message ID:** `{message.id}`\n"                  "\n" @@ -646,6 +661,8 @@ class ModLog(Cog, name="ModLog"):              return          author = msg_before.author +        author_str = escape_markdown(str(author)) +          channel = msg_before.channel          channel_name = f"{channel.category}/#{channel.name}" if channel.category else f"#{channel.name}" @@ -677,7 +694,7 @@ class ModLog(Cog, name="ModLog"):                  content_after.append(sub)          response = ( -            f"**Author:** {author} (`{author.id}`)\n" +            f"**Author:** {author_str} (`{author.id}`)\n"              f"**Channel:** {channel_name} (`{channel.id}`)\n"              f"**Message ID:** `{msg_before.id}`\n"              "\n" @@ -820,8 +837,9 @@ class ModLog(Cog, name="ModLog"):          if not changes:              return +        member_str = escape_markdown(str(member))          message = "\n".join(f"{Emojis.bullet} {item}" for item in sorted(changes)) -        message = f"**{member}** (`{member.id}`)\n{message}" +        message = f"**{member_str}** (`{member.id}`)\n{message}"          await self.send_log_message(              icon_url=icon, diff --git a/bot/cogs/moderation/scheduler.py b/bot/cogs/moderation/scheduler.py index f0b6b2c48..dc42bee2e 100644 --- a/bot/cogs/moderation/scheduler.py +++ b/bot/cogs/moderation/scheduler.py @@ -190,8 +190,19 @@ class InfractionScheduler(Scheduler):          log.info(f"Applied {infr_type} infraction #{id_} to {user}.") -    async def pardon_infraction(self, ctx: Context, infr_type: str, user: UserSnowflake) -> None: -        """Prematurely end an infraction for a user and log the action in the mod log.""" +    async def pardon_infraction( +            self, +            ctx: Context, +            infr_type: str, +            user: UserSnowflake, +            send_msg: bool = True +    ) -> None: +        """ +        Prematurely end an infraction for a user and log the action in the mod log. + +        If `send_msg` is True, then a pardoning confirmation message will be sent to +        the context channel.  Otherwise, no such message will be sent. +        """          log.trace(f"Pardoning {infr_type} infraction for {user}.")          # Check the current active infraction @@ -222,7 +233,7 @@ class InfractionScheduler(Scheduler):          # If multiple active infractions were found, mark them as inactive in the database          # and cancel their expiration tasks.          if len(response) > 1: -            log.warning( +            log.info(                  f"Found more than one active {infr_type} infraction for user {user.id}; "                  "deactivating the extra active infractions too."              ) @@ -276,11 +287,12 @@ class InfractionScheduler(Scheduler):              log.info(f"Pardoned {infr_type} infraction #{id_} for {user}.")          # Send a confirmation message to the invoking context. -        log.trace(f"Sending infraction #{id_} pardon confirmation message.") -        await ctx.send( -            f"{dm_emoji}{confirm_msg} infraction **{infr_type}** for {user.mention}. " -            f"{log_text.get('Failure', '')}" -        ) +        if send_msg: +            log.trace(f"Sending infraction #{id_} pardon confirmation message.") +            await ctx.send( +                f"{dm_emoji}{confirm_msg} infraction **{infr_type}** for {user.mention}. " +                f"{log_text.get('Failure', '')}" +            )          # Send a log message to the mod log.          await self.mod_log.send_log_message( diff --git a/bot/cogs/moderation/silence.py b/bot/cogs/moderation/silence.py new file mode 100644 index 000000000..1ef3967a9 --- /dev/null +++ b/bot/cogs/moderation/silence.py @@ -0,0 +1,159 @@ +import asyncio +import logging +from contextlib import suppress +from typing import Optional + +from discord import TextChannel +from discord.ext import commands, tasks +from discord.ext.commands import Context + +from bot.bot import Bot +from bot.constants import Channels, Emojis, Guild, MODERATION_ROLES, Roles +from bot.converters import HushDurationConverter +from bot.utils.checks import with_role_check + +log = logging.getLogger(__name__) + + +class SilenceNotifier(tasks.Loop): +    """Loop notifier for posting notices to `alert_channel` containing added channels.""" + +    def __init__(self, alert_channel: TextChannel): +        super().__init__(self._notifier, seconds=1, minutes=0, hours=0, count=None, reconnect=True, loop=None) +        self._silenced_channels = {} +        self._alert_channel = alert_channel + +    def add_channel(self, channel: TextChannel) -> None: +        """Add channel to `_silenced_channels` and start loop if not launched.""" +        if not self._silenced_channels: +            self.start() +            log.info("Starting notifier loop.") +        self._silenced_channels[channel] = self._current_loop + +    def remove_channel(self, channel: TextChannel) -> None: +        """Remove channel from `_silenced_channels` and stop loop if no channels remain.""" +        with suppress(KeyError): +            del self._silenced_channels[channel] +            if not self._silenced_channels: +                self.stop() +                log.info("Stopping notifier loop.") + +    async def _notifier(self) -> None: +        """Post notice of `_silenced_channels` with their silenced duration to `_alert_channel` periodically.""" +        # Wait for 15 minutes between notices with pause at start of loop. +        if self._current_loop and not self._current_loop/60 % 15: +            log.debug( +                f"Sending notice with channels: " +                f"{', '.join(f'#{channel} ({channel.id})' for channel in self._silenced_channels)}." +            ) +            channels_text = ', '.join( +                f"{channel.mention} for {(self._current_loop-start)//60} min" +                for channel, start in self._silenced_channels.items() +            ) +            await self._alert_channel.send(f"<@&{Roles.moderators}> currently silenced channels: {channels_text}") + + +class Silence(commands.Cog): +    """Commands for stopping channel messages for `verified` role in a channel.""" + +    def __init__(self, bot: Bot): +        self.bot = bot +        self.muted_channels = set() +        self._get_instance_vars_task = self.bot.loop.create_task(self._get_instance_vars()) +        self._get_instance_vars_event = asyncio.Event() + +    async def _get_instance_vars(self) -> None: +        """Get instance variables after they're available to get from the guild.""" +        await self.bot.wait_until_guild_available() +        guild = self.bot.get_guild(Guild.id) +        self._verified_role = guild.get_role(Roles.verified) +        self._mod_alerts_channel = self.bot.get_channel(Channels.mod_alerts) +        self._mod_log_channel = self.bot.get_channel(Channels.mod_log) +        self.notifier = SilenceNotifier(self._mod_log_channel) +        self._get_instance_vars_event.set() + +    @commands.command(aliases=("hush",)) +    async def silence(self, ctx: Context, duration: HushDurationConverter = 10) -> None: +        """ +        Silence the current channel for `duration` minutes or `forever`. + +        Duration is capped at 15 minutes, passing forever makes the silence indefinite. +        Indefinitely silenced channels get added to a notifier which posts notices every 15 minutes from the start. +        """ +        await self._get_instance_vars_event.wait() +        log.debug(f"{ctx.author} is silencing channel #{ctx.channel}.") +        if not await self._silence(ctx.channel, persistent=(duration is None), duration=duration): +            await ctx.send(f"{Emojis.cross_mark} current channel is already silenced.") +            return +        if duration is None: +            await ctx.send(f"{Emojis.check_mark} silenced current channel indefinitely.") +            return + +        await ctx.send(f"{Emojis.check_mark} silenced current channel for {duration} minute(s).") +        await asyncio.sleep(duration*60) +        log.info(f"Unsilencing channel after set delay.") +        await ctx.invoke(self.unsilence) + +    @commands.command(aliases=("unhush",)) +    async def unsilence(self, ctx: Context) -> None: +        """ +        Unsilence the current channel. + +        If the channel was silenced indefinitely, notifications for the channel will stop. +        """ +        await self._get_instance_vars_event.wait() +        log.debug(f"Unsilencing channel #{ctx.channel} from {ctx.author}'s command.") +        if await self._unsilence(ctx.channel): +            await ctx.send(f"{Emojis.check_mark} unsilenced current channel.") + +    async def _silence(self, channel: TextChannel, persistent: bool, duration: Optional[int]) -> bool: +        """ +        Silence `channel` for `self._verified_role`. + +        If `persistent` is `True` add `channel` to notifier. +        `duration` is only used for logging; if None is passed `persistent` should be True to not log None. +        Return `True` if channel permissions were changed, `False` otherwise. +        """ +        current_overwrite = channel.overwrites_for(self._verified_role) +        if current_overwrite.send_messages is False: +            log.info(f"Tried to silence channel #{channel} ({channel.id}) but the channel was already silenced.") +            return False +        await channel.set_permissions(self._verified_role, **dict(current_overwrite, send_messages=False)) +        self.muted_channels.add(channel) +        if persistent: +            log.info(f"Silenced #{channel} ({channel.id}) indefinitely.") +            self.notifier.add_channel(channel) +            return True + +        log.info(f"Silenced #{channel} ({channel.id}) for {duration} minute(s).") +        return True + +    async def _unsilence(self, channel: TextChannel) -> bool: +        """ +        Unsilence `channel`. + +        Check if `channel` is silenced through a `PermissionOverwrite`, +        if it is unsilence it and remove it from the notifier. +        Return `True` if channel permissions were changed, `False` otherwise. +        """ +        current_overwrite = channel.overwrites_for(self._verified_role) +        if current_overwrite.send_messages is False: +            await channel.set_permissions(self._verified_role, **dict(current_overwrite, send_messages=None)) +            log.info(f"Unsilenced channel #{channel} ({channel.id}).") +            self.notifier.remove_channel(channel) +            self.muted_channels.discard(channel) +            return True +        log.info(f"Tried to unsilence channel #{channel} ({channel.id}) but the channel was not silenced.") +        return False + +    def cog_unload(self) -> None: +        """Send alert with silenced channels on unload.""" +        if self.muted_channels: +            channels_string = ''.join(channel.mention for channel in self.muted_channels) +            message = f"<@&{Roles.moderators}> channels left silenced on cog unload: {channels_string}" +            asyncio.create_task(self._mod_alerts_channel.send(message)) + +    # This cannot be static (must have a __func__ attribute). +    def cog_check(self, ctx: Context) -> bool: +        """Only allow moderators to invoke the commands in this cog.""" +        return with_role_check(ctx, *MODERATION_ROLES) diff --git a/bot/cogs/moderation/superstarify.py b/bot/cogs/moderation/superstarify.py index 893cb7f13..29855c325 100644 --- a/bot/cogs/moderation/superstarify.py +++ b/bot/cogs/moderation/superstarify.py @@ -59,7 +59,7 @@ class Superstarify(InfractionScheduler, Cog):              return  # Nick change was triggered by this event. Ignore.          log.info( -            f"{after.display_name} is currently in superstar-prison. " +            f"{after.display_name} ({after.id}) tried to escape superstar prison. "              f"Changing the nick back to {before.display_name}."          )          await after.edit( @@ -80,7 +80,7 @@ class Superstarify(InfractionScheduler, Cog):          )          if not notified: -            log.warning("Failed to DM user about why they cannot change their nickname.") +            log.info("Failed to DM user about why they cannot change their nickname.")      @Cog.listener()      async def on_member_join(self, member: Member) -> None: @@ -130,7 +130,7 @@ class Superstarify(InfractionScheduler, Cog):          An optional reason can be provided. If no reason is given, the original name will be shown          in a generated reason.          """ -        if await utils.has_active_infraction(ctx, member, "superstar"): +        if await utils.get_active_infraction(ctx, member, "superstar"):              return          # Post the infraction to the API diff --git a/bot/cogs/moderation/utils.py b/bot/cogs/moderation/utils.py index 5fcfeb7c7..4838c4689 100644 --- a/bot/cogs/moderation/utils.py +++ b/bot/cogs/moderation/utils.py @@ -49,7 +49,7 @@ async def post_user(ctx: Context, user: UserSnowflake) -> t.Optional[dict]:      log.trace(f"Attempting to add user {user.id} to the database.")      if not isinstance(user, (discord.Member, discord.User)): -        log.warning("The user being added to the DB is not a Member or User object.") +        log.debug("The user being added to the DB is not a Member or User object.")      payload = {          'avatar_hash': getattr(user, 'avatar', 0), @@ -108,8 +108,19 @@ async def post_infraction(                  return -async def has_active_infraction(ctx: Context, user: UserSnowflake, infr_type: str) -> bool: -    """Checks if a user already has an active infraction of the given type.""" +async def get_active_infraction( +        ctx: Context, +        user: UserSnowflake, +        infr_type: str, +        send_msg: bool = True +) -> t.Optional[dict]: +    """ +    Retrieves an active infraction of the given type for the user. + +    If `send_msg` is True and the user has an active infraction matching the `infr_type` parameter, +    then a message for the moderator will be sent to the context channel letting them know. +    Otherwise, no message will be sent. +    """      log.trace(f"Checking if {user} has active infractions of type {infr_type}.")      active_infractions = await ctx.bot.api_client.get( @@ -121,15 +132,16 @@ async def has_active_infraction(ctx: Context, user: UserSnowflake, infr_type: st          }      )      if active_infractions: -        log.trace(f"{user} has active infractions of type {infr_type}.") -        await ctx.send( -            f":x: According to my records, this user already has a {infr_type} infraction. " -            f"See infraction **#{active_infractions[0]['id']}**." -        ) -        return True +        # Checks to see if the moderator should be told there is an active infraction +        if send_msg: +            log.trace(f"{user} has active infractions of type {infr_type}.") +            await ctx.send( +                f":x: According to my records, this user already has a {infr_type} infraction. " +                f"See infraction **#{active_infractions[0]['id']}**." +            ) +        return active_infractions[0]      else:          log.trace(f"{user} does not have active infractions of type {infr_type}.") -        return False  async def notify_infraction( diff --git a/bot/cogs/python_news.py b/bot/cogs/python_news.py new file mode 100644 index 000000000..57ce61638 --- /dev/null +++ b/bot/cogs/python_news.py @@ -0,0 +1,234 @@ +import logging +import typing as t +from datetime import date, datetime + +import discord +import feedparser +from bs4 import BeautifulSoup +from discord.ext.commands import Cog +from discord.ext.tasks import loop + +from bot import constants +from bot.bot import Bot + +PEPS_RSS_URL = "https://www.python.org/dev/peps/peps.rss/" + +RECENT_THREADS_TEMPLATE = "https://mail.python.org/archives/list/{name}@python.org/recent-threads" +THREAD_TEMPLATE_URL = "https://mail.python.org/archives/api/list/{name}@python.org/thread/{id}/" +MAILMAN_PROFILE_URL = "https://mail.python.org/archives/users/{id}/" +THREAD_URL = "https://mail.python.org/archives/list/{list}@python.org/thread/{id}/" + +AVATAR_URL = "https://www.python.org/static/opengraph-icon-200x200.png" + +log = logging.getLogger(__name__) + + +class PythonNews(Cog): +    """Post new PEPs and Python News to `#python-news`.""" + +    def __init__(self, bot: Bot): +        self.bot = bot +        self.webhook_names = {} +        self.webhook: t.Optional[discord.Webhook] = None + +        self.bot.loop.create_task(self.get_webhook_names()) +        self.bot.loop.create_task(self.get_webhook_and_channel()) + +    async def start_tasks(self) -> None: +        """Start the tasks for fetching new PEPs and mailing list messages.""" +        self.fetch_new_media.start() + +    @loop(minutes=20) +    async def fetch_new_media(self) -> None: +        """Fetch new mailing list messages and then new PEPs.""" +        await self.post_maillist_news() +        await self.post_pep_news() + +    async def sync_maillists(self) -> None: +        """Sync currently in-use maillists with API.""" +        # Wait until guild is available to avoid running before everything is ready +        await self.bot.wait_until_guild_available() + +        response = await self.bot.api_client.get("bot/bot-settings/news") +        for mail in constants.PythonNews.mail_lists: +            if mail not in response["data"]: +                response["data"][mail] = [] + +        # Because we are handling PEPs differently, we don't include it to mail lists +        if "pep" not in response["data"]: +            response["data"]["pep"] = [] + +        await self.bot.api_client.put("bot/bot-settings/news", json=response) + +    async def get_webhook_names(self) -> None: +        """Get webhook author names from maillist API.""" +        await self.bot.wait_until_guild_available() + +        async with self.bot.http_session.get("https://mail.python.org/archives/api/lists") as resp: +            lists = await resp.json() + +        for mail in lists: +            if mail["name"].split("@")[0] in constants.PythonNews.mail_lists: +                self.webhook_names[mail["name"].split("@")[0]] = mail["display_name"] + +    async def post_pep_news(self) -> None: +        """Fetch new PEPs and when they don't have announcement in #python-news, create it.""" +        # Wait until everything is ready and http_session available +        await self.bot.wait_until_guild_available() +        await self.sync_maillists() + +        async with self.bot.http_session.get(PEPS_RSS_URL) as resp: +            data = feedparser.parse(await resp.text("utf-8")) + +        news_listing = await self.bot.api_client.get("bot/bot-settings/news") +        payload = news_listing.copy() +        pep_numbers = news_listing["data"]["pep"] + +        # Reverse entries to send oldest first +        data["entries"].reverse() +        for new in data["entries"]: +            try: +                new_datetime = datetime.strptime(new["published"], "%a, %d %b %Y %X %Z") +            except ValueError: +                log.warning(f"Wrong datetime format passed in PEP new: {new['published']}") +                continue +            pep_nr = new["title"].split(":")[0].split()[1] +            if ( +                    pep_nr in pep_numbers +                    or new_datetime.date() < date.today() +            ): +                continue + +            msg = await self.send_webhook( +                title=new["title"], +                description=new["summary"], +                timestamp=new_datetime, +                url=new["link"], +                webhook_profile_name=data["feed"]["title"], +                footer=data["feed"]["title"] +            ) +            payload["data"]["pep"].append(pep_nr) + +            if msg.channel.is_news(): +                log.trace("Publishing PEP annnouncement because it was in a news channel") +                await msg.publish() + +        # Apply new sent news to DB to avoid duplicate sending +        await self.bot.api_client.put("bot/bot-settings/news", json=payload) + +    async def post_maillist_news(self) -> None: +        """Send new maillist threads to #python-news that is listed in configuration.""" +        await self.bot.wait_until_guild_available() +        await self.sync_maillists() +        existing_news = await self.bot.api_client.get("bot/bot-settings/news") +        payload = existing_news.copy() + +        for maillist in constants.PythonNews.mail_lists: +            async with self.bot.http_session.get(RECENT_THREADS_TEMPLATE.format(name=maillist)) as resp: +                recents = BeautifulSoup(await resp.text(), features="lxml") + +            # When a <p> element is present in the response then the mailing list +            # has not had any activity during the current month, so therefore it +            # can be ignored. +            if recents.p: +                continue + +            for thread in recents.html.body.div.find_all("a", href=True): +                # We want only these threads that have identifiers +                if "latest" in thread["href"]: +                    continue + +                thread_information, email_information = await self.get_thread_and_first_mail( +                    maillist, thread["href"].split("/")[-2] +                ) + +                try: +                    new_date = datetime.strptime(email_information["date"], "%Y-%m-%dT%X%z") +                except ValueError: +                    log.warning(f"Invalid datetime from Thread email: {email_information['date']}") +                    continue + +                if ( +                        thread_information["thread_id"] in existing_news["data"][maillist] +                        or new_date.date() < date.today() +                ): +                    continue + +                content = email_information["content"] +                link = THREAD_URL.format(id=thread["href"].split("/")[-2], list=maillist) +                msg = await self.send_webhook( +                    title=thread_information["subject"], +                    description=content[:500] + f"... [continue reading]({link})" if len(content) > 500 else content, +                    timestamp=new_date, +                    url=link, +                    author=f"{email_information['sender_name']} ({email_information['sender']['address']})", +                    author_url=MAILMAN_PROFILE_URL.format(id=email_information["sender"]["mailman_id"]), +                    webhook_profile_name=self.webhook_names[maillist], +                    footer=f"Posted to {self.webhook_names[maillist]}" +                ) +                payload["data"][maillist].append(thread_information["thread_id"]) + +                if msg.channel.is_news(): +                    log.trace("Publishing mailing list message because it was in a news channel") +                    await msg.publish() + +        await self.bot.api_client.put("bot/bot-settings/news", json=payload) + +    async def send_webhook(self, +                           title: str, +                           description: str, +                           timestamp: datetime, +                           url: str, +                           webhook_profile_name: str, +                           footer: str, +                           author: t.Optional[str] = None, +                           author_url: t.Optional[str] = None, +                           ) -> discord.Message: +        """Send webhook entry and return sent message.""" +        embed = discord.Embed( +            title=title, +            description=description, +            timestamp=timestamp, +            url=url, +            colour=constants.Colours.soft_green +        ) +        if author and author_url: +            embed.set_author( +                name=author, +                url=author_url +            ) +        embed.set_footer(text=footer, icon_url=AVATAR_URL) + +        return await self.webhook.send( +            embed=embed, +            username=webhook_profile_name, +            avatar_url=AVATAR_URL, +            wait=True +        ) + +    async def get_thread_and_first_mail(self, maillist: str, thread_identifier: str) -> t.Tuple[t.Any, t.Any]: +        """Get mail thread and first mail from mail.python.org based on `maillist` and `thread_identifier`.""" +        async with self.bot.http_session.get( +                THREAD_TEMPLATE_URL.format(name=maillist, id=thread_identifier) +        ) as resp: +            thread_information = await resp.json() + +        async with self.bot.http_session.get(thread_information["starting_email"]) as resp: +            email_information = await resp.json() +        return thread_information, email_information + +    async def get_webhook_and_channel(self) -> None: +        """Storage #python-news channel Webhook and `TextChannel` to `News.webhook` and `channel`.""" +        await self.bot.wait_until_guild_available() +        self.webhook = await self.bot.fetch_webhook(constants.PythonNews.webhook) + +        await self.start_tasks() + +    def cog_unload(self) -> None: +        """Stop news posting tasks on cog unload.""" +        self.fetch_new_media.cancel() + + +def setup(bot: Bot) -> None: +    """Add `News` cog.""" +    bot.add_cog(PythonNews(bot)) diff --git a/bot/cogs/reminders.py b/bot/cogs/reminders.py index 24c279357..8b6457cbb 100644 --- a/bot/cogs/reminders.py +++ b/bot/cogs/reminders.py @@ -158,7 +158,7 @@ class Reminders(Scheduler, Cog):          )          await self._delete_reminder(reminder["id"]) -    @group(name="remind", aliases=("reminder", "reminders"), invoke_without_command=True) +    @group(name="remind", aliases=("reminder", "reminders", "remindme"), invoke_without_command=True)      async def remind_group(self, ctx: Context, expiration: Duration, *, content: str) -> None:          """Commands for managing your reminders."""          await ctx.invoke(self.new_reminder, expiration=expiration, content=content) diff --git a/bot/cogs/snekbox.py b/bot/cogs/snekbox.py index cff7c5786..8d4688114 100644 --- a/bot/cogs/snekbox.py +++ b/bot/cogs/snekbox.py @@ -12,8 +12,8 @@ from discord import HTTPException, Message, NotFound, Reaction, User  from discord.ext.commands import Cog, Context, command, guild_only  from bot.bot import Bot -from bot.constants import Channels, Roles, URLs -from bot.decorators import in_channel +from bot.constants import Categories, Channels, Roles, URLs +from bot.decorators import in_whitelist  from bot.utils.messages import wait_for_deletion  log = logging.getLogger(__name__) @@ -38,6 +38,10 @@ RAW_CODE_REGEX = re.compile(  )  MAX_PASTE_LEN = 1000 + +# `!eval` command whitelists +EVAL_CHANNELS = (Channels.bot_commands, Channels.esoteric) +EVAL_CATEGORIES = (Categories.help_available, Categories.help_in_use)  EVAL_ROLES = (Roles.helpers, Roles.moderators, Roles.admins, Roles.owners, Roles.python_community, Roles.partners)  SIGKILL = 9 @@ -232,7 +236,7 @@ class Snekbox(Cog):                      timeout=10                  ) -                code = new_message.content.split(' ', maxsplit=1)[1] +                code = await self.get_code(new_message)                  await ctx.message.clear_reactions()                  with contextlib.suppress(HTTPException):                      await response.delete() @@ -243,9 +247,29 @@ class Snekbox(Cog):              return code +    async def get_code(self, message: Message) -> Optional[str]: +        """ +        Return the code from `message` to be evaluated. + +        If the message is an invocation of the eval command, return the first argument or None if it +        doesn't exist. Otherwise, return the full content of the message. +        """ +        log.trace(f"Getting context for message {message.id}.") +        new_ctx = await self.bot.get_context(message) + +        if new_ctx.command is self.eval_command: +            log.trace(f"Message {message.id} invokes eval command.") +            split = message.content.split(maxsplit=1) +            code = split[1] if len(split) > 1 else None +        else: +            log.trace(f"Message {message.id} does not invoke eval command.") +            code = message.content + +        return code +      @command(name="eval", aliases=("e",))      @guild_only() -    @in_channel(Channels.bot_commands, hidden_channels=(Channels.esoteric,), bypass_roles=EVAL_ROLES) +    @in_whitelist(channels=EVAL_CHANNELS, categories=EVAL_CATEGORIES, roles=EVAL_ROLES)      async def eval_command(self, ctx: Context, *, code: str = None) -> None:          """          Run Python code and get the results. @@ -281,7 +305,7 @@ class Snekbox(Cog):              code = await self.continue_eval(ctx, response)              if not code:                  break -            log.info(f"Re-evaluating message {ctx.message.id}") +            log.info(f"Re-evaluating code from message {ctx.message.id}:\n{code}")  def predicate_eval_message_edit(ctx: Context, old_msg: Message, new_msg: Message) -> bool: diff --git a/bot/cogs/stats.py b/bot/cogs/stats.py new file mode 100644 index 000000000..d253db913 --- /dev/null +++ b/bot/cogs/stats.py @@ -0,0 +1,107 @@ +import string +from datetime import datetime + +from discord import Member, Message, Status +from discord.ext.commands import Bot, Cog, Context + +from bot.constants import Channels, Guild, Stats as StatConf + + +CHANNEL_NAME_OVERRIDES = { +    Channels.off_topic_0: "off_topic_0", +    Channels.off_topic_1: "off_topic_1", +    Channels.off_topic_2: "off_topic_2", +    Channels.staff_lounge: "staff_lounge" +} + +ALLOWED_CHARS = string.ascii_letters + string.digits + "_" + + +class Stats(Cog): +    """A cog which provides a way to hook onto Discord events and forward to stats.""" + +    def __init__(self, bot: Bot): +        self.bot = bot +        self.last_presence_update = None + +    @Cog.listener() +    async def on_message(self, message: Message) -> None: +        """Report message events in the server to statsd.""" +        if message.guild is None: +            return + +        if message.guild.id != Guild.id: +            return + +        reformatted_name = message.channel.name.replace('-', '_') + +        if CHANNEL_NAME_OVERRIDES.get(message.channel.id): +            reformatted_name = CHANNEL_NAME_OVERRIDES.get(message.channel.id) + +        reformatted_name = "".join(char for char in reformatted_name if char in ALLOWED_CHARS) + +        stat_name = f"channels.{reformatted_name}" +        self.bot.stats.incr(stat_name) + +        # Increment the total message count +        self.bot.stats.incr("messages") + +    @Cog.listener() +    async def on_command_completion(self, ctx: Context) -> None: +        """Report completed commands to statsd.""" +        command_name = ctx.command.qualified_name.replace(" ", "_") + +        self.bot.stats.incr(f"commands.{command_name}") + +    @Cog.listener() +    async def on_member_join(self, member: Member) -> None: +        """Update member count stat on member join.""" +        if member.guild.id != Guild.id: +            return + +        self.bot.stats.gauge(f"guild.total_members", len(member.guild.members)) + +    @Cog.listener() +    async def on_member_leave(self, member: Member) -> None: +        """Update member count stat on member leave.""" +        if member.guild.id != Guild.id: +            return + +        self.bot.stats.gauge(f"guild.total_members", len(member.guild.members)) + +    @Cog.listener() +    async def on_member_update(self, _before: Member, after: Member) -> None: +        """Update presence estimates on member update.""" +        if after.guild.id != Guild.id: +            return + +        if self.last_presence_update: +            if (datetime.now() - self.last_presence_update).seconds < StatConf.presence_update_timeout: +                return + +        self.last_presence_update = datetime.now() + +        online = 0 +        idle = 0 +        dnd = 0 +        offline = 0 + +        for member in after.guild.members: +            if member.status is Status.online: +                online += 1 +            elif member.status is Status.dnd: +                dnd += 1 +            elif member.status is Status.idle: +                idle += 1 +            elif member.status is Status.offline: +                offline += 1 + +        self.bot.stats.gauge("guild.status.online", online) +        self.bot.stats.gauge("guild.status.idle", idle) +        self.bot.stats.gauge("guild.status.do_not_disturb", dnd) +        self.bot.stats.gauge("guild.status.offline", offline) + + +def setup(bot: Bot) -> None: +    """Load the stats cog.""" +    bot.add_cog(Stats(bot)) diff --git a/bot/cogs/sync/syncers.py b/bot/cogs/sync/syncers.py index c7ce54d65..e55bf27fd 100644 --- a/bot/cogs/sync/syncers.py +++ b/bot/cogs/sync/syncers.py @@ -1,4 +1,5 @@  import abc +import asyncio  import logging  import typing as t  from collections import namedtuple @@ -122,7 +123,7 @@ class Syncer(abc.ABC):                  check=partial(self._reaction_check, author, message),                  timeout=constants.Sync.confirm_timeout              ) -        except TimeoutError: +        except asyncio.TimeoutError:              # reaction will remain none thus sync will be aborted in the finally block below.              log.debug(f"The {self.name} syncer confirmation prompt timed out.") @@ -131,7 +132,7 @@ class Syncer(abc.ABC):              await message.edit(content=f':ok_hand: {mention}{self.name} sync will proceed.')              return True          else: -            log.warning(f"The {self.name} syncer was aborted or timed out!") +            log.info(f"The {self.name} syncer was aborted or timed out!")              await message.edit(                  content=f':warning: {mention}{self.name} sync aborted or timed out!'              ) diff --git a/bot/cogs/tags.py b/bot/cogs/tags.py index 5da9a4148..a813ffff5 100644 --- a/bot/cogs/tags.py +++ b/bot/cogs/tags.py @@ -1,25 +1,27 @@  import logging  import re  import time -from typing import Dict, List, Optional +from pathlib import Path +from typing import Callable, Dict, Iterable, List, Optional  from discord import Colour, Embed  from discord.ext.commands import Cog, Context, group +from bot import constants  from bot.bot import Bot -from bot.constants import Channels, Cooldowns, MODERATION_ROLES, Roles -from bot.converters import TagContentConverter, TagNameConverter -from bot.decorators import with_role +from bot.converters import TagNameConverter  from bot.pagination import LinePaginator +from bot.utils.messages import wait_for_deletion  log = logging.getLogger(__name__)  TEST_CHANNELS = ( -    Channels.bot_commands, -    Channels.helpers +    constants.Channels.bot_commands, +    constants.Channels.helpers  )  REGEX_NON_ALPHABET = re.compile(r"[^a-z]", re.MULTILINE & re.IGNORECASE) +FOOTER_TEXT = f"To show a tag, type {constants.Bot.prefix}tags <tagname>."  class Tags(Cog): @@ -28,21 +30,27 @@ class Tags(Cog):      def __init__(self, bot: Bot):          self.bot = bot          self.tag_cooldowns = {} +        self._cache = self.get_tags() -        self._cache = {} -        self._last_fetch: float = 0.0 - -    async def _get_tags(self, is_forced: bool = False) -> None: +    @staticmethod +    def get_tags() -> dict:          """Get all tags.""" -        # refresh only when there's a more than 5m gap from last call. -        time_now: float = time.time() -        if is_forced or not self._last_fetch or time_now - self._last_fetch > 5 * 60: -            tags = await self.bot.api_client.get('bot/tags') -            self._cache = {tag['title'].lower(): tag for tag in tags} -            self._last_fetch = time_now +        # Save all tags in memory. +        cache = {} +        tag_files = Path("bot", "resources", "tags").iterdir() +        for file in tag_files: +            tag_title = file.stem +            tag = { +                "title": tag_title, +                "embed": { +                    "description": file.read_text(encoding="utf-8") +                } +            } +            cache[tag_title] = tag +        return cache      @staticmethod -    def _fuzzy_search(search: str, target: str) -> int: +    def _fuzzy_search(search: str, target: str) -> float:          """A simple scoring algorithm based on how many letters are found / total, with order in mind."""          current, index = 0, 0          _search = REGEX_NON_ALPHABET.sub('', search.lower()) @@ -78,22 +86,89 @@ class Tags(Cog):          return [] -    async def _get_tag(self, tag_name: str) -> list: +    def _get_tag(self, tag_name: str) -> list:          """Get a specific tag.""" -        await self._get_tags()          found = [self._cache.get(tag_name.lower(), None)]          if not found[0]:              return self._get_suggestions(tag_name)          return found +    def _get_tags_via_content(self, check: Callable[[Iterable], bool], keywords: str) -> list: +        """ +        Search for tags via contents. + +        `predicate` will be the built-in any, all, or a custom callable. Must return a bool. +        """ +        keywords_processed: List[str] = [] +        for keyword in keywords.split(','): +            keyword_sanitized = keyword.strip().casefold() +            if not keyword_sanitized: +                # this happens when there are leading / trailing / consecutive comma. +                continue +            keywords_processed.append(keyword_sanitized) + +        if not keywords_processed: +            # after sanitizing, we can end up with an empty list, for example when keywords is ',' +            # in that case, we simply want to search for such keywords directly instead. +            keywords_processed = [keywords] + +        matching_tags = [] +        for tag in self._cache.values(): +            if check(query in tag['embed']['description'].casefold() for query in keywords_processed): +                matching_tags.append(tag) + +        return matching_tags + +    async def _send_matching_tags(self, ctx: Context, keywords: str, matching_tags: list) -> None: +        """Send the result of matching tags to user.""" +        if not matching_tags: +            pass +        elif len(matching_tags) == 1: +            await ctx.send(embed=Embed().from_dict(matching_tags[0]['embed'])) +        else: +            is_plural = keywords.strip().count(' ') > 0 or keywords.strip().count(',') > 0 +            embed = Embed( +                title=f"Here are the tags containing the given keyword{'s' * is_plural}:", +                description='\n'.join(tag['title'] for tag in matching_tags[:10]) +            ) +            await LinePaginator.paginate( +                sorted(f"**»**   {tag['title']}" for tag in matching_tags), +                ctx, +                embed, +                footer_text=FOOTER_TEXT, +                empty=False, +                max_lines=15 +            ) +      @group(name='tags', aliases=('tag', 't'), invoke_without_command=True)      async def tags_group(self, ctx: Context, *, tag_name: TagNameConverter = None) -> None:          """Show all known tags, a single tag, or run a subcommand."""          await ctx.invoke(self.get_command, tag_name=tag_name) +    @tags_group.group(name='search', invoke_without_command=True) +    async def search_tag_content(self, ctx: Context, *, keywords: str) -> None: +        """ +        Search inside tags' contents for tags. Allow searching for multiple keywords separated by comma. + +        Only search for tags that has ALL the keywords. +        """ +        matching_tags = self._get_tags_via_content(all, keywords) +        await self._send_matching_tags(ctx, keywords, matching_tags) + +    @search_tag_content.command(name='any') +    async def search_tag_content_any_keyword(self, ctx: Context, *, keywords: Optional[str] = 'any') -> None: +        """ +        Search inside tags' contents for tags. Allow searching for multiple keywords separated by comma. + +        Search for tags that has ANY of the keywords. +        """ +        matching_tags = self._get_tags_via_content(any, keywords or 'any') +        await self._send_matching_tags(ctx, keywords, matching_tags) +      @tags_group.command(name='get', aliases=('show', 'g'))      async def get_command(self, ctx: Context, *, tag_name: TagNameConverter = None) -> None:          """Get a specified tag, or a list of all tags if no tag is specified.""" +          def _command_on_cooldown(tag_name: str) -> bool:              """              Check if the command is currently on cooldown, on a per-tag, per-channel basis. @@ -105,7 +180,7 @@ class Tags(Cog):              cooldown_conditions = (                  tag_name                  and tag_name in self.tag_cooldowns -                and (now - self.tag_cooldowns[tag_name]["time"]) < Cooldowns.tags +                and (now - self.tag_cooldowns[tag_name]["time"]) < constants.Cooldowns.tags                  and self.tag_cooldowns[tag_name]["channel"] == ctx.channel.id              ) @@ -114,17 +189,16 @@ class Tags(Cog):              return False          if _command_on_cooldown(tag_name): -            time_left = Cooldowns.tags - (time.time() - self.tag_cooldowns[tag_name]["time"]) +            time_elapsed = time.time() - self.tag_cooldowns[tag_name]["time"] +            time_left = constants.Cooldowns.tags - time_elapsed              log.info(                  f"{ctx.author} tried to get the '{tag_name}' tag, but the tag is on cooldown. "                  f"Cooldown ends in {time_left:.1f} seconds."              )              return -        await self._get_tags() -          if tag_name is not None: -            founds = await self._get_tag(tag_name) +            founds = self._get_tag(tag_name)              if len(founds) == 1:                  tag = founds[0] @@ -133,12 +207,25 @@ class Tags(Cog):                          "time": time.time(),                          "channel": ctx.channel.id                      } -                await ctx.send(embed=Embed.from_dict(tag['embed'])) + +                self.bot.stats.incr(f"tags.usages.{tag['title'].replace('-', '_')}") + +                await wait_for_deletion( +                    await ctx.send(embed=Embed.from_dict(tag['embed'])), +                    [ctx.author.id], +                    client=self.bot +                )              elif founds and len(tag_name) >= 3: -                await ctx.send(embed=Embed( -                    title='Did you mean ...', -                    description='\n'.join(tag['title'] for tag in founds[:10]) -                )) +                await wait_for_deletion( +                    await ctx.send( +                        embed=Embed( +                            title='Did you mean ...', +                            description='\n'.join(tag['title'] for tag in founds[:10]) +                        ) +                    ), +                    [ctx.author.id], +                    client=self.bot +                )          else:              tags = self._cache.values() @@ -153,86 +240,11 @@ class Tags(Cog):                      sorted(f"**»**   {tag['title']}" for tag in tags),                      ctx,                      embed, -                    footer_text="To show a tag, type !tags <tagname>.", +                    footer_text=FOOTER_TEXT,                      empty=False,                      max_lines=15                  ) -    @tags_group.command(name='set', aliases=('add', 's')) -    @with_role(*MODERATION_ROLES) -    async def set_command( -        self, -        ctx: Context, -        tag_name: TagNameConverter, -        *, -        tag_content: TagContentConverter, -    ) -> None: -        """Create a new tag.""" -        body = { -            'title': tag_name.lower().strip(), -            'embed': { -                'title': tag_name, -                'description': tag_content -            } -        } - -        await self.bot.api_client.post('bot/tags', json=body) -        self._cache[tag_name.lower()] = await self.bot.api_client.get(f'bot/tags/{tag_name}') - -        log.debug(f"{ctx.author} successfully added the following tag to our database: \n" -                  f"tag_name: {tag_name}\n" -                  f"tag_content: '{tag_content}'\n") - -        await ctx.send(embed=Embed( -            title="Tag successfully added", -            description=f"**{tag_name}** added to tag database.", -            colour=Colour.blurple() -        )) - -    @tags_group.command(name='edit', aliases=('e', )) -    @with_role(*MODERATION_ROLES) -    async def edit_command( -        self, -        ctx: Context, -        tag_name: TagNameConverter, -        *, -        tag_content: TagContentConverter, -    ) -> None: -        """Edit an existing tag.""" -        body = { -            'embed': { -                'title': tag_name, -                'description': tag_content -            } -        } - -        await self.bot.api_client.patch(f'bot/tags/{tag_name}', json=body) -        self._cache[tag_name.lower()] = await self.bot.api_client.get(f'bot/tags/{tag_name}') - -        log.debug(f"{ctx.author} successfully edited the following tag in our database: \n" -                  f"tag_name: {tag_name}\n" -                  f"tag_content: '{tag_content}'\n") - -        await ctx.send(embed=Embed( -            title="Tag successfully edited", -            description=f"**{tag_name}** edited in the database.", -            colour=Colour.blurple() -        )) - -    @tags_group.command(name='delete', aliases=('remove', 'rm', 'd')) -    @with_role(Roles.admins, Roles.owners) -    async def delete_command(self, ctx: Context, *, tag_name: TagNameConverter) -> None: -        """Remove a tag from the database.""" -        await self.bot.api_client.delete(f'bot/tags/{tag_name}') -        self._cache.pop(tag_name.lower(), None) - -        log.debug(f"{ctx.author} successfully deleted the tag called '{tag_name}'") -        await ctx.send(embed=Embed( -            title=tag_name, -            description=f"Tag successfully removed: {tag_name}.", -            colour=Colour.blurple() -        )) -  def setup(bot: Bot) -> None:      """Load the Tags cog.""" diff --git a/bot/cogs/token_remover.py b/bot/cogs/token_remover.py index 82c01ae96..6721f0e02 100644 --- a/bot/cogs/token_remover.py +++ b/bot/cogs/token_remover.py @@ -3,6 +3,7 @@ import binascii  import logging  import re  import struct +import typing as t  from datetime import datetime  from discord import Colour, Message @@ -53,8 +54,9 @@ class TokenRemover(Cog):          See: https://discordapp.com/developers/docs/reference#snowflakes          """ -        if self.is_token_in_message(msg): -            await self.take_action(msg) +        found_token = self.find_token_in_message(msg) +        if found_token: +            await self.take_action(msg, found_token)      @Cog.listener()      async def on_message_edit(self, before: Message, after: Message) -> None: @@ -63,12 +65,13 @@ class TokenRemover(Cog):          See: https://discordapp.com/developers/docs/reference#snowflakes          """ -        if self.is_token_in_message(after): -            await self.take_action(after) +        found_token = self.find_token_in_message(after) +        if found_token: +            await self.take_action(after, found_token) -    async def take_action(self, msg: Message) -> None: +    async def take_action(self, msg: Message, found_token: str) -> None:          """Remove the `msg` containing a token an send a mod_log message.""" -        user_id, creation_timestamp, hmac = TOKEN_RE.search(msg.content).group(0).split('.') +        user_id, creation_timestamp, hmac = found_token.split('.')          self.mod_log.ignore(Event.message_delete, msg.id)          await msg.delete()          await msg.channel.send(DELETION_MESSAGE_TEMPLATE.format(mention=msg.author.mention)) @@ -90,18 +93,30 @@ class TokenRemover(Cog):              channel_id=Channels.mod_alerts,          ) +        self.bot.stats.incr("tokens.removed_tokens") +      @classmethod -    def is_token_in_message(cls, msg: Message) -> bool: -        """Check if `msg` contains a seemly valid token.""" +    def find_token_in_message(cls, msg: Message) -> t.Optional[str]: +        """Return a seemingly valid token found in `msg` or `None` if no token is found."""          if msg.author.bot: -            return False +            return -        maybe_match = TOKEN_RE.search(msg.content) -        if maybe_match is None: -            return False +        # Use findall rather than search to guard against method calls prematurely returning the +        # token check (e.g. `message.channel.send` also matches our token pattern) +        maybe_matches = TOKEN_RE.findall(msg.content) +        for substr in maybe_matches: +            if cls.is_maybe_token(substr): +                # Short-circuit on first match +                return substr +        # No matching substring +        return + +    @classmethod +    def is_maybe_token(cls, test_str: str) -> bool: +        """Check the provided string to see if it is a seemingly valid token."""          try: -            user_id, creation_timestamp, hmac = maybe_match.group(0).split('.') +            user_id, creation_timestamp, hmac = test_str.split('.')          except ValueError:              return False diff --git a/bot/cogs/utils.py b/bot/cogs/utils.py index 94b9d6b5a..89d556f58 100644 --- a/bot/cogs/utils.py +++ b/bot/cogs/utils.py @@ -1,22 +1,44 @@ +import difflib  import logging  import re  import unicodedata -from asyncio import TimeoutError, sleep  from email.parser import HeaderParser  from io import StringIO -from typing import Tuple +from typing import Tuple, Union -from dateutil import relativedelta -from discord import Colour, Embed, Message, Role -from discord.ext.commands import Cog, Context, command +from discord import Colour, Embed +from discord.ext.commands import BadArgument, Cog, Context, command  from bot.bot import Bot -from bot.constants import Channels, MODERATION_ROLES, Mention, STAFF_ROLES -from bot.decorators import in_channel, with_role -from bot.utils.time import humanize_delta +from bot.constants import Channels, MODERATION_ROLES, STAFF_ROLES +from bot.decorators import in_whitelist, with_role  log = logging.getLogger(__name__) +ZEN_OF_PYTHON = """\ +Beautiful is better than ugly. +Explicit is better than implicit. +Simple is better than complex. +Complex is better than complicated. +Flat is better than nested. +Sparse is better than dense. +Readability counts. +Special cases aren't special enough to break the rules. +Although practicality beats purity. +Errors should never pass silently. +Unless explicitly silenced. +In the face of ambiguity, refuse the temptation to guess. +There should be one-- and preferably only one --obvious way to do it. +Although that way may not be obvious at first unless you're Dutch. +Now is better than never. +Although never is often better than *right* now. +If the implementation is hard to explain, it's a bad idea. +If the implementation is easy to explain, it may be a good idea. +Namespaces are one honking great idea -- let's do more of those! +""" + +ICON_URL = "https://www.python.org/static/opengraph-icon-200x200.png" +  class Utils(Cog):      """A selection of utilities which don't have a clear category.""" @@ -36,6 +58,10 @@ class Utils(Cog):              await ctx.invoke(self.bot.get_command("help"), "pep")              return +        # Handle PEP 0 directly because it's not in .rst or .txt so it can't be accessed like other PEPs. +        if pep_number == 0: +            return await self.send_pep_zero(ctx) +          possible_extensions = ['.txt', '.rst']          found_pep = False          for extension in possible_extensions: @@ -59,7 +85,7 @@ class Utils(Cog):                      description=f"[Link]({self.base_pep_url}{pep_number:04})",                  ) -                pep_embed.set_thumbnail(url="https://www.python.org/static/opengraph-icon-200x200.png") +                pep_embed.set_thumbnail(url=ICON_URL)                  # Add the interesting information                  fields_to_check = ("Status", "Python-Version", "Created", "Type") @@ -89,7 +115,7 @@ class Utils(Cog):          await ctx.message.channel.send(embed=pep_embed)      @command() -    @in_channel(Channels.bot_commands, bypass_roles=STAFF_ROLES) +    @in_whitelist(channels=(Channels.bot_commands,), roles=STAFF_ROLES)      async def charinfo(self, ctx: Context, *, characters: str) -> None:          """Shows you information on up to 25 unicode characters."""          match = re.match(r"<(a?):(\w+):(\d+)>", characters) @@ -133,45 +159,109 @@ class Utils(Cog):          await ctx.send(embed=embed)      @command() -    @with_role(*MODERATION_ROLES) -    async def mention(self, ctx: Context, *, role: Role) -> None: -        """Set a role to be mentionable for a limited time.""" -        if role.mentionable: -            await ctx.send(f"{role} is already mentionable!") -            return +    async def zen(self, ctx: Context, *, search_value: Union[int, str, None] = None) -> None: +        """ +        Show the Zen of Python. + +        Without any arguments, the full Zen will be produced. +        If an integer is provided, the line with that index will be produced. +        If a string is provided, the line which matches best will be produced. +        """ +        embed = Embed( +            colour=Colour.blurple(), +            title="The Zen of Python", +            description=ZEN_OF_PYTHON +        ) -        await role.edit(reason=f"Role unlocked by {ctx.author}", mentionable=True) +        if search_value is None: +            embed.title += ", by Tim Peters" +            await ctx.send(embed=embed) +            return -        human_time = humanize_delta(relativedelta.relativedelta(seconds=Mention.message_timeout)) -        await ctx.send( -            f"{role} has been made mentionable. I will reset it in {human_time}, or when someone mentions this role." -        ) +        zen_lines = ZEN_OF_PYTHON.splitlines() -        def check(m: Message) -> bool: -            """Checks that the message contains the role mention.""" -            return role in m.role_mentions +        # handle if it's an index int +        if isinstance(search_value, int): +            upper_bound = len(zen_lines) - 1 +            lower_bound = -1 * upper_bound +            if not (lower_bound <= search_value <= upper_bound): +                raise BadArgument(f"Please provide an index between {lower_bound} and {upper_bound}.") -        try: -            msg = await self.bot.wait_for("message", check=check, timeout=Mention.message_timeout) -        except TimeoutError: -            await role.edit(mentionable=False, reason="Automatic role lock - timeout.") -            await ctx.send(f"{ctx.author.mention}, you took too long. I have reset {role} to be unmentionable.") +            embed.title += f" (line {search_value % len(zen_lines)}):" +            embed.description = zen_lines[search_value] +            await ctx.send(embed=embed)              return -        if any(r.id in MODERATION_ROLES for r in msg.author.roles): -            await sleep(Mention.reset_delay) -            await role.edit(mentionable=False, reason=f"Automatic role lock by {msg.author}") -            await ctx.send( -                f"{ctx.author.mention}, I have reset {role} to be unmentionable as " -                f"{msg.author if msg.author != ctx.author else 'you'} sent a message mentioning it." -            ) -            return +        # Try to handle first exact word due difflib.SequenceMatched may use some other similar word instead +        # exact word. +        for i, line in enumerate(zen_lines): +            for word in line.split(): +                if word.lower() == search_value.lower(): +                    embed.title += f" (line {i}):" +                    embed.description = line +                    await ctx.send(embed=embed) +                    return + +        # handle if it's a search string and not exact word +        matcher = difflib.SequenceMatcher(None, search_value.lower()) + +        best_match = "" +        match_index = 0 +        best_ratio = 0 + +        for index, line in enumerate(zen_lines): +            matcher.set_seq2(line.lower()) + +            # the match ratio needs to be adjusted because, naturally, +            # longer lines will have worse ratios than shorter lines when +            # fuzzy searching for keywords. this seems to work okay. +            adjusted_ratio = (len(line) - 5) ** 0.5 * matcher.ratio() + +            if adjusted_ratio > best_ratio: +                best_ratio = adjusted_ratio +                best_match = line +                match_index = index + +        if not best_match: +            raise BadArgument("I didn't get a match! Please try again with a different search term.") + +        embed.title += f" (line {match_index}):" +        embed.description = best_match +        await ctx.send(embed=embed) -        await role.edit(mentionable=False, reason=f"Automatic role lock - unauthorised use by {msg.author}") -        await ctx.send( -            f"{ctx.author.mention}, I have reset {role} to be unmentionable " -            f"as I detected unauthorised use by {msg.author} (ID: {msg.author.id})." +    @command(aliases=("poll",)) +    @with_role(*MODERATION_ROLES) +    async def vote(self, ctx: Context, title: str, *options: str) -> None: +        """ +        Build a quick voting poll with matching reactions with the provided options. + +        A maximum of 20 options can be provided, as Discord supports a max of 20 +        reactions on a single message. +        """ +        if len(options) < 2: +            raise BadArgument("Please provide at least 2 options.") +        if len(options) > 20: +            raise BadArgument("I can only handle 20 options!") + +        codepoint_start = 127462  # represents "regional_indicator_a" unicode value +        options = {chr(i): f"{chr(i)} - {v}" for i, v in enumerate(options, start=codepoint_start)} +        embed = Embed(title=title, description="\n".join(options.values())) +        message = await ctx.send(embed=embed) +        for reaction in options: +            await message.add_reaction(reaction) + +    async def send_pep_zero(self, ctx: Context) -> None: +        """Send information about PEP 0.""" +        pep_embed = Embed( +            title=f"**PEP 0 - Index of Python Enhancement Proposals (PEPs)**", +            description=f"[Link](https://www.python.org/dev/peps/)"          ) +        pep_embed.set_thumbnail(url=ICON_URL) +        pep_embed.add_field(name="Status", value="Active") +        pep_embed.add_field(name="Created", value="13-Jul-2000") +        pep_embed.add_field(name="Type", value="Informational") + +        await ctx.send(embed=pep_embed)  def setup(bot: Bot) -> None: diff --git a/bot/cogs/verification.py b/bot/cogs/verification.py index 57b50c34f..77e8b5706 100644 --- a/bot/cogs/verification.py +++ b/bot/cogs/verification.py @@ -6,14 +6,10 @@ from discord import Colour, Forbidden, Message, NotFound, Object  from discord.ext import tasks  from discord.ext.commands import Cog, Context, command +from bot import constants  from bot.bot import Bot  from bot.cogs.moderation import ModLog -from bot.constants import ( -    Bot as BotConfig, -    Channels, Colours, Event, -    Filter, Icons, MODERATION_ROLES, Roles -) -from bot.decorators import InChannelCheckFailure, in_channel, without_role +from bot.decorators import InWhitelistCheckFailure, in_whitelist, without_role  from bot.utils.checks import without_role_check  log = logging.getLogger(__name__) @@ -29,18 +25,23 @@ your information removed here as well.  Feel free to review them at any point! -Additionally, if you'd like to receive notifications for the announcements we post in <#{Channels.announcements}> \ -from time to time, you can send `!subscribe` to <#{Channels.bot_commands}> at any time to assign yourself the \ -**Announcements** role. We'll mention this role every time we make an announcement. +Additionally, if you'd like to receive notifications for the announcements \ +we post in <#{constants.Channels.announcements}> +from time to time, you can send `!subscribe` to <#{constants.Channels.bot_commands}> at any time \ +to assign yourself the **Announcements** role. We'll mention this role every time we make an announcement.  If you'd like to unsubscribe from the announcement notifications, simply send `!unsubscribe` to \ -<#{Channels.bot_commands}>. +<#{constants.Channels.bot_commands}>.  """ -PERIODIC_PING = ( -    f"@everyone To verify that you have read our rules, please type `{BotConfig.prefix}accept`." -    f" If you encounter any problems during the verification process, ping the <@&{Roles.admins}> role in this channel." -) +if constants.DEBUG_MODE: +    PERIODIC_PING = "Periodic checkpoint message successfully sent." +else: +    PERIODIC_PING = ( +        f"@everyone To verify that you have read our rules, please type `{constants.Bot.prefix}accept`." +        " If you encounter any problems during the verification process, " +        f"send a direct message to a staff member." +    )  BOT_MESSAGE_DELETE_DELAY = 10 @@ -59,7 +60,7 @@ class Verification(Cog):      @Cog.listener()      async def on_message(self, message: Message) -> None:          """Check new message event for messages to the checkpoint channel & process.""" -        if message.channel.id != Channels.verification: +        if message.channel.id != constants.Channels.verification:              return  # Only listen for #checkpoint messages          if message.author.bot: @@ -85,20 +86,19 @@ class Verification(Cog):              # Send pretty mod log embed to mod-alerts              await self.mod_log.send_log_message( -                icon_url=Icons.filtering, -                colour=Colour(Colours.soft_red), +                icon_url=constants.Icons.filtering, +                colour=Colour(constants.Colours.soft_red),                  title=f"User/Role mentioned in {message.channel.name}",                  text=embed_text,                  thumbnail=message.author.avatar_url_as(static_format="png"), -                channel_id=Channels.mod_alerts, -                ping_everyone=Filter.ping_everyone, +                channel_id=constants.Channels.mod_alerts,              )          ctx: Context = await self.bot.get_context(message)          if ctx.command is not None and ctx.command.name == "accept":              return -        if any(r.id == Roles.verified for r in ctx.author.roles): +        if any(r.id == constants.Roles.verified for r in ctx.author.roles):              log.info(                  f"{ctx.author} posted '{ctx.message.content}' "                  "in the verification channel, but is already verified." @@ -120,12 +120,12 @@ class Verification(Cog):              await ctx.message.delete()      @command(name='accept', aliases=('verify', 'verified', 'accepted'), hidden=True) -    @without_role(Roles.verified) -    @in_channel(Channels.verification) +    @without_role(constants.Roles.verified) +    @in_whitelist(channels=(constants.Channels.verification,))      async def accept_command(self, ctx: Context, *_) -> None:  # We don't actually care about the args          """Accept our rules and gain access to the rest of the server."""          log.debug(f"{ctx.author} called !accept. Assigning the 'Developer' role.") -        await ctx.author.add_roles(Object(Roles.verified), reason="Accepted the rules") +        await ctx.author.add_roles(Object(constants.Roles.verified), reason="Accepted the rules")          try:              await ctx.author.send(WELCOME_MESSAGE)          except Forbidden: @@ -133,17 +133,17 @@ class Verification(Cog):          finally:              log.trace(f"Deleting accept message by {ctx.author}.")              with suppress(NotFound): -                self.mod_log.ignore(Event.message_delete, ctx.message.id) +                self.mod_log.ignore(constants.Event.message_delete, ctx.message.id)                  await ctx.message.delete()      @command(name='subscribe') -    @in_channel(Channels.bot_commands) +    @in_whitelist(channels=(constants.Channels.bot_commands,))      async def subscribe_command(self, ctx: Context, *_) -> None:  # We don't actually care about the args          """Subscribe to announcement notifications by assigning yourself the role."""          has_role = False          for role in ctx.author.roles: -            if role.id == Roles.announcements: +            if role.id == constants.Roles.announcements:                  has_role = True                  break @@ -152,22 +152,22 @@ class Verification(Cog):              return          log.debug(f"{ctx.author} called !subscribe. Assigning the 'Announcements' role.") -        await ctx.author.add_roles(Object(Roles.announcements), reason="Subscribed to announcements") +        await ctx.author.add_roles(Object(constants.Roles.announcements), reason="Subscribed to announcements")          log.trace(f"Deleting the message posted by {ctx.author}.")          await ctx.send( -            f"{ctx.author.mention} Subscribed to <#{Channels.announcements}> notifications.", +            f"{ctx.author.mention} Subscribed to <#{constants.Channels.announcements}> notifications.",          )      @command(name='unsubscribe') -    @in_channel(Channels.bot_commands) +    @in_whitelist(channels=(constants.Channels.bot_commands,))      async def unsubscribe_command(self, ctx: Context, *_) -> None:  # We don't actually care about the args          """Unsubscribe from announcement notifications by removing the role from yourself."""          has_role = False          for role in ctx.author.roles: -            if role.id == Roles.announcements: +            if role.id == constants.Roles.announcements:                  has_role = True                  break @@ -176,24 +176,24 @@ class Verification(Cog):              return          log.debug(f"{ctx.author} called !unsubscribe. Removing the 'Announcements' role.") -        await ctx.author.remove_roles(Object(Roles.announcements), reason="Unsubscribed from announcements") +        await ctx.author.remove_roles(Object(constants.Roles.announcements), reason="Unsubscribed from announcements")          log.trace(f"Deleting the message posted by {ctx.author}.")          await ctx.send( -            f"{ctx.author.mention} Unsubscribed from <#{Channels.announcements}> notifications." +            f"{ctx.author.mention} Unsubscribed from <#{constants.Channels.announcements}> notifications."          )      # This cannot be static (must have a __func__ attribute).      async def cog_command_error(self, ctx: Context, error: Exception) -> None: -        """Check for & ignore any InChannelCheckFailure.""" -        if isinstance(error, InChannelCheckFailure): +        """Check for & ignore any InWhitelistCheckFailure.""" +        if isinstance(error, InWhitelistCheckFailure):              error.handled = True      @staticmethod      def bot_check(ctx: Context) -> bool:          """Block any command within the verification channel that is not !accept.""" -        if ctx.channel.id == Channels.verification and without_role_check(ctx, *MODERATION_ROLES): +        if ctx.channel.id == constants.Channels.verification and without_role_check(ctx, *constants.MODERATION_ROLES):              return ctx.command.name == "accept"          else:              return True @@ -201,7 +201,7 @@ class Verification(Cog):      @tasks.loop(hours=12)      async def periodic_ping(self) -> None:          """Every week, mention @everyone to remind them to verify.""" -        messages = self.bot.get_channel(Channels.verification).history(limit=10) +        messages = self.bot.get_channel(constants.Channels.verification).history(limit=10)          need_to_post = True  # True if a new message needs to be sent.          async for message in messages: @@ -215,7 +215,7 @@ class Verification(Cog):                  break          if need_to_post: -            await self.bot.get_channel(Channels.verification).send(PERIODIC_PING) +            await self.bot.get_channel(constants.Channels.verification).send(PERIODIC_PING)      @periodic_ping.before_loop      async def before_ping(self) -> None: diff --git a/bot/cogs/watchchannels/bigbrother.py b/bot/cogs/watchchannels/bigbrother.py index c601e0d4d..903c87f85 100644 --- a/bot/cogs/watchchannels/bigbrother.py +++ b/bot/cogs/watchchannels/bigbrother.py @@ -52,6 +52,21 @@ class BigBrother(WatchChannel, Cog, name="Big Brother"):          A `reason` for adding the user to Big Brother is required and will be displayed          in the header when relaying messages of this user to the watchchannel.          """ +        await self.apply_watch(ctx, user, reason) + +    @bigbrother_group.command(name='unwatch', aliases=('uw',)) +    @with_role(*MODERATION_ROLES) +    async def unwatch_command(self, ctx: Context, user: FetchedMember, *, reason: str) -> None: +        """Stop relaying messages by the given `user`.""" +        await self.apply_unwatch(ctx, user, reason) + +    async def apply_watch(self, ctx: Context, user: FetchedMember, reason: str) -> None: +        """ +        Add `user` to watched users and apply a watch infraction with `reason`. + +        A message indicating the result of the operation is sent to `ctx`. +        The message will include `user`'s previous watch infraction history, if it exists. +        """          if user.bot:              await ctx.send(f":x: I'm sorry {ctx.author}, I'm afraid I can't do that. I only watch humans.")              return @@ -90,10 +105,13 @@ class BigBrother(WatchChannel, Cog, name="Big Brother"):          await ctx.send(msg) -    @bigbrother_group.command(name='unwatch', aliases=('uw',)) -    @with_role(*MODERATION_ROLES) -    async def unwatch_command(self, ctx: Context, user: FetchedMember, *, reason: str) -> None: -        """Stop relaying messages by the given `user`.""" +    async def apply_unwatch(self, ctx: Context, user: FetchedMember, reason: str, send_message: bool = True) -> None: +        """ +        Remove `user` from watched users and mark their infraction as inactive with `reason`. + +        If `send_message` is True, a message indicating the result of the operation is sent to +        `ctx`. +        """          active_watches = await self.bot.api_client.get(              self.api_endpoint,              params=ChainMap( @@ -102,6 +120,7 @@ class BigBrother(WatchChannel, Cog, name="Big Brother"):              )          )          if active_watches: +            log.trace("Active watches for user found.  Attempting to remove.")              [infraction] = active_watches              await self.bot.api_client.patch( @@ -111,8 +130,20 @@ class BigBrother(WatchChannel, Cog, name="Big Brother"):              await post_infraction(ctx, user, 'watch', f"Unwatched: {reason}", hidden=True, active=False) -            await ctx.send(f":white_check_mark: Messages sent by {user} will no longer be relayed.") -              self._remove_user(user.id) + +            if not send_message:  # Prevents a message being sent to the channel if part of a permanent ban +                log.debug(f"Perma-banned user {user} was unwatched.") +                return +            log.trace("User is not banned.  Sending message to channel") +            message = f":white_check_mark: Messages sent by {user} will no longer be relayed." +          else: -            await ctx.send(":x: The specified user is currently not being watched.") +            log.trace("No active watches found for user.") +            if not send_message:  # Prevents a message being sent to the channel if part of a permanent ban +                log.debug(f"{user} was not on the watch list; no removal necessary.") +                return +            log.trace("User is not perma banned. Send the error message.") +            message = ":x: The specified user is currently not being watched." + +        await ctx.send(message) diff --git a/bot/cogs/watchchannels/watchchannel.py b/bot/cogs/watchchannels/watchchannel.py index 3667a80e8..479820444 100644 --- a/bot/cogs/watchchannels/watchchannel.py +++ b/bot/cogs/watchchannels/watchchannel.py @@ -9,7 +9,7 @@ from typing import Optional  import dateutil.parser  import discord -from discord import Color, Embed, HTTPException, Message, errors +from discord import Color, DMChannel, Embed, HTTPException, Message, errors  from discord.ext.commands import Cog, Context  from bot.api import ResponseCodeError @@ -273,7 +273,14 @@ class WatchChannel(metaclass=CogABCMeta):          reason = self.watched_users[user_id]['reason'] -        embed = Embed(description=f"{msg.author.mention} in [#{msg.channel.name}]({msg.jump_url})") +        if isinstance(msg.channel, DMChannel): +            # If a watched user DMs the bot there won't be a channel name or jump URL +            # This could technically include a GroupChannel but bot's can't be in those +            message_jump = "via DM" +        else: +            message_jump = f"in [#{msg.channel.name}]({msg.jump_url})" + +        embed = Embed(description=f"{msg.author.mention} {message_jump}")          embed.set_footer(text=f"Added {time_delta} by {actor} | Reason: {reason}")          await self.webhook_send(embed=embed, username=msg.author.display_name, avatar_url=msg.author.avatar_url) diff --git a/bot/cogs/webhook_remover.py b/bot/cogs/webhook_remover.py new file mode 100644 index 000000000..1b5c3f821 --- /dev/null +++ b/bot/cogs/webhook_remover.py @@ -0,0 +1,74 @@ +import logging +import re + +from discord import Colour, Message +from discord.ext.commands import Cog + +from bot.bot import Bot +from bot.cogs.moderation.modlog import ModLog +from bot.constants import Channels, Colours, Event, Icons + +WEBHOOK_URL_RE = re.compile(r"((?:https?://)?discordapp\.com/api/webhooks/\d+/)\S+/?", re.I) + +ALERT_MESSAGE_TEMPLATE = ( +    "{user}, looks like you posted a Discord webhook URL. Therefore, your " +    "message has been removed. Your webhook may have been **compromised** so " +    "please re-create the webhook **immediately**. If you believe this was " +    "mistake, please let us know." +) + +log = logging.getLogger(__name__) + + +class WebhookRemover(Cog): +    """Scan messages to detect Discord webhooks links.""" + +    def __init__(self, bot: Bot): +        self.bot = bot + +    @property +    def mod_log(self) -> ModLog: +        """Get current instance of `ModLog`.""" +        return self.bot.get_cog("ModLog") + +    async def delete_and_respond(self, msg: Message, redacted_url: str) -> None: +        """Delete `msg` and send a warning that it contained the Discord webhook `redacted_url`.""" +        # Don't log this, due internal delete, not by user. Will make different entry. +        self.mod_log.ignore(Event.message_delete, msg.id) +        await msg.delete() +        await msg.channel.send(ALERT_MESSAGE_TEMPLATE.format(user=msg.author.mention)) + +        message = ( +            f"{msg.author} (`{msg.author.id}`) posted a Discord webhook URL " +            f"to #{msg.channel}. Webhook URL was `{redacted_url}`" +        ) +        log.debug(message) + +        # Send entry to moderation alerts. +        await self.mod_log.send_log_message( +            icon_url=Icons.token_removed, +            colour=Colour(Colours.soft_red), +            title="Discord webhook URL removed!", +            text=message, +            thumbnail=msg.author.avatar_url_as(static_format="png"), +            channel_id=Channels.mod_alerts +        ) + +        self.bot.stats.incr("tokens.removed_webhooks") + +    @Cog.listener() +    async def on_message(self, msg: Message) -> None: +        """Check if a Discord webhook URL is in `message`.""" +        matches = WEBHOOK_URL_RE.search(msg.content) +        if matches: +            await self.delete_and_respond(msg, matches[1] + "xxx") + +    @Cog.listener() +    async def on_message_edit(self, before: Message, after: Message) -> None: +        """Check if a Discord webhook URL is in the edited message `after`.""" +        await self.on_message(after) + + +def setup(bot: Bot) -> None: +    """Load `WebhookRemover` cog.""" +    bot.add_cog(WebhookRemover(bot)) diff --git a/bot/constants.py b/bot/constants.py index 14f8dc094..fd280e9de 100644 --- a/bot/constants.py +++ b/bot/constants.py @@ -206,9 +206,8 @@ class Filter(metaclass=YAMLGetter):      filter_zalgo: bool      filter_invites: bool      filter_domains: bool +    watch_regex: bool      watch_rich_embeds: bool -    watch_words: bool -    watch_tokens: bool      # Notifications are not expected for "watchlist" type filters      notify_user_zalgo: bool @@ -351,12 +350,21 @@ class CleanMessages(metaclass=YAMLGetter):      message_limit: int +class Stats(metaclass=YAMLGetter): +    section = "bot" +    subsection = "stats" + +    presence_update_timeout: int +    statsd_host: str +  class Categories(metaclass=YAMLGetter):      section = "guild"      subsection = "categories" -    python_help: int +    help_available: int +    help_in_use: int +    help_dormant: int  class Channels(metaclass=YAMLGetter): @@ -374,15 +382,8 @@ class Channels(metaclass=YAMLGetter):      dev_core: int      dev_log: int      esoteric: int -    help_0: int -    help_1: int -    help_2: int -    help_3: int -    help_4: int -    help_5: int -    help_6: int -    help_7: int      helpers: int +    how_to_get_help: int      message_log: int      meta: int      mod_alerts: int @@ -421,6 +422,7 @@ class Roles(metaclass=YAMLGetter):      announcements: int      contributors: int      core_developers: int +    help_cooldown: int      helpers: int      jammers: int      moderators: int @@ -532,11 +534,20 @@ class Free(metaclass=YAMLGetter):      cooldown_per: float -class Mention(metaclass=YAMLGetter): -    section = 'mention' +class HelpChannels(metaclass=YAMLGetter): +    section = 'help_channels' -    message_timeout: int -    reset_delay: int +    enable: bool +    claim_minutes: int +    cmd_whitelist: List[int] +    idle_minutes: int +    max_available: int +    max_total_channels: int +    name_prefix: str +    notify: bool +    notify_channel: int +    notify_minutes: int +    notify_roles: List[int]  class RedirectOutput(metaclass=YAMLGetter): @@ -553,6 +564,14 @@ class Sync(metaclass=YAMLGetter):      max_diff: int +class PythonNews(metaclass=YAMLGetter): +    section = 'python_news' + +    mail_lists: List[str] +    channel: int +    webhook: int + +  class Event(Enum):      """      Event names. This does not include every event (for example, raw diff --git a/bot/converters.py b/bot/converters.py index 1945e1da3..72c46fdf0 100644 --- a/bot/converters.py +++ b/bot/converters.py @@ -262,6 +262,34 @@ class ISODateTime(Converter):          return dt +class HushDurationConverter(Converter): +    """Convert passed duration to `int` minutes or `None`.""" + +    MINUTES_RE = re.compile(r"(\d+)(?:M|m|$)") + +    async def convert(self, ctx: Context, argument: str) -> t.Optional[int]: +        """ +        Convert `argument` to a duration that's max 15 minutes or None. + +        If `"forever"` is passed, None is returned; otherwise an int of the extracted time. +        Accepted formats are: +        * <duration>, +        * <duration>m, +        * <duration>M, +        * forever. +        """ +        if argument == "forever": +            return None +        match = self.MINUTES_RE.match(argument) +        if not match: +            raise BadArgument(f"{argument} is not a valid minutes duration.") + +        duration = int(match.group(1)) +        if duration > 15: +            raise BadArgument("Duration must be at most 15 minutes.") +        return duration + +  def proxy_user(user_id: str) -> discord.Object:      """      Create a proxy user object from the given id. @@ -323,7 +351,7 @@ class FetchedUser(UserConverter):          except discord.HTTPException as e:              # If the Discord error isn't `Unknown user`, return a proxy instead              if e.code != 10013: -                log.warning(f"Failed to fetch user, returning a proxy instead: status {e.status}") +                log.info(f"Failed to fetch user, returning a proxy instead: status {e.status}")                  return proxy_user(arg)              log.debug(f"Failed to fetch user {arg}: user does not exist.") diff --git a/bot/decorators.py b/bot/decorators.py index 2d18eaa6a..2ee5879f2 100644 --- a/bot/decorators.py +++ b/bot/decorators.py @@ -3,7 +3,7 @@ import random  from asyncio import Lock, sleep  from contextlib import suppress  from functools import wraps -from typing import Callable, Container, Union +from typing import Callable, Container, Optional, Union  from weakref import WeakValueDictionary  from discord import Colour, Embed, Member @@ -11,54 +11,79 @@ from discord.errors import NotFound  from discord.ext import commands  from discord.ext.commands import CheckFailure, Cog, Context -from bot.constants import ERROR_REPLIES, RedirectOutput +from bot.constants import Channels, ERROR_REPLIES, RedirectOutput  from bot.utils.checks import with_role_check, without_role_check  log = logging.getLogger(__name__) -class InChannelCheckFailure(CheckFailure): -    """Raised when a check fails for a message being sent in a whitelisted channel.""" +class InWhitelistCheckFailure(CheckFailure): +    """Raised when the `in_whitelist` check fails.""" -    def __init__(self, *channels: int): -        self.channels = channels -        channels_str = ', '.join(f"<#{c_id}>" for c_id in channels) +    def __init__(self, redirect_channel: Optional[int]) -> None: +        self.redirect_channel = redirect_channel -        super().__init__(f"Sorry, but you may only use this command within {channels_str}.") +        if redirect_channel: +            redirect_message = f" here. Please use the <#{redirect_channel}> channel instead" +        else: +            redirect_message = "" +        error_message = f"You are not allowed to use that command{redirect_message}." + +        super().__init__(error_message) + + +def in_whitelist( +    *, +    channels: Container[int] = (), +    categories: Container[int] = (), +    roles: Container[int] = (), +    redirect: Optional[int] = Channels.bot_commands, -def in_channel( -    *channels: int, -    hidden_channels: Container[int] = None, -    bypass_roles: Container[int] = None  ) -> Callable:      """ -    Checks that the message is in a whitelisted channel or optionally has a bypass role. +    Check if a command was issued in a whitelisted context. + +    The whitelists that can be provided are: -    Hidden channels are channels which will not be displayed in the InChannelCheckFailure error -    message. +    - `channels`: a container with channel ids for whitelisted channels +    - `categories`: a container with category ids for whitelisted categories +    - `roles`: a container with with role ids for whitelisted roles + +    If the command was invoked in a context that was not whitelisted, the member is either +    redirected to the `redirect` channel that was passed (default: #bot-commands) or simply +    told that they're not allowed to use this particular command (if `None` was passed).      """ -    hidden_channels = hidden_channels or [] -    bypass_roles = bypass_roles or [] +    if redirect and redirect not in channels: +        # It does not make sense for the channel whitelist to not contain the redirection +        # channel (if applicable). That's why we add the redirection channel to the `channels` +        # container if it's not already in it. As we allow any container type to be passed, +        # we first create a tuple in order to safely add the redirection channel. +        # +        # Note: It's possible for the redirect channel to be in a whitelisted category, but +        # there's no easy way to check that and as a channel can easily be moved in and out of +        # categories, it's probably not wise to rely on its category in any case. +        channels = tuple(channels) + (redirect,)      def predicate(ctx: Context) -> bool: -        """In-channel checker predicate.""" -        if ctx.channel.id in channels or ctx.channel.id in hidden_channels: -            log.debug(f"{ctx.author} tried to call the '{ctx.command.name}' command. " -                      f"The command was used in a whitelisted channel.") +        """Check if a command was issued in a whitelisted context.""" +        if channels and ctx.channel.id in channels: +            log.trace(f"{ctx.author} may use the `{ctx.command.name}` command as they are in a whitelisted channel.")              return True -        if bypass_roles: -            if any(r.id in bypass_roles for r in ctx.author.roles): -                log.debug(f"{ctx.author} tried to call the '{ctx.command.name}' command. " -                          f"The command was not used in a whitelisted channel, " -                          f"but the author had a role to bypass the in_channel check.") -                return True +        # Only check the category id if we have a category whitelist and the channel has a `category_id` +        if categories and hasattr(ctx.channel, "category_id") and ctx.channel.category_id in categories: +            log.trace(f"{ctx.author} may use the `{ctx.command.name}` command as they are in a whitelisted category.") +            return True -        log.debug(f"{ctx.author} tried to call the '{ctx.command.name}' command. " -                  f"The in_channel check failed.") +        # Only check the roles whitelist if we have one and ensure the author's roles attribute returns +        # an iterable to prevent breakage in DM channels (for if we ever decide to enable commands there). +        if roles and any(r.id in roles for r in getattr(ctx.author, "roles", ())): +            log.trace(f"{ctx.author} may use the `{ctx.command.name}` command as they have a whitelisted role.") +            return True -        raise InChannelCheckFailure(*channels) +        log.trace(f"{ctx.author} may not use the `{ctx.command.name}` command within this context.") +        raise InWhitelistCheckFailure(redirect)      return commands.check(predicate) diff --git a/bot/resources/elements.json b/bot/resources/elements.json new file mode 100644 index 000000000..2dc9b6fd6 --- /dev/null +++ b/bot/resources/elements.json @@ -0,0 +1,120 @@ +[ +    "hydrogen", +    "helium", +    "lithium", +    "beryllium", +    "boron", +    "carbon", +    "nitrogen", +    "oxygen", +    "fluorine", +    "neon", +    "sodium", +    "magnesium", +    "aluminium", +    "silicon", +    "phosphorus", +    "sulfur", +    "chlorine", +    "argon", +    "potassium", +    "calcium", +    "scandium", +    "titanium", +    "vanadium", +    "chromium", +    "manganese", +    "iron", +    "cobalt", +    "nickel", +    "copper", +    "zinc", +    "gallium", +    "germanium", +    "arsenic", +    "selenium", +    "bromine", +    "krypton", +    "rubidium", +    "strontium", +    "yttrium", +    "zirconium", +    "niobium", +    "molybdenum", +    "technetium", +    "ruthenium", +    "rhodium", +    "palladium", +    "silver", +    "cadmium", +    "indium", +    "tin", +    "antimony", +    "tellurium", +    "iodine", +    "xenon", +    "caesium", +    "barium", +    "lanthanum", +    "cerium", +    "praseodymium", +    "neodymium", +    "promethium", +    "samarium", +    "europium", +    "gadolinium", +    "terbium", +    "dysprosium", +    "holmium", +    "erbium", +    "thulium", +    "ytterbium", +    "lutetium", +    "hafnium", +    "tantalum", +    "tungsten", +    "rhenium", +    "osmium", +    "iridium", +    "platinum", +    "gold", +    "mercury", +    "thallium", +    "lead", +    "bismuth", +    "polonium", +    "astatine", +    "radon", +    "francium", +    "radium", +    "actinium", +    "thorium", +    "protactinium", +    "uranium", +    "neptunium", +    "plutonium", +    "americium", +    "curium", +    "berkelium", +    "californium", +    "einsteinium", +    "fermium", +    "mendelevium", +    "nobelium", +    "lawrencium", +    "rutherfordium", +    "dubnium", +    "seaborgium", +    "bohrium", +    "hassium", +    "meitnerium", +    "darmstadtium", +    "roentgenium", +    "copernicium", +    "nihonium", +    "flerovium", +    "moscovium", +    "livermorium", +    "tennessine", +    "oganesson" +] diff --git a/bot/resources/tags/args-kwargs.md b/bot/resources/tags/args-kwargs.md new file mode 100644 index 000000000..b440a2346 --- /dev/null +++ b/bot/resources/tags/args-kwargs.md @@ -0,0 +1,17 @@ +`*args` and `**kwargs` + +These special parameters allow functions to take arbitrary amounts of positional and keyword arguments. The names `args` and `kwargs` are purely convention, and could be named any other valid variable name. The special functionality comes from the single and double asterisks (`*`). If both are used in a function signature, `*args` **must** appear before `**kwargs`. + +**Single asterisk** +`*args` will ingest an arbitrary amount of **positional arguments**, and store it in a tuple. If there are parameters after `*args` in the parameter list with no default value, they will become **required** keyword arguments by default. + +**Double asterisk** +`**kwargs` will ingest an arbitrary amount of **keyword arguments**, and store it in a dictionary. There can be **no** additional parameters **after** `**kwargs` in the parameter list. + +**Use cases**   +• **Decorators** (see `!tags decorators`)   +• **Inheritance** (overriding methods)   +• **Future proofing** (in the case of the first two bullet points, if the parameters change, your code won't break)   +• **Flexibility** (writing functions that behave like `dict()` or `print()`)   + +*See* `!tags positional-keyword` *for information about positional and keyword arguments* diff --git a/bot/resources/tags/ask.md b/bot/resources/tags/ask.md new file mode 100644 index 000000000..e2c2a88f6 --- /dev/null +++ b/bot/resources/tags/ask.md @@ -0,0 +1,9 @@ +Asking good questions will yield a much higher chance of a quick response: + +• Don't ask to ask your question, just go ahead and tell us your problem.   +• Don't ask if anyone is knowledgeable in some area, filtering serves no purpose.   +• Try to solve the problem on your own first, we're not going to write code for you.   +• Show us the code you've tried and any errors or unexpected results it's giving.   +• Be patient while we're helping you. + +You can find a much more detailed explanation [on our website](https://pythondiscord.com/pages/asking-good-questions/). diff --git a/bot/resources/tags/class.md b/bot/resources/tags/class.md new file mode 100644 index 000000000..4f73fc974 --- /dev/null +++ b/bot/resources/tags/class.md @@ -0,0 +1,25 @@ +**Classes** + +Classes are used to create objects that have specific behavior. + +Every object in python has a class, including `list`s, `dict`ionaries and even numbers. Using a class to group code and data like this is the foundation of Object Oriented Programming. Classes allow you to expose a simple, consistent interface while hiding the more complicated details. This simplifies the rest of your program and makes it easier to separately maintain and debug each component. + +Here is an example class: + +```python +class Foo: +    def __init__(self, somedata): +        self.my_attrib = somedata + +    def show(self): +        print(self.my_attrib) +``` + +To use a class, you need to instantiate it. The following creates a new object named `bar`, with `Foo` as its class. + +```python +bar = Foo('data') +bar.show() +``` + +We can access any of `Foo`'s methods via `bar.my_method()`, and access any of `bar`s data via `bar.my_attribute`. diff --git a/bot/resources/tags/classmethod.md b/bot/resources/tags/classmethod.md new file mode 100644 index 000000000..a4e803093 --- /dev/null +++ b/bot/resources/tags/classmethod.md @@ -0,0 +1,20 @@ +Although most methods are tied to an _object instance_, it can sometimes be useful to create a method that does something with _the class itself_. To achieve this in Python, you can use the `@classmethod` decorator. This is often used to provide alternative constructors for a class. + +For example, you may be writing a class that takes some magic token (like an API key) as a constructor argument, but you sometimes read this token from a configuration file. You could make use of a `@classmethod` to create an alternate constructor for when you want to read from the configuration file. +```py +class Bot: +    def __init__(self, token: str): +        self._token = token   + +    @classmethod +    def from_config(cls, config: dict) -> Bot: +        token = config['token'] +        return cls(token) + +# now we can create the bot instance like this +alternative_bot = Bot.from_config(default_config) + +# but this still works, too +regular_bot = Bot("tokenstring") +``` +This is just one of the many use cases of `@classmethod`. A more in-depth explanation can be found [here](https://stackoverflow.com/questions/12179271/meaning-of-classmethod-and-staticmethod-for-beginner#12179752). diff --git a/bot/resources/tags/codeblock.md b/bot/resources/tags/codeblock.md new file mode 100644 index 000000000..a28ae397b --- /dev/null +++ b/bot/resources/tags/codeblock.md @@ -0,0 +1,17 @@ +Discord has support for Markdown, which allows you to post code with full syntax highlighting. Please use these whenever you paste code, as this helps improve the legibility and makes it easier for us to help you. + +To do this, use the following method: + +\```python +print('Hello world!') +\``` + +Note:   +• **These are backticks, not quotes.** Backticks can usually be found on the tilde key.   +• You can also use py as the language instead of python   +• The language must be on the first line next to the backticks with **no** space between them   + +This will result in the following: +```py +print('Hello world!') +``` diff --git a/bot/resources/tags/decorators.md b/bot/resources/tags/decorators.md new file mode 100644 index 000000000..39c943f0a --- /dev/null +++ b/bot/resources/tags/decorators.md @@ -0,0 +1,31 @@ +**Decorators** + +A decorator is a function that modifies another function. + +Consider the following example of a timer decorator: +```py +>>> import time +>>> def timer(f): +...     def inner(*args, **kwargs): +...         start = time.time() +...         result = f(*args, **kwargs) +...         print('Time elapsed:', time.time() - start) +...         return result +...     return inner +... +>>> @timer +... def slow(delay=1): +...     time.sleep(delay) +...     return 'Finished!' +... +>>> print(slow()) +Time elapsed: 1.0011568069458008 +Finished! +>>> print(slow(3)) +Time elapsed: 3.000307321548462 +Finished! +``` + +More information:   +• [Corey Schafer's video on decorators](https://youtu.be/FsAPt_9Bf3U)   +• [Real python article](https://realpython.com/primer-on-python-decorators/)   diff --git a/bot/resources/tags/dictcomps.md b/bot/resources/tags/dictcomps.md new file mode 100644 index 000000000..11867d77b --- /dev/null +++ b/bot/resources/tags/dictcomps.md @@ -0,0 +1,20 @@ +**Dictionary Comprehensions** + +Like lists, there is a convenient way of creating dictionaries: +```py +>>> ftoc = {f: round((5/9)*(f-32)) for f in range(-40,101,20)} +>>> print(ftoc) +{-40: -40, -20: -29, 0: -18, 20: -7, 40: 4, 60: 16, 80: 27, 100: 38} +``` +In the example above, I created a dictionary of temperatures in Fahrenheit, that are mapped to (*roughly*) their Celsius counterpart within a small range. These comprehensions are useful for succinctly creating dictionaries from some other sequence. + +They are also very useful for inverting the key value pairs of a dictionary that already exists, such that the value in the old dictionary is now the key, and the corresponding key is now its value: +```py +>>> ctof = {v:k for k, v in ftoc.items()} +>>> print(ctof) +{-40: -40, -29: -20, -18: 0, -7: 20, 4: 40, 16: 60, 27: 80, 38: 100} +``` + +Also like list comprehensions, you can add a conditional to it in order to filter out items you don't want. + +For more information and examples, check [PEP 274](https://www.python.org/dev/peps/pep-0274/) diff --git a/bot/resources/tags/enumerate.md b/bot/resources/tags/enumerate.md new file mode 100644 index 000000000..dd984af52 --- /dev/null +++ b/bot/resources/tags/enumerate.md @@ -0,0 +1,13 @@ +Ever find yourself in need of the current iteration number of your `for` loop? You should use **enumerate**! Using `enumerate`, you can turn code that looks like this: +```py +index = 0 +for item in my_list: +    print(f"{index}: {item}") +    index += 1 +``` +into beautiful, _pythonic_ code: +```py +for index, item in enumerate(my_list): +    print(f"{index}: {item}") +``` +For more information, check out [the official docs](https://docs.python.org/3/library/functions.html#enumerate), or [PEP 279](https://www.python.org/dev/peps/pep-0279/). diff --git a/bot/resources/tags/except.md b/bot/resources/tags/except.md new file mode 100644 index 000000000..8f0abf156 --- /dev/null +++ b/bot/resources/tags/except.md @@ -0,0 +1,17 @@ +A key part of the Python philosophy is to ask for forgiveness, not permission. This means that it's okay to write code that may produce an error, as long as you specify how that error should be handled. Code written this way is readable and resilient. +```py +try: +    number = int(user_input) +except ValueError: +    print("failed to convert user_input to a number. setting number to 0.") +    number = 0 +``` +You should always specify the exception type if it is possible to do so, and your `try` block should be as short as possible. Attempting to handle broad categories of unexpected exceptions can silently hide serious problems. +```py +try: +    number = int(user_input) +    item = some_list[number] +except: +    print("An exception was raised, but we have no idea if it was a ValueError or an IndexError.") +``` +For more information about exception handling, see [the official Python docs](https://docs.python.org/3/tutorial/errors.html), or watch [Corey Schafer's video on exception handling](https://www.youtube.com/watch?v=NIWwJbo-9_8). diff --git a/bot/resources/tags/exit().md b/bot/resources/tags/exit().md new file mode 100644 index 000000000..27da9f866 --- /dev/null +++ b/bot/resources/tags/exit().md @@ -0,0 +1,8 @@ +**Exiting Programmatically** + +If you want to exit your code programmatically, you might think to use the functions `exit()` or `quit()`, however this is bad practice. These functions are constants added by the [`site`](https://docs.python.org/3/library/site.html#module-site) module as a convenient method for exiting the interactive interpreter shell, and should not be used in programs. + +You should use either [`SystemExit`](https://docs.python.org/3/library/exceptions.html#SystemExit) or [`sys.exit()`](https://docs.python.org/3/library/sys.html#sys.exit) instead. +There's not much practical difference between these two other than having to `import sys` for the latter. Both take an optional argument to provide an exit status. + +[Official documentation](https://docs.python.org/3/library/constants.html#exit) with the warning not to use `exit()` or `quit()` in source code. diff --git a/bot/resources/tags/f-strings.md b/bot/resources/tags/f-strings.md new file mode 100644 index 000000000..69bc82487 --- /dev/null +++ b/bot/resources/tags/f-strings.md @@ -0,0 +1,17 @@ +In Python, there are several ways to do string interpolation, including using `%s`\'s and by using the `+` operator to concatenate strings together. However, because some of these methods offer poor readability and require typecasting to prevent errors, you should for the most part be using a feature called format strings. + +**In Python 3.6 or later, we can use f-strings like this:** +```py +snake = "Pythons" +print(f"{snake} are some of the largest snakes in the world") +``` +**In earlier versions of Python or in projects where backwards compatibility is very important, use  str.format() like this:** +```py +snake = "Pythons" + +# With str.format() you can either use indexes +print("{0} are some of the largest snakes in the world".format(snake)) + +# Or keyword arguments +print("{family} are some of the largest snakes in the world".format(family=snake)) +``` diff --git a/bot/resources/tags/foo.md b/bot/resources/tags/foo.md new file mode 100644 index 000000000..98529bfc0 --- /dev/null +++ b/bot/resources/tags/foo.md @@ -0,0 +1,10 @@ +**Metasyntactic variables** + +A specific word or set of words identified as a placeholder used in programming. They are used to name entities such as variables, functions, etc, whose exact identity is unimportant and serve only to demonstrate a concept, which is useful for teaching programming. + +Common examples include `foobar`, `foo`, `bar`, `baz`, and `qux`. +Python has its own metasyntactic variables, namely `spam`, `eggs`, and `bacon`. This is a reference to a [Monty Python](https://en.wikipedia.org/wiki/Monty_Python) sketch (the eponym of the language). + +More information:   +• [History of foobar](https://en.wikipedia.org/wiki/Foobar)   +• [Monty Python sketch](https://en.wikipedia.org/wiki/Spam_%28Monty_Python%29) diff --git a/bot/resources/tags/free.md b/bot/resources/tags/free.md new file mode 100644 index 000000000..582cca9da --- /dev/null +++ b/bot/resources/tags/free.md @@ -0,0 +1,5 @@ +**We have a new help channel system!** + +We recently moved to a new help channel system. You can now use any channel in the **<#691405807388196926>** category to ask your question. + +For more information, check out [our website](https://pythondiscord.com/pages/resources/guides/help-channels/). diff --git a/bot/resources/tags/functions-are-objects.md b/bot/resources/tags/functions-are-objects.md new file mode 100644 index 000000000..01af7a721 --- /dev/null +++ b/bot/resources/tags/functions-are-objects.md @@ -0,0 +1,39 @@ +**Calling vs. Referencing functions** + +When assigning a new name to a function, storing it in a container, or passing it as an argument, a common mistake made is to call the function. Instead of getting the actual function, you'll get its return value. + +In Python you can treat function names just like any other variable. Assume there was a function called `now` that returns the current time. If you did `x = now()`, the current time would be assigned to `x`, but if you did `x = now`, the function `now` itself would be assigned to `x`. `x` and `now` would both equally reference the function. + +**Examples** +```py +# assigning new name + +def foo(): +    return 'bar' + +def spam(): +    return 'eggs' + +baz = foo +baz() # returns 'bar' + +ham = spam +ham() # returns 'eggs' +``` +```py +# storing in container + +import math +functions = [math.sqrt, math.factorial, math.log] +functions[0](25) # returns 5.0 +# the above equivalent to math.sqrt(25) +``` +```py +# passing as argument + +class C: +    builtin_open = staticmethod(open) + +# open function is passed +# to the staticmethod class +``` diff --git a/bot/resources/tags/global.md b/bot/resources/tags/global.md new file mode 100644 index 000000000..64c316b62 --- /dev/null +++ b/bot/resources/tags/global.md @@ -0,0 +1,16 @@ +When adding functions or classes to a program, it can be tempting to reference inaccessible variables by declaring them as global. Doing this can result in code that is harder to read, debug and test. Instead of using globals, pass variables or objects as parameters and receive return values. + +Instead of writing +```py +def update_score(): +    global score, roll +    score = score + roll +update_score() +``` +do this instead +```py +def update_score(score, roll): +    return score + roll +score = update_score(score, roll) +``` +For in-depth explanations on why global variables are bad news in a variety of situations, see [this Stack Overflow answer](https://stackoverflow.com/questions/19158339/why-are-global-variables-evil/19158418#19158418). diff --git a/bot/resources/tags/if-name-main.md b/bot/resources/tags/if-name-main.md new file mode 100644 index 000000000..9d88bb897 --- /dev/null +++ b/bot/resources/tags/if-name-main.md @@ -0,0 +1,26 @@ +`if __name__ == '__main__'` + +This is a statement that is only true if the module (your source code) it appears in is being run directly, as opposed to being imported into another module.  When you run your module, the `__name__` special variable is automatically set to the string `'__main__'`. Conversely, when you import that same module into a different one, and run that, `__name__` is instead set to the filename of your module minus the `.py` extension. + +**Example** +```py +# foo.py + +print('spam') + +if __name__ == '__main__': +    print('eggs') +``` +If you run the above module `foo.py` directly, both `'spam'`and `'eggs'` will be printed. Now consider this next example: +```py +# bar.py + +import foo +``` +If you run this module named `bar.py`, it will execute the code in `foo.py`. First it will print `'spam'`, and then the `if` statement will fail, because `__name__` will now be the string `'foo'`. + +**Why would I do this?** + +• Your module is a library, but also has a special case where it can be run directly +• Your module is a library and you want to safeguard it against people running it directly (like what `pip` does) +• Your module is the main program, but has unit tests and the testing framework works by importing your module, and you want to avoid having your main code run during the test diff --git a/bot/resources/tags/indent.md b/bot/resources/tags/indent.md new file mode 100644 index 000000000..dec8407b0 --- /dev/null +++ b/bot/resources/tags/indent.md @@ -0,0 +1,24 @@ +**Indentation** + +Indentation is leading whitespace (spaces and tabs) at the beginning of a line of code. In the case of Python, they are used to determine the grouping of statements. + +Spaces should be preferred over tabs. To be clear, this is in reference to the character itself, not the keys on a keyboard. Your editor/IDE should be configured to insert spaces when the TAB key is pressed. The amount of spaces should be a multiple of 4, except optionally in the case of continuation lines. + +**Example** +```py +def foo(): +    bar = 'baz'  # indented one level +    if bar == 'baz': +        print('ham')  # indented two levels +    return bar  # indented one level +``` +The first line is not indented. The next two lines are indented to be inside of the function definition. They will only run when the function is called. The fourth line is indented to be inside the `if` statement, and will only run if the `if` statement evaluates to `True`. The fifth and last line is like the 2nd and 3rd and will always run when the function is called. It effectively closes the `if` statement above as no more lines can be inside the `if` statement below that line. + +**Indentation is used after:** +**1.** [Compound statements](https://docs.python.org/3/reference/compound_stmts.html) (eg. `if`, `while`, `for`, `try`, `with`, `def`, `class`, and their counterparts) +**2.** [Continuation lines](https://www.python.org/dev/peps/pep-0008/#indentation) + +**More Info** +**1.** [Indentation style guide](https://www.python.org/dev/peps/pep-0008/#indentation) +**2.** [Tabs or Spaces?](https://www.python.org/dev/peps/pep-0008/#tabs-or-spaces) +**3.** [Official docs on indentation](https://docs.python.org/3/reference/lexical_analysis.html#indentation) diff --git a/bot/resources/tags/inline.md b/bot/resources/tags/inline.md new file mode 100644 index 000000000..a6a7c35d6 --- /dev/null +++ b/bot/resources/tags/inline.md @@ -0,0 +1,16 @@ +**Inline codeblocks** + +In addition to multi-line codeblocks, discord has support for inline codeblocks as well. These are small codeblocks that are usually a single line, that can fit between non-codeblocks on the same line. + +The following is an example of how it's done: + +The \`\_\_init\_\_\` method customizes the newly created instance. + +And results in the following: + +The `__init__` method customizes the newly created instance. + +**Note:**   +• These are **backticks** not quotes   +• Avoid using them for multiple lines   +• Useful for negating formatting you don't want diff --git a/bot/resources/tags/iterate-dict.md b/bot/resources/tags/iterate-dict.md new file mode 100644 index 000000000..78c067b20 --- /dev/null +++ b/bot/resources/tags/iterate-dict.md @@ -0,0 +1,10 @@ +There are two common ways to iterate over a dictionary in Python. To iterate over the keys: +```py +for key in my_dict: +    print(key) +``` +To iterate over both the keys and values: +```py +for key, val in my_dict.items(): +    print(key, val) +``` diff --git a/bot/resources/tags/listcomps.md b/bot/resources/tags/listcomps.md new file mode 100644 index 000000000..0003b9bb8 --- /dev/null +++ b/bot/resources/tags/listcomps.md @@ -0,0 +1,14 @@ +Do you ever find yourself writing something like: +```py +even_numbers = [] +for n in range(20): +    if n % 2 == 0: +        even_numbers.append(n) +``` +Using list comprehensions can simplify this significantly, and greatly improve code readability. If we rewrite the example above to use list comprehensions, it would look like this: +```py +even_numbers = [n for n in range(20) if n % 2 == 0] +``` +This also works for generators, dicts and sets by using `()` or `{}` instead of `[]`. + +For more info, see [this pythonforbeginners.com post](http://www.pythonforbeginners.com/basics/list-comprehensions-in-python) or [PEP 202](https://www.python.org/dev/peps/pep-0202/). diff --git a/bot/resources/tags/mutable-default-args.md b/bot/resources/tags/mutable-default-args.md new file mode 100644 index 000000000..a8f0c38b3 --- /dev/null +++ b/bot/resources/tags/mutable-default-args.md @@ -0,0 +1,48 @@ +**Mutable Default Arguments** + +Default arguments in python are evaluated *once* when the function is +**defined**, *not* each time the function is **called**. This means that if +you have a mutable default argument and mutate it, you will have +mutated that object for all future calls to the function as well. + +For example, the following `append_one` function appends `1` to a list +and returns it. `foo` is set to an empty list by default. +```python +>>> def append_one(foo=[]): +...     foo.append(1) +...     return foo +... +``` +See what happens when we call it a few times: +```python +>>> append_one() +[1] +>>> append_one() +[1, 1] +>>> append_one() +[1, 1, 1] +``` +Each call appends an additional `1` to our list `foo`. It does not +receive a new empty list on each call, it is the same list everytime. + +To avoid this problem, you have to create a new object every time the +function is **called**: +```python +>>> def append_one(foo=None): +...     if foo is None: +...         foo = [] +...     foo.append(1) +...     return foo +... +>>> append_one() +[1] +>>> append_one() +[1] +``` + +**Note**: + +• This behavior can be used intentionally to maintain state between +calls of a function (eg. when writing a caching function).   +• This behavior is not unique to mutable objects, all default +arguments are evaulated only once when the function is defined. diff --git a/bot/resources/tags/names.md b/bot/resources/tags/names.md new file mode 100644 index 000000000..3e76269f7 --- /dev/null +++ b/bot/resources/tags/names.md @@ -0,0 +1,37 @@ +**Naming and Binding** + +A name is a piece of text that is bound to an object. They are a **reference** to an object. Examples are function names, class names, module names, variables, etc. + +**Note:** Names **cannot** reference other names, and assignment **never** creates a copy. +```py +x = 1  # x is bound to 1 +y = x  # y is bound to VALUE of x +x = 2  # x is bound to 2 +print(x, y) # 2 1 +``` +When doing `y = x`, the name `y` is being bound to the *value* of `x` which is `1`. Neither `x` nor `y` are the 'real' name. The object `1` simply has *multiple* names. They are the exact same object. +``` +>>> x = 1 +x ━━ 1 + +>>> y = x +x ━━ 1 +y ━━━┛ + +>>> x = 2 +x ━━ 2 +y ━━ 1 +``` +**Names are created in multiple ways**   +You might think that the only way to bind a name to an object is by using assignment, but that isn't the case. All of the following work exactly the same as assignment:   +• `import` statements   +• `class` and `def`   +• `for` loop headers   +• `as` keyword when used with `except`, `import`, and `with`   +• formal parameters in function headers   + +There is also `del` which has the purpose of *unbinding* a name. + +**More info**   +• Please watch [Ned Batchelder's talk](https://youtu.be/_AEJHKGk9ns) on names in python for a detailed explanation with examples   +• [Official documentation](https://docs.python.org/3/reference/executionmodel.html#naming-and-binding) diff --git a/bot/resources/tags/off-topic.md b/bot/resources/tags/off-topic.md new file mode 100644 index 000000000..c7f98a813 --- /dev/null +++ b/bot/resources/tags/off-topic.md @@ -0,0 +1,8 @@ +**Off-topic channels** + +There are three off-topic channels:   +• <#291284109232308226>   +• <#463035241142026251>   +• <#463035268514185226>   + +Their names change randomly every 24 hours, but you can always find them under the `OFF-TOPIC/GENERAL` category in the channel list. diff --git a/bot/resources/tags/open.md b/bot/resources/tags/open.md new file mode 100644 index 000000000..13b4555b9 --- /dev/null +++ b/bot/resources/tags/open.md @@ -0,0 +1,26 @@ +**Opening files** + +The built-in function `open()` is one of several ways to open files on your computer. It accepts many different parameters, so this tag will only go over two of them (`file` and `mode`). For more extensive documentation on all these parameters, consult the [official documentation](https://docs.python.org/3/library/functions.html#open). The object returned from this function is a [file object or stream](https://docs.python.org/3/glossary.html#term-file-object), for which the full documentation can be found [here](https://docs.python.org/3/library/io.html#io.TextIOBase). + +See also:   +• `!tags with` for information on context managers   +• `!tags pathlib` for an alternative way of opening files   +• `!tags seek` for information on changing your position in a file   + +**The `file` parameter** + +This should be a [path-like object](https://docs.python.org/3/glossary.html#term-path-like-object) denoting the name or path (absolute or relative) to the file you want to open. + +An absolute path is the full path from your root directory to the file you want to open. Generally this is the option you should choose so it doesn't matter what directory you're in when you execute your module. + +See `!tags relative-path` for more information on relative paths. + +**The `mode` parameter** + +This is an optional string that specifies the mode in which the file should be opened. There's not enough room to discuss them all, but listed below are some of the more confusing modes. + +`'r+'` Opens for reading and writing (file must already exist) +`'w+'` Opens for reading and writing and truncates (can create files) +`'x'` Creates file and opens for writing (file must **not** already exist) +`'x+'` Creates file and opens for reading and writing (file must **not** already exist) +`'a+'` Opens file for reading and writing at **end of file** (can create files) diff --git a/bot/resources/tags/or-gotcha.md b/bot/resources/tags/or-gotcha.md new file mode 100644 index 000000000..00c2db1f8 --- /dev/null +++ b/bot/resources/tags/or-gotcha.md @@ -0,0 +1,17 @@ +When checking if something is equal to one thing or another, you might think that this is possible: +```py +if favorite_fruit == 'grapefruit' or 'lemon': +    print("That's a weird favorite fruit to have.") +``` +After all, that's how you would normally phrase it in plain English. In Python, however, you have to have _complete instructions on both sides of the logical operator_. + +So, if you want to check if something is equal to one thing or another, there are two common ways: +```py +# Like this... +if favorite_fruit == 'grapefruit' or favorite_fruit == 'lemon': +    print("That's a weird favorite fruit to have.") + +# ...or like this. +if favorite_fruit in ('grapefruit', 'lemon'): +    print("That's a weird favorite fruit to have.") +``` diff --git a/bot/resources/tags/param-arg.md b/bot/resources/tags/param-arg.md new file mode 100644 index 000000000..88069d8bd --- /dev/null +++ b/bot/resources/tags/param-arg.md @@ -0,0 +1,12 @@ +**Parameters vs. Arguments** + +A parameter is a variable defined in a function signature (the line with `def` in it), while arguments are objects passed to a function call. + +```py +def square(n): # n is the parameter +    return n*n + +print(square(5)) # 5 is the argument +``` + +Note that `5` is the argument passed to `square`, but `square(5)` in its entirety is the argument passed to `print` diff --git a/bot/resources/tags/paste.md b/bot/resources/tags/paste.md new file mode 100644 index 000000000..2ed51def7 --- /dev/null +++ b/bot/resources/tags/paste.md @@ -0,0 +1,6 @@ +**Pasting large amounts of code** + +If your code is too long to fit in a codeblock in discord, you can paste your code here: +https://paste.pydis.com/ + +After pasting your code, **save** it by clicking the floppy disk icon in the top right, or by typing `ctrl + S`. After doing that, the URL should **change**. Copy the URL and post it here so others can see it. diff --git a/bot/resources/tags/pathlib.md b/bot/resources/tags/pathlib.md new file mode 100644 index 000000000..dfeb7ecac --- /dev/null +++ b/bot/resources/tags/pathlib.md @@ -0,0 +1,21 @@ +**Pathlib** + +Python 3 comes with a new module named `Pathlib`. Since Python 3.6, `pathlib.Path` objects work nearly everywhere that `os.path` can be used, meaning you can integrate your new code directly into legacy code without having to rewrite anything. Pathlib makes working with paths way simpler than `os.path` does. + +**Feature spotlight**: + +• Normalizes file paths for all platforms automatically   +• Has glob-like utilites (eg. `Path.glob`, `Path.rglob`) for searching files   +• Can read and write files, and close them automatically   +• Convenient syntax, utilising the `/` operator (e.g. `Path('~') / 'Documents'`)   +• Can easily pick out components of a path (eg. name, parent, stem, suffix, anchor)   +• Supports method chaining   +• Move and delete files   +• And much more   + +**More Info**: + +• [**Why you should use pathlib** - Trey Hunner](https://treyhunner.com/2018/12/why-you-should-be-using-pathlib/)   +• [**Answering concerns about pathlib** - Trey Hunner](https://treyhunner.com/2019/01/no-really-pathlib-is-great/)   +• [**Official Documentation**](https://docs.python.org/3/library/pathlib.html)   +• [**PEP 519** - Adding a file system path protocol](https://www.python.org/dev/peps/pep-0519/)   diff --git a/bot/resources/tags/pep8.md b/bot/resources/tags/pep8.md new file mode 100644 index 000000000..cab4c4db8 --- /dev/null +++ b/bot/resources/tags/pep8.md @@ -0,0 +1,3 @@ +**PEP 8** is the official style guide for Python. It includes comprehensive guidelines for code formatting, variable naming, and making your code easy to read. Professional Python developers are usually required to follow the guidelines, and will often use code-linters like `flake8` to verify that the code they\'re writing complies with the style guide. + +You can find the PEP 8 document [here](https://www.python.org/dev/peps/pep-0008). diff --git a/bot/resources/tags/positional-keyword.md b/bot/resources/tags/positional-keyword.md new file mode 100644 index 000000000..dd6ddfc4b --- /dev/null +++ b/bot/resources/tags/positional-keyword.md @@ -0,0 +1,38 @@ +**Positional vs. Keyword arguments** + +Functions can take two different kinds of arguments. A positional argument is just the object itself. A keyword argument is a name assigned to an object. + +**Example** +```py +>>> print('Hello', 'world!', sep=', ') +Hello, world! +``` +The first two strings `'Hello'` and `world!'` are positional arguments. +The `sep=', '` is a keyword argument. + +**Note** +A keyword argument can be passed positionally in some cases. +```py +def sum(a, b=1): +    return a + b + +sum(1, b=5) +sum(1, 5) # same as above +``` +[Somtimes this is forced](https://www.python.org/dev/peps/pep-0570/#history-of-positional-only-parameter-semantics-in-python), in the case of the `pow()` function. + +The reverse is also true: +```py +>>> def foo(a, b): +...     print(a, b) +... +>>> foo(a=1, b=2) +1 2 +>>> foo(b=1, a=2) +2 1 +``` + +**More info**   +• [Keyword only arguments](https://www.python.org/dev/peps/pep-3102/)   +• [Positional only arguments](https://www.python.org/dev/peps/pep-0570/)   +• `!tags param-arg` (Parameters vs. Arguments)   diff --git a/bot/resources/tags/precedence.md b/bot/resources/tags/precedence.md new file mode 100644 index 000000000..ed399143c --- /dev/null +++ b/bot/resources/tags/precedence.md @@ -0,0 +1,13 @@ +**Operator Precedence** + +Operator precedence is essentially like an order of operations for python's operators. + +**Example 1** (arithmetic) +`2 * 3 + 1` is `7` because multiplication is first +`2 * (3 + 1)` is `8` because the parenthesis change the precedence allowing the sum to be first + +**Example 2** (logic) +`not True or True` is `True` because the `not` is first +`not (True or True)` is `False` because the `or` is first + +The full table of precedence from lowest to highest is [here](https://docs.python.org/3/reference/expressions.html#operator-precedence) diff --git a/bot/resources/tags/quotes.md b/bot/resources/tags/quotes.md new file mode 100644 index 000000000..8421748a1 --- /dev/null +++ b/bot/resources/tags/quotes.md @@ -0,0 +1,20 @@ +**String Quotes** + +Single and Double quoted strings are the **same** in Python. The choice of which one to use is up to you, just make sure that you **stick to that choice**. + +With that said, there are exceptions to this that are more important than consistency. If a single or double quote is needed *inside* the string, using the opposite quotation is better than using escape characters. + +Example: +```py +'My name is "Guido"'   # good +"My name is \"Guido\"" # bad + +"Don't go in there"  # good +'Don\'t go in there' # bad +``` +**Note:** +If you need both single and double quotes inside your string, use the version that would result in the least amount of escapes. In the case of a tie, use the quotation you use the most. + +**References:**   +• [pep-8 on quotes](https://www.python.org/dev/peps/pep-0008/#string-quotes)   +• [convention for triple quoted strings](https://www.python.org/dev/peps/pep-0257/) diff --git a/bot/resources/tags/relative-path.md b/bot/resources/tags/relative-path.md new file mode 100644 index 000000000..6e97b78af --- /dev/null +++ b/bot/resources/tags/relative-path.md @@ -0,0 +1,7 @@ +**Relative Path** + +A relative path is a partial path that is relative to your current working directory. A common misconception is that your current working directory is the location of the module you're executing, **but this is not the case**. Your current working directory is actually the **directory you were in when you ran the python interpreter**. The reason for this misconception is because a common way to run your code is to navigate to the directory your module is stored, and run `python <module>.py`. Thus, in this case your current working directory will be the same as the location of the module. However, if we instead did `python path/to/<module>.py`, our current working directory would no longer be the same as the location of the module we're executing. + +**Why is this important?** + +When opening files in python, relative paths won't always work since it's dependent on what directory you were in when you ran your code. A common issue people face is running their code in an IDE thinking they can open files that are in the same directory as their module, but the current working directory will be different than what they expect and so they won't find the file. The way to avoid this problem is by using absolute paths, which is the full path from your root directory to the file you want to open. diff --git a/bot/resources/tags/repl.md b/bot/resources/tags/repl.md new file mode 100644 index 000000000..875b4ec47 --- /dev/null +++ b/bot/resources/tags/repl.md @@ -0,0 +1,13 @@ +**Read-Eval-Print Loop** + +A REPL is an interactive language shell environment. It first **reads** one or more expressions entered by the user, **evaluates** it, yields the result, and **prints** it out to the user. It will then **loop** back to the **read** step. + +To use python's REPL, execute the interpreter with no arguments. This will drop you into the interactive interpreter shell, print out some relevant information, and then prompt you with the primary prompt `>>>`. At this point it is waiting for your input. + +Firstly you can start typing in some valid python expressions, pressing <return> to either bring you to the **eval** step, or prompting you with the secondary prompt `...` (or no prompt at all depending on your environment), meaning your expression isn't yet terminated and it's waiting for more input. This is useful for code that requires multiple lines like loops, functions, and classes. If you reach the secondary prompt in a clause that can have an arbitrary amount of expressions, you can terminate it by pressing <return> on a blank line. In other words, for the last expression you write in the clause, <return> must be pressed twice in a row. + +Alternatively, you can make use of the builtin `help()` function. `help(thing)` to get help on some `thing` object, or `help()` to start an interactive help session. This mode is extremely powerful, read the instructions when first entering the session to learn how to use it. + +Lastly you can run your code with the `-i` flag to execute your code normally, but be dropped into the REPL once execution is finished, giving you access to all your global variables/functions in the REPL. + +To **exit** either a help session, or normal REPL prompt, you must send an EOF signal to the prompt. In *nix systems, this is done with `ctrl + D`, and in windows systems it is `ctrl + Z`. You can also exit the normal REPL prompt with the dedicated functions `exit()` or `quit()`. diff --git a/bot/resources/tags/return.md b/bot/resources/tags/return.md new file mode 100644 index 000000000..e37f0eebc --- /dev/null +++ b/bot/resources/tags/return.md @@ -0,0 +1,35 @@ +**Return Statement** + +When calling a function, you'll often want it to give you a value back. In order to do that, you must `return` it. The reason for this is because functions have their own scope. Any values defined within the function body are inaccessible outside of that function. + +*For more information about scope, see `!tags scope`* + +Consider the following function: +```py +def square(n): +    return n*n +``` +If we wanted to store 5 squared in a variable called `x`, we could do that like so: +`x = square(5)`. `x` would now equal `25`. + +**Common Mistakes** +```py +>>> def square(n): +...     n*n  # calculates then throws away, returns None +... +>>> x = square(5) +>>> print(x) +None +>>> def square(n): +...     print(n*n)  # calculates and prints, then throws away and returns None +... +>>> x = square(5) +25 +>>> print(x) +None +``` +**Things to note**   +• `print()` and `return` do **not** accomplish the same thing. `print()` will only print the value, it will not be accessible outside of the function afterwards.   +• A function will return `None` if it ends without reaching an explicit `return` statement.   +• When you want to print a value calculated in a function, instead of printing inside the function, it is often better to return the value and print the *function call* instead.   +• [Official documentation for `return`](https://docs.python.org/3/reference/simple_stmts.html#the-return-statement)   diff --git a/bot/resources/tags/round.md b/bot/resources/tags/round.md new file mode 100644 index 000000000..0392bb41b --- /dev/null +++ b/bot/resources/tags/round.md @@ -0,0 +1,24 @@ +**Round half to even** + +Python 3 uses bankers' rounding (also known by other names), where if the fractional part of a number is `.5`, it's rounded to the nearest **even** result instead of away from zero. + +Example: +```py +>>> round(2.5) +2 +>>> round(1.5) +2 +``` +In the first example, there is a tie between 2 and 3, and since 3 is odd and 2 is even, the result is 2. +In the second example, the tie is between 1 and 2, and so 2 is also the result. + +**Why this is done:** +The round half up technique creates a slight bias towards the larger number. With a large amount of calculations, this can be significant. The round half to even technique eliminates this bias. + +It should be noted that round half to even distorts the distribution by increasing the probability of evens relative to odds, however this is considered less important than the bias explained above. + +**References:**   +• [Wikipedia article about rounding](https://en.wikipedia.org/wiki/Rounding#Round_half_to_even)   +• [Documentation on `round` function](https://docs.python.org/3/library/functions.html#round)   +• [`round` in what's new in python 3](https://docs.python.org/3/whatsnew/3.0.html#builtins) (4th bullet down)   +• [How to force rounding technique](https://stackoverflow.com/a/10826537/4607272)   diff --git a/bot/resources/tags/scope.md b/bot/resources/tags/scope.md new file mode 100644 index 000000000..5c1e64e1c --- /dev/null +++ b/bot/resources/tags/scope.md @@ -0,0 +1,24 @@ +**Scoping Rules** + +A *scope* defines the visibility of a name within a block, where a block is a piece of python code executed as a unit. For simplicity, this would be a module, a function body, and a class definition. A name refers to text bound to an object. + +*For more information about names, see `!tags names`* + +A module is the source code file itself, and encompasses all blocks defined within it. Therefore if a variable is defined at the module level (top-level code block), it is a global variable and can be accessed anywhere in the module as long as the block in which it's referenced is executed after it was defined. + +Alternatively if a variable is defined within a function block for example, it is a local variable. It is not accessible at the module level, as that would be *outside* its scope. This is the purpose of the `return` statement, as it hands an object back to the scope of its caller. Conversely if a function was defined *inside* the previously mentioned block, it *would* have access to that variable, because it is within the first function's scope. +```py +>>> def outer(): +...     foo = 'bar'     # local variable to outer +...     def inner(): +...         print(foo)  # has access to foo from scope of outer +...     return inner    # brings inner to scope of caller +... +>>> inner = outer()  # get inner function +>>> inner()  # prints variable foo without issue +bar +``` +**Official Documentation**   +**1.** [Program structure, name binding and resolution](https://docs.python.org/3/reference/executionmodel.html#execution-model)   +**2.** [`global` statement](https://docs.python.org/3/reference/simple_stmts.html#the-global-statement)   +**3.** [`nonlocal` statement](https://docs.python.org/3/reference/simple_stmts.html#the-nonlocal-statement) diff --git a/bot/resources/tags/seek.md b/bot/resources/tags/seek.md new file mode 100644 index 000000000..bc013fe03 --- /dev/null +++ b/bot/resources/tags/seek.md @@ -0,0 +1,22 @@ +**Seek** + +In the context of a [file object](https://docs.python.org/3/glossary.html#term-file-object), the `seek` function changes the stream position to a given byte offset, with an optional argument of where to offset from. While you can find the official documentation [here](https://docs.python.org/3/library/io.html#io.IOBase.seek), it can be unclear how to actually use this feature, so keep reading to see examples on how to use it. + +File named `example`: +``` +foobar +spam eggs +``` +Open file for reading in byte mode: +```py +f = open('example', 'rb') +``` +Note that stream positions start from 0 in much the same way that the index for a list does. If we do `f.seek(3, 0)`, our stream position will move 3 bytes forward relative to the **beginning** of the stream. Now if we then did `f.read(1)` to read a single byte from where we are in the stream, it would return the string `'b'` from the 'b' in 'foobar'. Notice that the 'b' is the 4th character. Also note that after we did `f.read(1)`, we moved the stream position again 1 byte forward relative to the **current** position in the stream. So the stream position is now currently at position 4. + +Now lets do `f.seek(4, 1)`. This will move our stream position 4 bytes forward relative to our **current** position in the stream. Now if we did `f.read(1)`, it would return the string `'p'` from the 'p' in 'spam' on the next line. Note this time that the character at position 6 is the newline character `'\n'`. + +Finally, lets do `f.seek(-4, 2)`, moving our stream position *backwards* 4 bytes relative to the **end** of the stream. Now if we did `f.read()` to read everything after our position in the file, it would return the string `'eggs'` and also move our stream position to the end of the file. + +**Note**   +• For the second argument in `seek()`, use `os.SEEK_SET`, `os.SEEK_CUR`, and `os.SEEK_END` in place of 0, 1, and 2 respectively.   +• `os.SEEK_CUR` is only usable when the file is in byte mode. diff --git a/bot/resources/tags/self.md b/bot/resources/tags/self.md new file mode 100644 index 000000000..d20154fd5 --- /dev/null +++ b/bot/resources/tags/self.md @@ -0,0 +1,25 @@ +**Class instance** + +When calling a method from a class instance (ie. `instance.method()`), the instance itself will automatically be passed as the first argument implicitly. By convention, we call this `self`, but it could technically be called any valid variable name. + +```py +class Foo: +    def bar(self): +        print('bar') + +    def spam(self, eggs): +        print(eggs) + +foo = Foo() +``` + +If we call `foo.bar()`, it is equivalent to doing `Foo.bar(foo)`. Our instance `foo` is passed for us to the `bar` function, so while we initially gave zero arguments, it is actually called with one. + +Similarly if we call `foo.spam('ham')`, it is equivalent to +doing `Foo.spam(foo, 'ham')`. + +**Why is this useful?** + +Methods do not inherently have access to attributes defined in the class. In order for any one method to be able to access other methods or variables defined in the class, it must have access to the instance. + +Consider if outside the class, we tried to do this: `spam(foo, 'ham')`. This would give an error, because we don't have access to the `spam` method directly, we have to call it by doing `foo.spam('ham')`. This is also the case inside of the class. If we wanted to call the `bar` method inside the `spam` method, we'd have to do `self.bar()`, just doing `bar()` would give an error. diff --git a/bot/resources/tags/star-imports.md b/bot/resources/tags/star-imports.md new file mode 100644 index 000000000..2be6aab6e --- /dev/null +++ b/bot/resources/tags/star-imports.md @@ -0,0 +1,48 @@ +**Star / Wildcard imports** + +Wildcard imports are import statements in the form `from <module_name> import *`. What imports like these do is that they import everything **[1]** from the module into the current module's namespace **[2]**. This allows you to use names defined in the imported module without prefixing the module's name. + +Example: +```python +>>> from math import * +>>> sin(pi / 2) +1.0 +``` +**This is discouraged, for various reasons:** + +Example: +```python +>>> from custom_sin import sin +>>> from math import * +>>> sin(pi / 2)  # uses sin from math rather than your custom sin +``` + +• Potential namespace collision. Names defined from a previous import might get shadowed by a wildcard import. + +• Causes ambiguity. From the example, it is unclear which `sin` function is actually being used. From the Zen of Python **[3]**: `Explicit is better than implicit.` + +• Makes import order significant, which they shouldn't. Certain IDE's `sort import` functionality may end up breaking code due to namespace collision. + +**How should you import?** + +• Import the module under the module's namespace (Only import the name of the module, and names defined in the module can be used by prefixing the module's name) + +```python +>>> import math +>>> math.sin(math.pi / 2) +``` + +• Explicitly import certain names from the module + +```python +>>> from math import sin, pi +>>> sin(pi / 2) +``` + +Conclusion: Namespaces are one honking great idea -- let's do more of those! *[3]* + +**[1]** If the module defines the variable `__all__`, the names defined in `__all__` will get imported by the wildcard import, otherwise all the names in the module get imported (except for names with a leading underscore) + +**[2]** [Namespaces and scopes](https://www.programiz.com/python-programming/namespace) + +**[3]** [Zen of Python](https://www.python.org/dev/peps/pep-0020/) diff --git a/bot/resources/tags/traceback.md b/bot/resources/tags/traceback.md new file mode 100644 index 000000000..46ef40aa1 --- /dev/null +++ b/bot/resources/tags/traceback.md @@ -0,0 +1,18 @@ +Please provide a full traceback to your exception in order for us to identify your issue. + +A full traceback could look like: +```py +Traceback (most recent call last): +    File "tiny", line 3, in +        do_something() +    File "tiny", line 2, in do_something +        a = 6 / 0 +ZeroDivisionError: integer division or modulo by zero +``` +The best way to read your traceback is bottom to top. + +• Identify the exception raised (e.g. ZeroDivisonError)   +• Make note of the line number, and navigate there in your program.   +• Try to understand why the error occurred.   + +To read more about exceptions and errors, please refer to the [PyDis Wiki](https://pythondiscord.com/pages/asking-good-questions/#examining-tracebacks) or the [official Python tutorial.](https://docs.python.org/3.7/tutorial/errors.html) diff --git a/bot/resources/tags/windows-path.md b/bot/resources/tags/windows-path.md new file mode 100644 index 000000000..da8edf685 --- /dev/null +++ b/bot/resources/tags/windows-path.md @@ -0,0 +1,30 @@ +**PATH on Windows** + +If you have installed Python but you forgot to check the *Add Python to PATH* option during the installation you may still be able to access your installation with ease. + +If you did not uncheck the option to install the Python launcher then you will find a `py` command on your system. If you want to be able to open your Python installation by running `python` then your best option is to re-install Python. + +Otherwise, you can access your install using the `py` command in Command Prompt. Where you may type something with the `python` command like: +``` +C:\Users\Username> python3 my_application_file.py +``` + +You can achieve the same result using the `py` command like this: +``` +C:\Users\Username> py -3 my_application_file.py +``` + +You can pass any options to the Python interpreter after you specify a version, for example, to install a Python module using `pip` you can run: +``` +C:\Users\Username> py -3 -m pip install numpy +``` + +You can also access different versions of Python using the version flag, like so: +``` +C:\Users\Username> py -3.7 +... Python 3.7 starts ... +C:\Users\Username> py -3.6 +... Python 3.6 stars ... +C:\Users\Username> py -2 +... Python 2 (any version installed) starts ... +``` diff --git a/bot/resources/tags/with.md b/bot/resources/tags/with.md new file mode 100644 index 000000000..62d5612f2 --- /dev/null +++ b/bot/resources/tags/with.md @@ -0,0 +1,8 @@ +The `with` keyword triggers a context manager. Context managers automatically set up and take down data connections, or any other kind of object that implements the magic methods `__enter__` and `__exit__`. +```py +with open("test.txt", "r") as file: +    do_things(file) +``` +The above code automatically closes `file` when the `with` block exits, so you never have to manually do a `file.close()`. Most connection types, including file readers and database connections, support this. + +For more information, read [the official docs](https://docs.python.org/3/reference/compound_stmts.html#with), watch [Corey Schafer\'s context manager video](https://www.youtube.com/watch?v=-aKFBoZpiqA), or see [PEP 343](https://www.python.org/dev/peps/pep-0343/). diff --git a/bot/resources/tags/xy-problem.md b/bot/resources/tags/xy-problem.md new file mode 100644 index 000000000..b77bd27e8 --- /dev/null +++ b/bot/resources/tags/xy-problem.md @@ -0,0 +1,7 @@ +**xy-problem** + +Asking about your attempted solution rather than your actual problem. + +Often programmers will get distracted with a potential solution they've come up with, and will try asking for help getting it to work. However, it's possible this solution either wouldn't work as they expect, or there's a much better solution instead. + +For more information and examples: http://xyproblem.info/ diff --git a/bot/resources/tags/ytdl.md b/bot/resources/tags/ytdl.md new file mode 100644 index 000000000..e34ecff44 --- /dev/null +++ b/bot/resources/tags/ytdl.md @@ -0,0 +1,12 @@ +Per [PyDis' Rule 5](https://pythondiscord.com/pages/rules), we are unable to assist with questions related to youtube-dl, commonly used by Discord bots to stream audio, as its use violates YouTube's Terms of Service. + +For reference, this usage is covered by the following clauses in [YouTube's TOS](https://www.youtube.com/static?template=terms), as of 2019-07-22: +``` +The following restrictions apply to your use of the Service. You are not allowed to:   + +1. access, reproduce, download, distribute, transmit, broadcast, display, sell, license, alter, modify or otherwise use any part of the Service or any Content except: (a) as specifically permitted by the Service;  (b) with prior written permission from YouTube and, if applicable, the respective rights holders; or (c) as permitted by applicable law;   + +3. access the Service using any automated means (such as robots, botnets or scrapers) except: (a) in the case of public search engines, in accordance with YouTube’s robots.txt file; (b) with YouTube’s prior written permission; or (c) as permitted by applicable law;   + +9. use the Service to view or listen to Content other than for personal, non-commercial use (for example, you may not publicly screen videos or stream music from the Service) +``` diff --git a/bot/resources/tags/zip.md b/bot/resources/tags/zip.md new file mode 100644 index 000000000..6b05f0282 --- /dev/null +++ b/bot/resources/tags/zip.md @@ -0,0 +1,12 @@ +The zip function allows you to iterate through multiple iterables simultaneously. It joins the iterables together, almost like a zipper, so that each new element is a tuple with one element from each iterable. + +```py +letters = 'abc' +numbers = [1, 2, 3] +# zip(letters, numbers) --> [('a', 1), ('b', 2), ('c', 3)] +for letter, number in zip(letters, numbers): +    print(letter, number) +``` +The `zip()` iterator is exhausted after the length of the shortest iterable is exceeded. If you would like to retain the other values, consider using [itertools.zip_longest](https://docs.python.org/3/library/itertools.html#itertools.zip_longest). + +For more information on zip, please refer to the [official documentation](https://docs.python.org/3/library/functions.html#zip). diff --git a/bot/utils/__init__.py b/bot/utils/__init__.py index 3e4b15ce4..9b32e515d 100644 --- a/bot/utils/__init__.py +++ b/bot/utils/__init__.py @@ -1,5 +1,4 @@  from abc import ABCMeta -from typing import Any, Hashable  from discord.ext.commands import CogMeta @@ -8,59 +7,3 @@ class CogABCMeta(CogMeta, ABCMeta):      """Metaclass for ABCs meant to be implemented as Cogs."""      pass - - -class CaseInsensitiveDict(dict): -    """ -    We found this class on StackOverflow. Thanks to m000 for writing it! - -    https://stackoverflow.com/a/32888599/4022104 -    """ - -    @classmethod -    def _k(cls, key: Hashable) -> Hashable: -        """Return lowered key if a string-like is passed, otherwise pass key straight through.""" -        return key.lower() if isinstance(key, str) else key - -    def __init__(self, *args, **kwargs): -        super(CaseInsensitiveDict, self).__init__(*args, **kwargs) -        self._convert_keys() - -    def __getitem__(self, key: Hashable) -> Any: -        """Case insensitive __setitem__.""" -        return super(CaseInsensitiveDict, self).__getitem__(self.__class__._k(key)) - -    def __setitem__(self, key: Hashable, value: Any): -        """Case insensitive __setitem__.""" -        super(CaseInsensitiveDict, self).__setitem__(self.__class__._k(key), value) - -    def __delitem__(self, key: Hashable) -> Any: -        """Case insensitive __delitem__.""" -        return super(CaseInsensitiveDict, self).__delitem__(self.__class__._k(key)) - -    def __contains__(self, key: Hashable) -> bool: -        """Case insensitive __contains__.""" -        return super(CaseInsensitiveDict, self).__contains__(self.__class__._k(key)) - -    def pop(self, key: Hashable, *args, **kwargs) -> Any: -        """Case insensitive pop.""" -        return super(CaseInsensitiveDict, self).pop(self.__class__._k(key), *args, **kwargs) - -    def get(self, key: Hashable, *args, **kwargs) -> Any: -        """Case insensitive get.""" -        return super(CaseInsensitiveDict, self).get(self.__class__._k(key), *args, **kwargs) - -    def setdefault(self, key: Hashable, *args, **kwargs) -> Any: -        """Case insensitive setdefault.""" -        return super(CaseInsensitiveDict, self).setdefault(self.__class__._k(key), *args, **kwargs) - -    def update(self, E: Any = None, **F) -> None: -        """Case insensitive update.""" -        super(CaseInsensitiveDict, self).update(self.__class__(E)) -        super(CaseInsensitiveDict, self).update(self.__class__(**F)) - -    def _convert_keys(self) -> None: -        """Helper method to lowercase all existing string-like keys.""" -        for k in list(self.keys()): -            v = super(CaseInsensitiveDict, self).pop(k) -            self.__setitem__(k, v) diff --git a/bot/utils/messages.py b/bot/utils/messages.py index a36edc774..e969ee590 100644 --- a/bot/utils/messages.py +++ b/bot/utils/messages.py @@ -92,7 +92,7 @@ async def send_attachments(              elif link_large:                  large.append(attachment)              else: -                log.warning(f"{failure_msg} because it's too large.") +                log.info(f"{failure_msg} because it's too large.")          except HTTPException as e:              if link_large and e.status == 413:                  large.append(attachment) diff --git a/bot/utils/scheduling.py b/bot/utils/scheduling.py index 5760ec2d4..8b778a093 100644 --- a/bot/utils/scheduling.py +++ b/bot/utils/scheduling.py @@ -51,20 +51,32 @@ class Scheduler(metaclass=CogABCMeta):          self._scheduled_tasks[task_id] = task          log.debug(f"{self.cog_name}: scheduled task #{task_id} {id(task)}.") -    def cancel_task(self, task_id: t.Hashable) -> None: -        """Unschedule the task identified by `task_id`.""" +    def cancel_task(self, task_id: t.Hashable, ignore_missing: bool = False) -> None: +        """ +        Unschedule the task identified by `task_id`. + +        If `ignore_missing` is True, a warning will not be sent if a task isn't found. +        """          log.trace(f"{self.cog_name}: cancelling task #{task_id}...")          task = self._scheduled_tasks.get(task_id)          if not task: -            log.warning(f"{self.cog_name}: failed to unschedule {task_id} (no task found).") +            if not ignore_missing: +                log.warning(f"{self.cog_name}: failed to unschedule {task_id} (no task found).")              return -        task.cancel()          del self._scheduled_tasks[task_id] +        task.cancel()          log.debug(f"{self.cog_name}: unscheduled task #{task_id} {id(task)}.") +    def cancel_all(self) -> None: +        """Unschedule all known tasks.""" +        log.debug(f"{self.cog_name}: unscheduling all tasks") + +        for task_id in self._scheduled_tasks.copy(): +            self.cancel_task(task_id, ignore_missing=True) +      def _task_done_callback(self, task_id: t.Hashable, done_task: asyncio.Task) -> None:          """          Delete the task and raise its exception if one exists. @@ -98,6 +110,6 @@ class Scheduler(metaclass=CogABCMeta):              # Log the exception if one exists.              if exception:                  log.error( -                    f"{self.cog_name}: error in task #{task_id} {id(scheduled_task)}!", +                    f"{self.cog_name}: error in task #{task_id} {id(done_task)}!",                      exc_info=exception                  ) diff --git a/config-default.yml b/config-default.yml index 5788d1e12..83ea59016 100644 --- a/config-default.yml +++ b/config-default.yml @@ -3,6 +3,10 @@ bot:      token:       !ENV "BOT_TOKEN"      sentry_dsn:  !ENV "BOT_SENTRY_DSN" +    stats: +        statsd_host: "graphite" +        presence_update_timeout: 300 +      cooldowns:          # Per channel, per tag.          tags: 60 @@ -111,11 +115,14 @@ guild:      id: 267624335836053506      categories: -        python_help:    356013061213126657 +        help_available:                     691405807388196926 +        help_in_use:                        696958401460043776 +        help_dormant:                       691405908919451718      channels:          announcements:                              354619224620138496          user_event_announcements:   &USER_EVENT_A   592000283102674944 +        python_news:                &PYNEWS_CHANNEL 704372456592506880          # Development          dev_contrib:        &DEV_CONTRIB    635950537262759947 @@ -126,6 +133,9 @@ guild:          meta:               429409067623251969          python_discussion:  267624335836053506 +        # Python Help: Available +        how_to_get_help:    704250143020417084 +          # Logs          attachment_log:     &ATTACH_LOG     649243850006855680          message_log:        &MESSAGE_LOG    467752170159079424 @@ -138,16 +148,6 @@ guild:          off_topic_1:    463035241142026251          off_topic_2:    463035268514185226 -        # Python Help -        help_0:         303906576991780866 -        help_1:         303906556754395136 -        help_2:         303906514266226689 -        help_3:         439702951246692352 -        help_4:         451312046647148554 -        help_5:         454941769734422538 -        help_6:         587375753306570782 -        help_7:         587375768556797982 -          # Special          bot_commands:       &BOT_CMD        267659945086812160          esoteric:                           470884583684964352 @@ -205,6 +205,7 @@ guild:      roles:          announcements:                          463658397560995840          contributors:                           295488872404484098 +        help_cooldown:                          699189276025421825          muted:              &MUTED_ROLE         277914926603829249          partners:                               323426753857191936          python_community:   &PY_COMMUNITY_ROLE  458226413825294336 @@ -235,11 +236,12 @@ guild:          - *HELPERS_ROLE      webhooks: -        talent_pool:    569145364800602132 -        big_brother:    569133704568373283 -        reddit:         635408384794951680 -        duck_pond:      637821475327311927 -        dev_log:        680501655111729222 +        talent_pool:                    569145364800602132 +        big_brother:                    569133704568373283 +        reddit:                         635408384794951680 +        duck_pond:                      637821475327311927 +        dev_log:                        680501655111729222 +        python_news:    &PYNEWS_WEBHOOK 704381182279942324  filter: @@ -248,9 +250,8 @@ filter:      filter_zalgo:       false      filter_invites:     true      filter_domains:     true +    watch_regex:        true      watch_rich_embeds:  true -    watch_words:        true -    watch_tokens:       true      # Notify user on filter?      # Notifications are not expected for "watchlist" type filters @@ -264,7 +265,8 @@ filter:      guild_invite_whitelist:          - 280033776820813825  # Functional Programming          - 267624335836053506  # Python Discord -        - 440186186024222721  # Python Discord: ModLog Emojis +        - 440186186024222721  # Python Discord: Emojis 1 +        - 578587418123304970  # Python Discord: Emojis 2          - 273944235143593984  # STEM          - 348658686962696195  # RLBot          - 531221516914917387  # Pallets @@ -280,6 +282,12 @@ filter:          - 524691714909274162  # Panda3D          - 336642139381301249  # discord.py          - 405403391410438165  # Sentdex +        - 172018499005317120  # The Coding Den +        - 666560367173828639  # PyWeek +        - 702724176489873509  # Microsoft Python +        - 81384788765712384   # Discord API +        - 613425648685547541  # Discord Developers +        - 185590609631903755  # Blender Hub      domain_blacklist:          - pornhub.com @@ -479,7 +487,6 @@ anti_malware:          - '.mp3'          - '.wav'          - '.ogg' -        - '.md'  reddit: @@ -508,9 +515,42 @@ free:      cooldown_rate: 1      cooldown_per: 60.0 -mention: -    message_timeout: 300 -    reset_delay: 5 + +help_channels: +    enable: true + +    # Minimum interval before allowing a certain user to claim a new help channel +    claim_minutes: 15 + +    # Roles which are allowed to use the command which makes channels dormant +    cmd_whitelist: +        - *HELPERS_ROLE + +    # Allowed duration of inactivity before making a channel dormant +    idle_minutes: 30 + +    # Maximum number of channels to put in the available category +    max_available: 2 + +    # Maximum number of channels across all 3 categories +    # Note Discord has a hard limit of 50 channels per category, so this shouldn't be > 50 +    max_total_channels: 32 + +    # Prefix for help channel names +    name_prefix: 'help-' + +    # Notify if more available channels are needed but there are no more dormant ones +    notify: true + +    # Channel in which to send notifications +    notify_channel: *HELPERS + +    # Minimum interval between helper notifications +    notify_minutes: 15 + +    # Mention these roles in notifications +    notify_roles: +        - *HELPERS_ROLE  redirect_output:      delete_invocation: true @@ -537,5 +577,13 @@ duck_pond:          - *DUCKY_MAUL          - *DUCKY_SANTA +python_news: +    mail_lists: +        - 'python-ideas' +        - 'python-announce-list' +        - 'pypi-announce' +    channel: *PYNEWS_CHANNEL +    webhook: *PYNEWS_WEBHOOK +  config:      required_keys: ['bot.token'] diff --git a/tests/README.md b/tests/README.md index be78821bf..4f62edd68 100644 --- a/tests/README.md +++ b/tests/README.md @@ -83,7 +83,7 @@ TagContentConverter should return correct values for valid input.  As we are trying to test our "units" of code independently, we want to make sure that we do not rely objects and data generated by "external" code. If we we did, then we wouldn't know if the failure we're observing was caused by the code we are actually trying to test or something external to it. -However, the features that we are trying to test often depend on those objects generated by external pieces of code. It would be difficult to test a bot command without having access to a `Context` instance. Fortunately, there's a solution for that: we use fake objects that act like the true object. We call these fake objects "mocks".  +However, the features that we are trying to test often depend on those objects generated by external pieces of code. It would be difficult to test a bot command without having access to a `Context` instance. Fortunately, there's a solution for that: we use fake objects that act like the true object. We call these fake objects "mocks".  To create these mock object, we mainly use the [`unittest.mock`](https://docs.python.org/3/library/unittest.mock.html) module. In addition, we have also defined a couple of specialized mock objects that mock specific `discord.py` types (see the section on the below.). @@ -114,13 +114,13 @@ class BotCogTests(unittest.TestCase):  ### Mocking coroutines -By default, the `unittest.mock.Mock` and `unittest.mock.MagicMock` classes cannot mock coroutines, since the `__call__` method they provide is synchronous. In anticipation of the `AsyncMock` that will be [introduced in Python 3.8](https://docs.python.org/3.9/whatsnew/3.8.html#unittest), we have added an `AsyncMock` helper to [`helpers.py`](/tests/helpers.py). Do note that this drop-in replacement only implements an asynchronous `__call__` method, not the additional assertions that will come with the new `AsyncMock` type in Python 3.8.  +By default, the `unittest.mock.Mock` and `unittest.mock.MagicMock` classes cannot mock coroutines, since the `__call__` method they provide is synchronous. In anticipation of the `AsyncMock` that will be [introduced in Python 3.8](https://docs.python.org/3.9/whatsnew/3.8.html#unittest), we have added an `AsyncMock` helper to [`helpers.py`](/tests/helpers.py). Do note that this drop-in replacement only implements an asynchronous `__call__` method, not the additional assertions that will come with the new `AsyncMock` type in Python 3.8.  ### Special mocks for some `discord.py` types  To quote Ned Batchelder, Mock objects are "automatic chameleons". This means that they will happily allow the access to any attribute or method and provide a mocked value in return. One downside to this is that if the code you are testing gets the name of the attribute wrong, your mock object will not complain and the test may still pass. -In order to avoid that, we have defined a number of Mock types in [`helpers.py`](/tests/helpers.py) that follow the specifications of the actual Discord types they are mocking. This means that trying to access an attribute or method on a mocked object that does not exist on the equivalent `discord.py` object will result in an `AttributeError`. In addition, these mocks have some sensible defaults and **pass `isinstance` checks for the types they are mocking**.  +In order to avoid that, we have defined a number of Mock types in [`helpers.py`](/tests/helpers.py) that follow the specifications of the actual Discord types they are mocking. This means that trying to access an attribute or method on a mocked object that does not exist on the equivalent `discord.py` object will result in an `AttributeError`. In addition, these mocks have some sensible defaults and **pass `isinstance` checks for the types they are mocking**.  These special mocks are added when they are needed, so if you think it would be sensible to add another one, feel free to propose one in your PR. @@ -144,7 +144,7 @@ Finally, there are some considerations to make when writing tests, both for writ  ### Test coverage is a starting point -Having test coverage is a good starting point for unit testing: If a part of your code was not covered by a test, we know that we have not tested it properly. The reverse is unfortunately not true: Even if the code we are testing has 100% branch coverage, it does not mean it's fully tested or guaranteed to work.  +Having test coverage is a good starting point for unit testing: If a part of your code was not covered by a test, we know that we have not tested it properly. The reverse is unfortunately not true: Even if the code we are testing has 100% branch coverage, it does not mean it's fully tested or guaranteed to work.  One problem is that 100% branch coverage may be misleading if we haven't tested our code against all the realistic input it may get in production. For instance, take a look at the following `member_information` function and the test we've written for it: @@ -169,7 +169,7 @@ class FunctionsTests(unittest.TestCase):  If you were to run this test, not only would the function pass the test, `coverage.py` will also tell us that the test provides 100% branch coverage for the function. Can you spot the bug the test suite did not catch? -The problem here is that we have only tested our function with a member object that had `None` for the `member.joined` attribute. This means that `member.joined.stfptime("%d-%m-%Y")` was never executed during our test, leading to us missing the spelling mistake in `stfptime` (it should be `strftime`).  +The problem here is that we have only tested our function with a member object that had `None` for the `member.joined` attribute. This means that `member.joined.stfptime("%d-%m-%Y")` was never executed during our test, leading to us missing the spelling mistake in `stfptime` (it should be `strftime`).  Adding another test would not increase the test coverage we have, but it does ensure that we'll notice that this function can fail with realistic data: diff --git a/tests/base.py b/tests/base.py index 42174e911..d99b9ac31 100644 --- a/tests/base.py +++ b/tests/base.py @@ -31,7 +31,7 @@ class LoggingTestsMixin:      """      @contextmanager -    def assertNotLogs(self, logger=None, level=None, msg=None): +    def assertNotLogs(self, logger=None, level=None, msg=None):  # noqa: N802          """          Asserts that no logs of `level` and higher were emitted by `logger`. @@ -81,7 +81,7 @@ class LoggingTestsMixin:  class CommandTestCase(unittest.IsolatedAsyncioTestCase):      """TestCase with additional assertions that are useful for testing Discord commands.""" -    async def assertHasPermissionsCheck( +    async def assertHasPermissionsCheck(  # noqa: N802          self,          cmd: commands.Command,          permissions: Dict[str, bool], diff --git a/tests/bot/cogs/moderation/test_silence.py b/tests/bot/cogs/moderation/test_silence.py new file mode 100644 index 000000000..3fd149f04 --- /dev/null +++ b/tests/bot/cogs/moderation/test_silence.py @@ -0,0 +1,251 @@ +import unittest +from unittest import mock +from unittest.mock import MagicMock, Mock + +from discord import PermissionOverwrite + +from bot.cogs.moderation.silence import Silence, SilenceNotifier +from bot.constants import Channels, Emojis, Guild, Roles +from tests.helpers import MockBot, MockContext, MockTextChannel + + +class SilenceNotifierTests(unittest.IsolatedAsyncioTestCase): +    def setUp(self) -> None: +        self.alert_channel = MockTextChannel() +        self.notifier = SilenceNotifier(self.alert_channel) +        self.notifier.stop = self.notifier_stop_mock = Mock() +        self.notifier.start = self.notifier_start_mock = Mock() + +    def test_add_channel_adds_channel(self): +        """Channel in FirstHash with current loop is added to internal set.""" +        channel = Mock() +        with mock.patch.object(self.notifier, "_silenced_channels") as silenced_channels: +            self.notifier.add_channel(channel) +        silenced_channels.__setitem__.assert_called_with(channel, self.notifier._current_loop) + +    def test_add_channel_starts_loop(self): +        """Loop is started if `_silenced_channels` was empty.""" +        self.notifier.add_channel(Mock()) +        self.notifier_start_mock.assert_called_once() + +    def test_add_channel_skips_start_with_channels(self): +        """Loop start is not called when `_silenced_channels` is not empty.""" +        with mock.patch.object(self.notifier, "_silenced_channels"): +            self.notifier.add_channel(Mock()) +        self.notifier_start_mock.assert_not_called() + +    def test_remove_channel_removes_channel(self): +        """Channel in FirstHash is removed from `_silenced_channels`.""" +        channel = Mock() +        with mock.patch.object(self.notifier, "_silenced_channels") as silenced_channels: +            self.notifier.remove_channel(channel) +        silenced_channels.__delitem__.assert_called_with(channel) + +    def test_remove_channel_stops_loop(self): +        """Notifier loop is stopped if `_silenced_channels` is empty after remove.""" +        with mock.patch.object(self.notifier, "_silenced_channels", __bool__=lambda _: False): +            self.notifier.remove_channel(Mock()) +        self.notifier_stop_mock.assert_called_once() + +    def test_remove_channel_skips_stop_with_channels(self): +        """Notifier loop is not stopped if `_silenced_channels` is not empty after remove.""" +        self.notifier.remove_channel(Mock()) +        self.notifier_stop_mock.assert_not_called() + +    async def test_notifier_private_sends_alert(self): +        """Alert is sent on 15 min intervals.""" +        test_cases = (900, 1800, 2700) +        for current_loop in test_cases: +            with self.subTest(current_loop=current_loop): +                with mock.patch.object(self.notifier, "_current_loop", new=current_loop): +                    await self.notifier._notifier() +                self.alert_channel.send.assert_called_once_with(f"<@&{Roles.moderators}> currently silenced channels: ") +            self.alert_channel.send.reset_mock() + +    async def test_notifier_skips_alert(self): +        """Alert is skipped on first loop or not an increment of 900.""" +        test_cases = (0, 15, 5000) +        for current_loop in test_cases: +            with self.subTest(current_loop=current_loop): +                with mock.patch.object(self.notifier, "_current_loop", new=current_loop): +                    await self.notifier._notifier() +                    self.alert_channel.send.assert_not_called() + + +class SilenceTests(unittest.IsolatedAsyncioTestCase): +    def setUp(self) -> None: +        self.bot = MockBot() +        self.cog = Silence(self.bot) +        self.ctx = MockContext() +        self.cog._verified_role = None +        # Set event so command callbacks can continue. +        self.cog._get_instance_vars_event.set() + +    async def test_instance_vars_got_guild(self): +        """Bot got guild after it became available.""" +        await self.cog._get_instance_vars() +        self.bot.wait_until_guild_available.assert_called_once() +        self.bot.get_guild.assert_called_once_with(Guild.id) + +    async def test_instance_vars_got_role(self): +        """Got `Roles.verified` role from guild.""" +        await self.cog._get_instance_vars() +        guild = self.bot.get_guild() +        guild.get_role.assert_called_once_with(Roles.verified) + +    async def test_instance_vars_got_channels(self): +        """Got channels from bot.""" +        await self.cog._get_instance_vars() +        self.bot.get_channel.called_once_with(Channels.mod_alerts) +        self.bot.get_channel.called_once_with(Channels.mod_log) + +    @mock.patch("bot.cogs.moderation.silence.SilenceNotifier") +    async def test_instance_vars_got_notifier(self, notifier): +        """Notifier was started with channel.""" +        mod_log = MockTextChannel() +        self.bot.get_channel.side_effect = (None, mod_log) +        await self.cog._get_instance_vars() +        notifier.assert_called_once_with(mod_log) +        self.bot.get_channel.side_effect = None + +    async def test_silence_sent_correct_discord_message(self): +        """Check if proper message was sent when called with duration in channel with previous state.""" +        test_cases = ( +            (0.0001, f"{Emojis.check_mark} silenced current channel for 0.0001 minute(s).", True,), +            (None, f"{Emojis.check_mark} silenced current channel indefinitely.", True,), +            (5, f"{Emojis.cross_mark} current channel is already silenced.", False,), +        ) +        for duration, result_message, _silence_patch_return in test_cases: +            with self.subTest( +                silence_duration=duration, +                result_message=result_message, +                starting_unsilenced_state=_silence_patch_return +            ): +                with mock.patch.object(self.cog, "_silence", return_value=_silence_patch_return): +                    await self.cog.silence.callback(self.cog, self.ctx, duration) +                    self.ctx.send.assert_called_once_with(result_message) +            self.ctx.reset_mock() + +    async def test_unsilence_sent_correct_discord_message(self): +        """Proper reply after a successful unsilence.""" +        with mock.patch.object(self.cog, "_unsilence", return_value=True): +            await self.cog.unsilence.callback(self.cog, self.ctx) +            self.ctx.send.assert_called_once_with(f"{Emojis.check_mark} unsilenced current channel.") + +    async def test_silence_private_for_false(self): +        """Permissions are not set and `False` is returned in an already silenced channel.""" +        perm_overwrite = Mock(send_messages=False) +        channel = Mock(overwrites_for=Mock(return_value=perm_overwrite)) + +        self.assertFalse(await self.cog._silence(channel, True, None)) +        channel.set_permissions.assert_not_called() + +    async def test_silence_private_silenced_channel(self): +        """Channel had `send_message` permissions revoked.""" +        channel = MockTextChannel() +        self.assertTrue(await self.cog._silence(channel, False, None)) +        channel.set_permissions.assert_called_once() +        self.assertFalse(channel.set_permissions.call_args.kwargs['send_messages']) + +    async def test_silence_private_preserves_permissions(self): +        """Previous permissions were preserved when channel was silenced.""" +        channel = MockTextChannel() +        # Set up mock channel permission state. +        mock_permissions = PermissionOverwrite() +        mock_permissions_dict = dict(mock_permissions) +        channel.overwrites_for.return_value = mock_permissions +        await self.cog._silence(channel, False, None) +        new_permissions = channel.set_permissions.call_args.kwargs +        # Remove 'send_messages' key because it got changed in the method. +        del new_permissions['send_messages'] +        del mock_permissions_dict['send_messages'] +        self.assertDictEqual(mock_permissions_dict, new_permissions) + +    async def test_silence_private_notifier(self): +        """Channel should be added to notifier with `persistent` set to `True`, and the other way around.""" +        channel = MockTextChannel() +        with mock.patch.object(self.cog, "notifier", create=True): +            with self.subTest(persistent=True): +                await self.cog._silence(channel, True, None) +                self.cog.notifier.add_channel.assert_called_once() + +        with mock.patch.object(self.cog, "notifier", create=True): +            with self.subTest(persistent=False): +                await self.cog._silence(channel, False, None) +                self.cog.notifier.add_channel.assert_not_called() + +    async def test_silence_private_added_muted_channel(self): +        """Channel was added to `muted_channels` on silence.""" +        channel = MockTextChannel() +        with mock.patch.object(self.cog, "muted_channels") as muted_channels: +            await self.cog._silence(channel, False, None) +        muted_channels.add.assert_called_once_with(channel) + +    async def test_unsilence_private_for_false(self): +        """Permissions are not set and `False` is returned in an unsilenced channel.""" +        channel = Mock() +        self.assertFalse(await self.cog._unsilence(channel)) +        channel.set_permissions.assert_not_called() + +    @mock.patch.object(Silence, "notifier", create=True) +    async def test_unsilence_private_unsilenced_channel(self, _): +        """Channel had `send_message` permissions restored""" +        perm_overwrite = MagicMock(send_messages=False) +        channel = MockTextChannel(overwrites_for=Mock(return_value=perm_overwrite)) +        self.assertTrue(await self.cog._unsilence(channel)) +        channel.set_permissions.assert_called_once() +        self.assertIsNone(channel.set_permissions.call_args.kwargs['send_messages']) + +    @mock.patch.object(Silence, "notifier", create=True) +    async def test_unsilence_private_removed_notifier(self, notifier): +        """Channel was removed from `notifier` on unsilence.""" +        perm_overwrite = MagicMock(send_messages=False) +        channel = MockTextChannel(overwrites_for=Mock(return_value=perm_overwrite)) +        await self.cog._unsilence(channel) +        notifier.remove_channel.assert_called_once_with(channel) + +    @mock.patch.object(Silence, "notifier", create=True) +    async def test_unsilence_private_removed_muted_channel(self, _): +        """Channel was removed from `muted_channels` on unsilence.""" +        perm_overwrite = MagicMock(send_messages=False) +        channel = MockTextChannel(overwrites_for=Mock(return_value=perm_overwrite)) +        with mock.patch.object(self.cog, "muted_channels") as muted_channels: +            await self.cog._unsilence(channel) +        muted_channels.discard.assert_called_once_with(channel) + +    @mock.patch.object(Silence, "notifier", create=True) +    async def test_unsilence_private_preserves_permissions(self, _): +        """Previous permissions were preserved when channel was unsilenced.""" +        channel = MockTextChannel() +        # Set up mock channel permission state. +        mock_permissions = PermissionOverwrite(send_messages=False) +        mock_permissions_dict = dict(mock_permissions) +        channel.overwrites_for.return_value = mock_permissions +        await self.cog._unsilence(channel) +        new_permissions = channel.set_permissions.call_args.kwargs +        # Remove 'send_messages' key because it got changed in the method. +        del new_permissions['send_messages'] +        del mock_permissions_dict['send_messages'] +        self.assertDictEqual(mock_permissions_dict, new_permissions) + +    @mock.patch("bot.cogs.moderation.silence.asyncio") +    @mock.patch.object(Silence, "_mod_alerts_channel", create=True) +    def test_cog_unload_starts_task(self, alert_channel, asyncio_mock): +        """Task for sending an alert was created with present `muted_channels`.""" +        with mock.patch.object(self.cog, "muted_channels"): +            self.cog.cog_unload() +            alert_channel.send.assert_called_once_with(f"<@&{Roles.moderators}> channels left silenced on cog unload: ") +            asyncio_mock.create_task.assert_called_once_with(alert_channel.send()) + +    @mock.patch("bot.cogs.moderation.silence.asyncio") +    def test_cog_unload_skips_task_start(self, asyncio_mock): +        """No task created with no channels.""" +        self.cog.cog_unload() +        asyncio_mock.create_task.assert_not_called() + +    @mock.patch("bot.cogs.moderation.silence.with_role_check") +    @mock.patch("bot.cogs.moderation.silence.MODERATION_ROLES", new=(1, 2, 3)) +    def test_cog_check(self, role_check): +        """Role check is called with `MODERATION_ROLES`""" +        self.cog.cog_check(self.ctx) +        role_check.assert_called_once_with(self.ctx, *(1, 2, 3)) diff --git a/tests/bot/cogs/sync/test_base.py b/tests/bot/cogs/sync/test_base.py index fe0594efe..70aea2bab 100644 --- a/tests/bot/cogs/sync/test_base.py +++ b/tests/bot/cogs/sync/test_base.py @@ -1,3 +1,4 @@ +import asyncio  import unittest  from unittest import mock @@ -84,7 +85,7 @@ class SyncerSendPromptTests(unittest.IsolatedAsyncioTestCase):                  method.assert_called_once_with(constants.Channels.dev_core) -    async def test_send_prompt_returns_None_if_channel_fetch_fails(self): +    async def test_send_prompt_returns_none_if_channel_fetch_fails(self):          """None should be returned if there's an HTTPException when fetching the channel."""          self.bot.get_channel.return_value = None          self.bot.fetch_channel.side_effect = discord.HTTPException(mock.MagicMock(), "test error!") @@ -211,7 +212,7 @@ class SyncerConfirmationTests(unittest.IsolatedAsyncioTestCase):          subtests = (              (constants.Emojis.check_mark, True, None),              ("InVaLiD", False, None), -            (None, False, TimeoutError), +            (None, False, asyncio.TimeoutError),          )          for emoji, ret_val, side_effect in subtests: diff --git a/tests/bot/cogs/test_cogs.py b/tests/bot/cogs/test_cogs.py new file mode 100644 index 000000000..fdda59a8f --- /dev/null +++ b/tests/bot/cogs/test_cogs.py @@ -0,0 +1,80 @@ +"""Test suite for general tests which apply to all cogs.""" + +import importlib +import pkgutil +import typing as t +import unittest +from collections import defaultdict +from types import ModuleType +from unittest import mock + +from discord.ext import commands + +from bot import cogs + + +class CommandNameTests(unittest.TestCase): +    """Tests for shadowing command names and aliases.""" + +    @staticmethod +    def walk_commands(cog: commands.Cog) -> t.Iterator[commands.Command]: +        """An iterator that recursively walks through `cog`'s commands and subcommands.""" +        # Can't use Bot.walk_commands() or Cog.get_commands() cause those are instance methods. +        for command in cog.__cog_commands__: +            if command.parent is None: +                yield command +                if isinstance(command, commands.GroupMixin): +                    # Annoyingly it returns duplicates for each alias so use a set to fix that +                    yield from set(command.walk_commands()) + +    @staticmethod +    def walk_modules() -> t.Iterator[ModuleType]: +        """Yield imported modules from the bot.cogs subpackage.""" +        def on_error(name: str) -> t.NoReturn: +            raise ImportError(name=name)  # pragma: no cover + +        # The mock prevents asyncio.get_event_loop() from being called. +        with mock.patch("discord.ext.tasks.loop"): +            for module in pkgutil.walk_packages(cogs.__path__, "bot.cogs.", onerror=on_error): +                if not module.ispkg: +                    yield importlib.import_module(module.name) + +    @staticmethod +    def walk_cogs(module: ModuleType) -> t.Iterator[commands.Cog]: +        """Yield all cogs defined in an extension.""" +        for obj in module.__dict__.values(): +            # Check if it's a class type cause otherwise issubclass() may raise a TypeError. +            is_cog = isinstance(obj, type) and issubclass(obj, commands.Cog) +            if is_cog and obj.__module__ == module.__name__: +                yield obj + +    @staticmethod +    def get_qualified_names(command: commands.Command) -> t.List[str]: +        """Return a list of all qualified names, including aliases, for the `command`.""" +        names = [f"{command.full_parent_name} {alias}".strip() for alias in command.aliases] +        names.append(command.qualified_name) + +        return names + +    def get_all_commands(self) -> t.Iterator[commands.Command]: +        """Yield all commands for all cogs in all extensions.""" +        for module in self.walk_modules(): +            for cog in self.walk_cogs(module): +                for cmd in self.walk_commands(cog): +                    yield cmd + +    def test_names_dont_shadow(self): +        """Names and aliases of commands should be unique.""" +        all_names = defaultdict(list) +        for cmd in self.get_all_commands(): +            func_name = f"{cmd.module}.{cmd.callback.__qualname__}" + +            for name in self.get_qualified_names(cmd): +                with self.subTest(cmd=func_name, name=name): +                    if name in all_names:  # pragma: no cover +                        conflicts = ", ".join(all_names.get(name, "")) +                        self.fail( +                            f"Name '{name}' of the command {func_name} conflicts with {conflicts}." +                        ) + +                all_names[name].append(func_name) diff --git a/tests/bot/cogs/test_information.py b/tests/bot/cogs/test_information.py index 5693d2946..b5f928dd6 100644 --- a/tests/bot/cogs/test_information.py +++ b/tests/bot/cogs/test_information.py @@ -7,7 +7,7 @@ import discord  from bot import constants  from bot.cogs import information -from bot.decorators import InChannelCheckFailure +from bot.decorators import InWhitelistCheckFailure  from tests import helpers @@ -45,10 +45,9 @@ class InformationCogTests(unittest.TestCase):          _, kwargs = self.ctx.send.call_args          embed = kwargs.pop('embed') -        self.assertEqual(embed.title, "Role information") +        self.assertEqual(embed.title, "Role information (Total 1 role)")          self.assertEqual(embed.colour, discord.Colour.blurple()) -        self.assertEqual(embed.description, f"`{self.moderator_role.id}` - {self.moderator_role.mention}\n") -        self.assertEqual(embed.footer.text, "Total roles: 1") +        self.assertEqual(embed.description, f"\n`{self.moderator_role.id}` - {self.moderator_role.mention}\n")      def test_role_info_command(self):          """Tests the `role info` command.""" @@ -486,7 +485,7 @@ class UserEmbedTests(unittest.TestCase):          user.avatar_url_as.return_value = "avatar url"          embed = asyncio.run(self.cog.create_user_embed(ctx, user)) -        user.avatar_url_as.assert_called_once_with(format="png") +        user.avatar_url_as.assert_called_once_with(static_format="png")          self.assertEqual(embed.thumbnail.url, "avatar url") @@ -526,7 +525,7 @@ class UserCommandTests(unittest.TestCase):          ctx = helpers.MockContext(author=self.author, channel=helpers.MockTextChannel(id=100))          msg = "Sorry, but you may only use this command within <#50>." -        with self.assertRaises(InChannelCheckFailure, msg=msg): +        with self.assertRaises(InWhitelistCheckFailure, msg=msg):              asyncio.run(self.cog.user_info.callback(self.cog, ctx))      @unittest.mock.patch("bot.cogs.information.Information.create_user_embed", new_callable=unittest.mock.AsyncMock) diff --git a/tests/bot/cogs/test_snekbox.py b/tests/bot/cogs/test_snekbox.py index 9cd7f0154..1dec0ccaf 100644 --- a/tests/bot/cogs/test_snekbox.py +++ b/tests/bot/cogs/test_snekbox.py @@ -1,11 +1,13 @@  import asyncio  import logging  import unittest -from unittest.mock import AsyncMock, MagicMock, Mock, call, patch +from unittest.mock import AsyncMock, MagicMock, Mock, call, create_autospec, patch +from discord.ext import commands + +from bot import constants  from bot.cogs import snekbox  from bot.cogs.snekbox import Snekbox -from bot.constants import URLs  from tests.helpers import MockBot, MockContext, MockMessage, MockReaction, MockUser @@ -23,7 +25,7 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):          self.assertEqual(await self.cog.post_eval("import random"), "return")          self.bot.http_session.post.assert_called_with( -            URLs.snekbox_eval_api, +            constants.URLs.snekbox_eval_api,              json={"input": "import random"},              raise_for_status=True          ) @@ -43,10 +45,10 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):          self.assertEqual(              await self.cog.upload_output("My awesome output"), -            URLs.paste_service.format(key=key) +            constants.URLs.paste_service.format(key=key)          )          self.bot.http_session.post.assert_called_with( -            URLs.paste_service.format(key="documents"), +            constants.URLs.paste_service.format(key="documents"),              data="My awesome output",              raise_for_status=True          ) @@ -89,15 +91,15 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):                  self.assertEqual(actual, expected)      @patch('bot.cogs.snekbox.Signals', side_effect=ValueError) -    def test_get_results_message_invalid_signal(self, mock_Signals: Mock): +    def test_get_results_message_invalid_signal(self, mock_signals: Mock):          self.assertEqual(              self.cog.get_results_message({'stdout': '', 'returncode': 127}),              ('Your eval job has completed with return code 127', '')          )      @patch('bot.cogs.snekbox.Signals') -    def test_get_results_message_valid_signal(self, mock_Signals: Mock): -        mock_Signals.return_value.name = 'SIGTEST' +    def test_get_results_message_valid_signal(self, mock_signals: Mock): +        mock_signals.return_value.name = 'SIGTEST'          self.assertEqual(              self.cog.get_results_message({'stdout': '', 'returncode': 127}),              ('Your eval job has completed with return code 127 (SIGTEST)', '') @@ -279,11 +281,14 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):          """Test that the continue_eval function does continue if required conditions are met."""          ctx = MockContext(message=MockMessage(add_reaction=AsyncMock(), clear_reactions=AsyncMock()))          response = MockMessage(delete=AsyncMock()) -        new_msg = MockMessage(content='!e NewCode') +        new_msg = MockMessage()          self.bot.wait_for.side_effect = ((None, new_msg), None) +        expected = "NewCode" +        self.cog.get_code = create_autospec(self.cog.get_code, spec_set=True, return_value=expected)          actual = await self.cog.continue_eval(ctx, response) -        self.assertEqual(actual, 'NewCode') +        self.cog.get_code.assert_awaited_once_with(new_msg) +        self.assertEqual(actual, expected)          self.bot.wait_for.assert_has_awaits(              (                  call('message_edit', check=partial_mock(snekbox.predicate_eval_message_edit, ctx), timeout=10), @@ -302,6 +307,32 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):          self.assertEqual(actual, None)          ctx.message.clear_reactions.assert_called_once() +    async def test_get_code(self): +        """Should return 1st arg (or None) if eval cmd in message, otherwise return full content.""" +        prefix = constants.Bot.prefix +        subtests = ( +            (self.cog.eval_command, f"{prefix}{self.cog.eval_command.name} print(1)", "print(1)"), +            (self.cog.eval_command, f"{prefix}{self.cog.eval_command.name}", None), +            (MagicMock(spec=commands.Command), f"{prefix}tags get foo"), +            (None, "print(123)") +        ) + +        for command, content, *expected_code in subtests: +            if not expected_code: +                expected_code = content +            else: +                [expected_code] = expected_code + +            with self.subTest(content=content, expected_code=expected_code): +                self.bot.get_context.reset_mock() +                self.bot.get_context.return_value = MockContext(command=command) +                message = MockMessage(content=content) + +                actual_code = await self.cog.get_code(message) + +                self.bot.get_context.assert_awaited_once_with(message) +                self.assertEqual(actual_code, expected_code) +      def test_predicate_eval_message_edit(self):          """Test the predicate_eval_message_edit function."""          msg0 = MockMessage(id=1, content='abc') diff --git a/tests/bot/test_converters.py b/tests/bot/test_converters.py index 1e5ca62ae..ca8cb6825 100644 --- a/tests/bot/test_converters.py +++ b/tests/bot/test_converters.py @@ -8,6 +8,7 @@ from discord.ext.commands import BadArgument  from bot.converters import (      Duration, +    HushDurationConverter,      ISODateTime,      TagContentConverter,      TagNameConverter, @@ -271,3 +272,32 @@ class ConverterTests(unittest.TestCase):                  exception_message = f"`{datetime_string}` is not a valid ISO-8601 datetime string"                  with self.assertRaises(BadArgument, msg=exception_message):                      asyncio.run(converter.convert(self.context, datetime_string)) + +    def test_hush_duration_converter_for_valid(self): +        """HushDurationConverter returns correct value for minutes duration or `"forever"` strings.""" +        test_values = ( +            ("0", 0), +            ("15", 15), +            ("10", 10), +            ("5m", 5), +            ("5M", 5), +            ("forever", None), +        ) +        converter = HushDurationConverter() +        for minutes_string, expected_minutes in test_values: +            with self.subTest(minutes_string=minutes_string, expected_minutes=expected_minutes): +                converted = asyncio.run(converter.convert(self.context, minutes_string)) +                self.assertEqual(expected_minutes, converted) + +    def test_hush_duration_converter_for_invalid(self): +        """HushDurationConverter raises correct exception for invalid minutes duration strings.""" +        test_values = ( +            ("16", "Duration must be at most 15 minutes."), +            ("10d", "10d is not a valid minutes duration."), +            ("-1", "-1 is not a valid minutes duration."), +        ) +        converter = HushDurationConverter() +        for invalid_minutes_string, exception_message in test_values: +            with self.subTest(invalid_minutes_string=invalid_minutes_string, exception_message=exception_message): +                with self.assertRaisesRegex(BadArgument, exception_message): +                    asyncio.run(converter.convert(self.context, invalid_minutes_string)) diff --git a/tests/bot/test_decorators.py b/tests/bot/test_decorators.py new file mode 100644 index 000000000..a17dd3e16 --- /dev/null +++ b/tests/bot/test_decorators.py @@ -0,0 +1,147 @@ +import collections +import unittest +import unittest.mock + +from bot import constants +from bot.decorators import InWhitelistCheckFailure, in_whitelist +from tests import helpers + + +InWhitelistTestCase = collections.namedtuple("WhitelistedContextTestCase", ("kwargs", "ctx", "description")) + + +class InWhitelistTests(unittest.TestCase): +    """Tests for the `in_whitelist` check.""" + +    @classmethod +    def setUpClass(cls): +        """Set up helpers that only need to be defined once.""" +        cls.bot_commands = helpers.MockTextChannel(id=123456789, category_id=123456) +        cls.help_channel = helpers.MockTextChannel(id=987654321, category_id=987654) +        cls.non_whitelisted_channel = helpers.MockTextChannel(id=666666) +        cls.dm_channel = helpers.MockDMChannel() + +        cls.non_staff_member = helpers.MockMember() +        cls.staff_role = helpers.MockRole(id=121212) +        cls.staff_member = helpers.MockMember(roles=(cls.staff_role,)) + +        cls.channels = (cls.bot_commands.id,) +        cls.categories = (cls.help_channel.category_id,) +        cls.roles = (cls.staff_role.id,) + +    def test_predicate_returns_true_for_whitelisted_context(self): +        """The predicate should return `True` if a whitelisted context was passed to it.""" +        test_cases = ( +            InWhitelistTestCase( +                kwargs={"channels": self.channels}, +                ctx=helpers.MockContext(channel=self.bot_commands, author=self.non_staff_member), +                description="In whitelisted channels by members without whitelisted roles", +            ), +            InWhitelistTestCase( +                kwargs={"redirect": self.bot_commands.id}, +                ctx=helpers.MockContext(channel=self.bot_commands, author=self.non_staff_member), +                description="`redirect` should be implicitly added to `channels`", +            ), +            InWhitelistTestCase( +                kwargs={"categories": self.categories}, +                ctx=helpers.MockContext(channel=self.help_channel, author=self.non_staff_member), +                description="Whitelisted category without whitelisted role", +            ), +            InWhitelistTestCase( +                kwargs={"roles": self.roles}, +                ctx=helpers.MockContext(channel=self.non_whitelisted_channel, author=self.staff_member), +                description="Whitelisted role outside of whitelisted channel/category" +            ), +            InWhitelistTestCase( +                kwargs={ +                    "channels": self.channels, +                    "categories": self.categories, +                    "roles": self.roles, +                    "redirect": self.bot_commands, +                }, +                ctx=helpers.MockContext(channel=self.help_channel, author=self.staff_member), +                description="Case with all whitelist kwargs used", +            ), +        ) + +        for test_case in test_cases: +            # patch `commands.check` with a no-op lambda that just returns the predicate passed to it +            # so we can test the predicate that was generated from the specified kwargs. +            with unittest.mock.patch("bot.decorators.commands.check", new=lambda predicate: predicate): +                predicate = in_whitelist(**test_case.kwargs) + +            with self.subTest(test_description=test_case.description): +                self.assertTrue(predicate(test_case.ctx)) + +    def test_predicate_raises_exception_for_non_whitelisted_context(self): +        """The predicate should raise `InWhitelistCheckFailure` for a non-whitelisted context.""" +        test_cases = ( +            # Failing check with explicit `redirect` +            InWhitelistTestCase( +                kwargs={ +                    "categories": self.categories, +                    "channels": self.channels, +                    "roles": self.roles, +                    "redirect": self.bot_commands.id, +                }, +                ctx=helpers.MockContext(channel=self.non_whitelisted_channel, author=self.non_staff_member), +                description="Failing check with an explicit redirect channel", +            ), + +            # Failing check with implicit `redirect` +            InWhitelistTestCase( +                kwargs={ +                    "categories": self.categories, +                    "channels": self.channels, +                    "roles": self.roles, +                }, +                ctx=helpers.MockContext(channel=self.non_whitelisted_channel, author=self.non_staff_member), +                description="Failing check with an implicit redirect channel", +            ), + +            # Failing check without `redirect` +            InWhitelistTestCase( +                kwargs={ +                    "categories": self.categories, +                    "channels": self.channels, +                    "roles": self.roles, +                    "redirect": None, +                }, +                ctx=helpers.MockContext(channel=self.non_whitelisted_channel, author=self.non_staff_member), +                description="Failing check without a redirect channel", +            ), + +            # Command issued in DM channel +            InWhitelistTestCase( +                kwargs={ +                    "categories": self.categories, +                    "channels": self.channels, +                    "roles": self.roles, +                    "redirect": None, +                }, +                ctx=helpers.MockContext(channel=self.dm_channel, author=self.dm_channel.me), +                description="Commands issued in DM channel should be rejected", +            ), +        ) + +        for test_case in test_cases: +            if "redirect" not in test_case.kwargs or test_case.kwargs["redirect"] is not None: +                # There are two cases in which we have a redirect channel: +                #   1. No redirect channel was passed; the default value of `bot_commands` is used +                #   2. An explicit `redirect` is set that is "not None" +                redirect_channel = test_case.kwargs.get("redirect", constants.Channels.bot_commands) +                redirect_message = f" here. Please use the <#{redirect_channel}> channel instead" +            else: +                # If an explicit `None` was passed for `redirect`, there is no redirect channel +                redirect_message = "" + +            exception_message = f"You are not allowed to use that command{redirect_message}." + +            # patch `commands.check` with a no-op lambda that just returns the predicate passed to it +            # so we can test the predicate that was generated from the specified kwargs. +            with unittest.mock.patch("bot.decorators.commands.check", new=lambda predicate: predicate): +                predicate = in_whitelist(**test_case.kwargs) + +            with self.subTest(test_description=test_case.description): +                with self.assertRaisesRegex(InWhitelistCheckFailure, exception_message): +                    predicate(test_case.ctx) diff --git a/tests/bot/test_utils.py b/tests/bot/test_utils.py deleted file mode 100644 index d7bcc3ba6..000000000 --- a/tests/bot/test_utils.py +++ /dev/null @@ -1,37 +0,0 @@ -import unittest - -from bot import utils - - -class CaseInsensitiveDictTests(unittest.TestCase): -    """Tests for the `CaseInsensitiveDict` container.""" - -    def test_case_insensitive_key_access(self): -        """Tests case insensitive key access and storage.""" -        instance = utils.CaseInsensitiveDict() - -        key = 'LEMON' -        value = 'trees' - -        instance[key] = value -        self.assertIn(key, instance) -        self.assertEqual(instance.get(key), value) -        self.assertEqual(instance.get(key.casefold()), value) -        self.assertEqual(instance.pop(key.casefold()), value) -        self.assertNotIn(key, instance) -        self.assertNotIn(key.casefold(), instance) - -        instance.setdefault(key, value) -        del instance[key] -        self.assertNotIn(key, instance) - -    def test_initialization_from_kwargs(self): -        """Tests creating the dictionary from keyword arguments.""" -        instance = utils.CaseInsensitiveDict({'FOO': 'bar'}) -        self.assertEqual(instance['foo'], 'bar') - -    def test_update_from_other_mapping(self): -        """Tests updating the dictionary from another mapping.""" -        instance = utils.CaseInsensitiveDict() -        instance.update({'FOO': 'bar'}) -        self.assertEqual(instance['foo'], 'bar') diff --git a/tests/helpers.py b/tests/helpers.py index 8e13f0f28..2b79a6c2a 100644 --- a/tests/helpers.py +++ b/tests/helpers.py @@ -315,7 +315,7 @@ class MockTextChannel(CustomMockMixin, unittest.mock.Mock, HashableMixin):      """      spec_set = channel_instance -    def __init__(self, name: str = 'channel', channel_id: int = 1, **kwargs) -> None: +    def __init__(self, **kwargs) -> None:          default_kwargs = {'id': next(self.discord_id), 'name': 'channel', 'guild': MockGuild()}          super().__init__(**collections.ChainMap(kwargs, default_kwargs)) @@ -323,6 +323,27 @@ class MockTextChannel(CustomMockMixin, unittest.mock.Mock, HashableMixin):              self.mention = f"#{self.name}" +# Create data for the DMChannel instance +state = unittest.mock.MagicMock() +me = unittest.mock.MagicMock() +dm_channel_data = {"id": 1, "recipients": [unittest.mock.MagicMock()]} +dm_channel_instance = discord.DMChannel(me=me, state=state, data=dm_channel_data) + + +class MockDMChannel(CustomMockMixin, unittest.mock.Mock, HashableMixin): +    """ +    A MagicMock subclass to mock TextChannel objects. + +    Instances of this class will follow the specifications of `discord.TextChannel` instances. For +    more information, see the `MockGuild` docstring. +    """ +    spec_set = dm_channel_instance + +    def __init__(self, **kwargs) -> None: +        default_kwargs = {'id': next(self.discord_id), 'recipient': MockUser(), "me": MockUser()} +        super().__init__(**collections.ChainMap(kwargs, default_kwargs)) + +  # Create a Message instance to get a realistic MagicMock of `discord.Message`  message_data = {      'id': 1, | 
