diff options
| author | 2024-07-11 22:54:06 +0100 | |
|---|---|---|
| committer | 2024-07-11 22:54:06 +0100 | |
| commit | 23e6be148ee301ee660ffb9826e86ce621591d0f (patch) | |
| tree | beffcfb2d2ee030d11439a29057ac3cd41a73a7c /backend | |
| parent | Merge pull request #281 from python-discord/jb3/components/vote-field (diff) | |
| parent | Ensure requested condorcet calculations are on vote components (diff) | |
Merge pull request #282 from python-discord/jb3/features/condorcet-count
Add Condorcet count endpoint
Diffstat (limited to 'backend')
| -rw-r--r-- | backend/__init__.py | 14 | ||||
| -rw-r--r-- | backend/routes/forms/condorcet.py | 104 | 
2 files changed, 117 insertions, 1 deletions
| diff --git a/backend/__init__.py b/backend/__init__.py index 67015d7..c2e1335 100644 --- a/backend/__init__.py +++ b/backend/__init__.py @@ -1,9 +1,12 @@  import sentry_sdk  from sentry_sdk.integrations.asgi import SentryAsgiMiddleware  from starlette.applications import Starlette +from starlette.exceptions import HTTPException  from starlette.middleware import Middleware  from starlette.middleware.authentication import AuthenticationMiddleware  from starlette.middleware.cors import CORSMiddleware +from starlette.requests import Request +from starlette.responses import JSONResponse  from backend import constants  from backend.authentication import JWTAuthenticationBackend @@ -47,5 +50,14 @@ middleware = [      Middleware(ProtectedDocsMiddleware),  ] -app = Starlette(routes=create_route_map(), middleware=middleware) + +async def http_exception(_request: Request, exc: HTTPException) -> JSONResponse:  # noqa: RUF029 +    return JSONResponse({"detail": exc.detail}, status_code=exc.status_code) + + +exception_handlers = {HTTPException: http_exception} + +app = Starlette( +    routes=create_route_map(), middleware=middleware, exception_handlers=exception_handlers +)  api.register(app) diff --git a/backend/routes/forms/condorcet.py b/backend/routes/forms/condorcet.py new file mode 100644 index 0000000..902770b --- /dev/null +++ b/backend/routes/forms/condorcet.py @@ -0,0 +1,104 @@ +"""Calculate the condorcet winner for a given question on a poll.""" + +from condorcet import CondorcetEvaluator +from pydantic import BaseModel +from spectree import Response +from starlette import exceptions +from starlette.authentication import requires +from starlette.requests import Request +from starlette.responses import JSONResponse + +from backend import discord +from backend.models import Form, FormResponse, Question +from backend.route import Route +from backend.validation import api + + +class CondorcetResponse(BaseModel): +    question: Question +    winners: list[str] +    rest_of_table: dict + + +class InvalidCondorcetRequest(exceptions.HTTPException): +    """The request for a condorcet calculation was invalid.""" + + +def reprocess_vote_object(vote: dict[str, int | None], number_options: int) -> dict[str, int]: +    """Reprocess votes so all no-preference votes are re-ranked as last (equivalent in Condorcet).""" +    vote_object = {} + +    for option, score in vote.items(): +        vote_object[option] = score or number_options + +    return vote_object + + +class Condorcet(Route): +    """Run a condorcet calculation on the given question on a form.""" + +    name = "form_condorcet" +    path = "/{form_id:str}/condorcet/{question_id:str}" + +    @requires(["authenticated"]) +    @api.validate( +        resp=Response(HTTP_200=CondorcetResponse), +        tags=["forms", "responses", "condorcet"], +    ) +    async def get(self, request: Request) -> JSONResponse: +        """ +        Run and return the condorcet winner for a poll. + +        Optionally takes a `?winners=` parameter specifying the number of winners to calculate. +        """ +        form_id = request.path_params["form_id"] +        question_id = request.path_params["question_id"] +        num_winners = request.query_params.get("winners", "1") + +        try: +            num_winners = int(num_winners) +        except ValueError: +            raise InvalidCondorcetRequest(detail="Invalid number of winners", status_code=400) + +        await discord.verify_response_access(form_id, request) + +        # We can assume we have a form now because verify_response_access +        # checks for form existence. +        form_data = Form(**(await request.state.db.forms.find_one({"_id": form_id}))) + +        questions = [question for question in form_data.questions if question.id == question_id] + +        if len(questions) != 1: +            raise InvalidCondorcetRequest(detail="Question not found", status_code=400) + +        question = questions[0] + +        if num_winners > len(question.data["options"]): +            raise InvalidCondorcetRequest( +                detail="Requested more winners than there are candidates", status_code=400 +            ) + +        if question.type != "vote": +            raise InvalidCondorcetRequest( +                detail="Requested question is not a condorcet vote component", status_code=400 +            ) + +        cursor = request.state.db.responses.find( +            {"form_id": form_id}, +        ) +        responses = [FormResponse(**response) for response in await cursor.to_list(None)] + +        votes = [ +            reprocess_vote_object(response.response[question_id], len(question.data["options"])) +            for response in responses +        ] + +        evaluator = CondorcetEvaluator(candidates=question.data["options"], votes=votes) + +        winners, rest_of_table = evaluator.get_n_winners(num_winners) + +        return JSONResponse({ +            "question": question.dict(), +            "winners": winners, +            "rest_of_table": rest_of_table, +        }) | 
