Skip to content

Commit

Permalink
Add error handling
Browse files Browse the repository at this point in the history
Create custom error classes for easier debugging
Update test suite and mock server to test error handling
Update README.md
  • Loading branch information
graydenshand committed May 28, 2021
1 parent 7e8de40 commit 37bcffd
Show file tree
Hide file tree
Showing 9 changed files with 452 additions and 60 deletions.
96 changes: 82 additions & 14 deletions README.md
Original file line number Diff line number Diff line change
Expand Up @@ -4,65 +4,127 @@
<a href="https://codecov.io/gh/graydenshand/fluent_discourse"><img src="https://codecov.io/gh/graydenshand/fluent_discourse/branch/main/graph/badge.svg?token=Z9RR4GWFXI" alt="Code Coverage" /></a>
</p>

This package implements a fluent interface to the Discourse API.
This package implements a [fluent interface](https://en.wikipedia.org/wiki/Fluent_interface) to the Discourse API.

What does that mean?

Instead of mapping every endpoint and method to a unique function, we present a framework for making any request.

This means, with very little code, this package is fully compatible with the Discourse API. This includes undocumented endpoints as well as endpoints that have yet to be created.
This means, with very little code, **this package is fully compatible with the Discourse API, including undocumented endpoints, endpoints from plugins, and endpoints that have yet to be created.**

## Installation
The easiest way to install is via PyPI
```bash
pip install fluent-discourse
```


## Usage
### Setting up a client
Set up a client by specifying a base_url, username, and api_key for it to use.

```python
from fluent_discourse import Discourse

client = Discourse(base_url="http://localhost:3000", username="test_user", api_key="a0a2d176b3cfbadd36ac2f46ccbd701bf45dfd6f47836e99d570bf7e0ae04af8")
client = Discourse(base_url="http://localhost:3000", username="test_user", api_key="a0a2d176b3cfbadd36ac2f46ccbd701bf45dfd6f47836e99d570bf7e0ae04af8", raise_for_rate_limit=True)
```

Or, you can set three environment variables:
```language
export DISCOURSE_URL=http://localhost:3000
export DISCOURSE_USERNAME=test_user
export DISCOURSE_API_KEY=a0a2d176b3cfbadd36ac2f46ccbd701bf45dfd6f47836e99d570bf7e0ae04af8
```
Then you can use the `from_env()` class method to instantiate the client:
```python
from fluent_discourse import Discourse
client = Discourse.from_env(raise_for_rate_limit=False)
```

In either case, the `raise_for_rate_limit` parameter is optional (defaults to True) and controls how the client will respond to RateLimitErrors. If `True`, the client will raise a `RateLimitError`; if `False`, it will wait the suggested time for the RateLimit counter to reset and retry the request.

Once your client is initialized, you can can begin making requests. Let's take an example to see how this works.
Once your client is initialized, you can can begin making requests. Let's first take an example to see how this works.

### Basic Example
Let's say we want to get the latest posts, [here's the appropriate endpoint](https://docs.discourse.org/#tag/Posts/paths/~1posts.json/get). We need to make a `GET` request to `/posts.json`. Here's how you do it with the client we've set up.

```python
latest = client.posts.json.get()
```

I hope that gives you an idea of how this works. Instead of calling a specific function that is mapped to this endpoint/method combination, we construct the request dynamically using a form of method chaining.
I hope that gives you an idea of how this works. Instead of calling a specific function that is mapped to this endpoint/method combination, we construct the request dynamically using a form of method chaining. Finally, we use the special methods `get()`, `put()`, `post()`, or `delete()` to trigger a request to the specified endpoint.


### Passing IDs and Python Reserved Words
Let's look at another example. This time we want to add users to a group, [here's the endpoint we want to hit](https://docs.discourse.org/#tag/Groups/paths/~1groups~1{id}~1members.json/put). Specifically, we want to add users to the group with `id=5`, so we need to send a `PUT` request to `/groups/5/members.json`.

Here's how to do that with this package:
```python
data = {
"usernames": "username1,username2"
}
client.groups[5].members.json.put(data=data)
client.groups[5].members.json.put(data)
```
Notice that we use a slightly different syntax ("indexed at" brackets) to pass in numbers. This is because of the naming constraints of python attributes. We also run into problems with reserved words like `for` and `is`.

If you ever need to construct a URL that contains numbers or reserved words, there are two methods.

```python
# These throw Syntax errors
## Numbers are not allowed
client.groups.5.members.json.put(data)
## "is" and "for" are reserved words
client.is.this.for.me.get()

# Valid approaches
## Using brackets
client.groups[5].members.json.put(data)
## Using the _() method
client._("is").this._("for").me.get()
```

As you can see, you can either use brackets `[]` or the underscore method `_()` to handle integers or reserved words.

### Passing data
The `get()`, `put()`, `post()`, and `delete()` methods each take a single optional argument, `data`, which is a dictionary of data to pass along with the request.

A few things to note here:
* We can inject numbers into the endpoint using the "index at" bracket syntax `...groups[5]...`.
* Data for the request is passed as a dictionary to the `data` parameter.
For the `put()`, `post()`, and `delete()` methods the data is sent in the body of the request (as JSON).

For the `get()` method the data is added to the url as query parameters.

### Exceptions
There are a few custom exceptions defined in this class.

`DiscourseError`
* A catch all, and parent class for errors resulting from this package. Raised when Discourse responds with an error that doesn't fall into the other, more specific, categories (e.g. a 500 error).

`UnauthorizedError`
* Raised when Discourse responds with a 403 error, and indicates that invalid credentials were used to set up the client.

`RateLimitError`
* Triggered when Discourse responds with a 429 response and the client is configured with `raise_for_rate_limit=True`.

`PageNotFoundError`
* Raised when Discourse responds with a 404, indicating either that the page does not exist or the current user does not have access to that page.

You can import any of these errors directly from the package.
```python
from fluent_discourse import DiscourseError
```

## Contributing
Thanks for your interest in contributing to this project! For bug tracking and other issues please use the issue tracker on GitHub.

### Testing
Tests are run through tox. They are split into unit and integration tests. The integration tests require a live discourse. As such all tests should strive to be idempotent; however, despite striving to be idempotent it's still recommended to set up a local install of Discourse to run the tests against. All that's needed is a single admin user and an api key.
This package strives for 100% test coverage. Tests are run through tox. They are split into unit and integration tests. Unit tests are self contained, integration tests send requests to a server.

Although all integration tests have been tested against a live Discourse server, we set up a mock-server for CI testing.

Three environment variables are required to set up the test client:
* `DISCOURSE_URL`: The base url of the discourse (e.g. `http://localhost:4200`)
* `DISCOURSE_USERNAME`: The username of the user to interact as, importantly the tests require that this user has admin privileges.
* `DISCOURSE_API_KEY`: An API key configured to work with the specified user. This key should have global scopes.

To run **all** tests:
To run **all** tests (against a live discourse):
```bash
tox
```
Expand All @@ -72,11 +134,18 @@ To run just **unit** tests:
tox -- -m "not integration"
```

To run just **integration** tests:
To run just **integration** tests (against a live discourse):
```bash
tox -- -m "integration"
```

To set up the mock server and run the tests against that, set your `DISCOURSE_URL` env variable to `http://127.0.0.1:5000` and run:
```bash
./run_tests_w_mock_server.sh
```

100% test coverage is important. If you make changes, please ensure those changes are reflected in the tests as well. Particularly for integration tests, run them both against a live discourse server and the mock server. Please extend and adjust the mock server as necessary to reproduce the test results on a live server accurately.

### Style Linting
Please use [black](https://github.com/psf/black) to reformat any code changes before committing those changes.

Expand All @@ -85,7 +154,6 @@ Just run:
black .
```


## Acknowledgements
I stole the idea for a fluent API interface (and some code as a starting point) from SendGrid's Python API. [Here's a resouce that explains their approach](https://sendgrid.com/blog/using-python-to-implement-a-fluent-interface-to-any-rest-api/).

Expand Down
7 changes: 3 additions & 4 deletions setup.cfg
Original file line number Diff line number Diff line change
@@ -1,15 +1,14 @@
[metadata]
name = fluent-discourse
version = 0.0.1
version = 1.0.0
author = Grayden Shand
author_email = [email protected]
description = A fluent interface to the Discourse API
long_description = file: README.md
long_description_content_type = text/markdown
url = https://github.com/graydenshand/fluid_discourse
url = https://github.com/graydenshand/fluent_discourse
project_urls =
Bug Tracker = https://github.com/graydenshand/fluid_discourse/issues
Discussions = https://github.com/graydenshand/fluid_discourse/discussions
Bug Tracker = https://github.com/graydenshand/fluent_discourse/issues
classifiers =
Programming Language :: Python :: 3
License :: OSI Approved :: MIT License
Expand Down
1 change: 1 addition & 0 deletions src/fluent_discourse/__init__.py
Original file line number Diff line number Diff line change
@@ -1 +1,2 @@
from .discourse import Discourse
from .errors import *
87 changes: 72 additions & 15 deletions src/fluent_discourse/discourse.py
Original file line number Diff line number Diff line change
@@ -1,62 +1,119 @@
import requests
from json.decoder import JSONDecodeError
from .errors import *
import time
import logging
import os
from copy import deepcopy

logger = logging.getLogger(__name__)
logger.addHandler(logging.NullHandler())


class Discourse:
def __init__(self, base_url, username, api_key, cache=None):
def __init__(
self, base_url, username, api_key, cache=None, raise_for_rate_limit=True
):
if base_url[-1] == "/":
# Remove trailing slash from base_url
base_url = base_url[:-1]
self._base_url = base_url
self._username = username
self._api_key = api_key
self._cache = cache or []
self._raise_for_rate_limit = raise_for_rate_limit
self._headers = {
"Content-Type": "application/json",
"Api-Username": self._username,
"Api-Key": self._api_key,
}

@staticmethod
def from_env(raise_for_rate_limit=True):
base_url = os.environ.get("DISCOURSE_URL")
username = os.environ.get("DISCOURSE_USERNAME")
api_key = os.environ.get("DISCOURSE_API_KEY")
return Discourse(
base_url, username, api_key, raise_for_rate_limit=raise_for_rate_limit
)

def _(self, name):
# Add name to cache, return self
self._cache += [str(name)]
return self

def request(self, method, data=None, params=None):
# Make a request
url = self._make_url()
return Discourse(
self._base_url,
self._username,
self._api_key,
self._cache + [str(name)],
self._raise_for_rate_limit,
)

def _request(self, method, url, data=None, params=None):
r = requests.request(
method, url, json=data, params=params, headers=self._headers
)

# Clear cache
self._cache = []

if r.status_code == 200:
try:
return r.json()
except JSONDecodeError as e:
# Request succeeded but response body was not valid JSON
return r.text
else:
r.raise_for_status()
return self._handle_error(r, method, url, data, params)

def _handle_error(self, response, method, url, data, params):
self._cache = []
if response.status_code == 404:
raise PageNotFoundError(
f"The requested page was not found, or you do not have permission to access it: {response.url}"
)
elif response.status_code == 403:
raise UnauthorizedError("Invalid credentials")
elif response.status_code == 429:
if self._raise_for_rate_limit:
raise RateLimitError("Rate limit hit")
else:
self._wait_for_rate_limit(response, method, url, data, params)
return self._request(method, url, data, params)
else:
raise DiscourseError(
f"Unhandled discourse exception: {response.status_code} - {response.text}"
)

def _wait_for_rate_limit(self, response, method, url, data, params):
# get the number of seconds to wait before retrying, add 1 for 0 errors
wait_seconds = int(response.json()["extras"]["wait_seconds"]) + 1
# add piece to rate limit and then try again
logger.warning(
f"Discourse rate limit hit, trying again in {wait_seconds} seconds"
)
# sleep for wait_seconds
time.sleep(wait_seconds)
return

def get(self, data=None):
# Make a get request
return self.request("GET", params=data)
url = self._make_url()
self._cache = []
return self._request("GET", url, params=data)

def post(self, data=None):
# Make a post request
return self.request("POST", data=data)
url = self._make_url()
self._cache = []
return self._request("POST", url, data=data)

def put(self, data=None):
# Make a put request
return self.request("PUT", data=data)
url = self._make_url()
self._cache = []
return self._request("PUT", url, data=data)

def delete(self, data=None):
# Make a delete request
return self.request("DELETE", data=data)
url = self._make_url()
self._cache = []
return self._request("DELETE", url, data=data)

def _make_url(self):
# Build the request url from cache segments
Expand Down
14 changes: 14 additions & 0 deletions src/fluent_discourse/errors.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,14 @@
class DiscourseError(Exception):
pass


class RateLimitError(DiscourseError):
pass


class UnauthorizedError(DiscourseError):
pass


class PageNotFoundError(DiscourseError):
pass
Loading

0 comments on commit 37bcffd

Please sign in to comment.