matrix-webhook/matrix_webhook.py

190 lines
5.1 KiB
Python
Raw Normal View History

2019-02-10 19:29:55 -05:00
#!/usr/bin/env python3
2019-02-10 16:22:09 -05:00
"""
2020-03-08 17:10:32 -04:00
Matrix Webhook.
2019-02-17 05:46:00 -05:00
Post a message to a matrix room with a simple HTTP POST
2019-02-10 16:22:09 -05:00
"""
2021-07-14 11:12:55 -04:00
import argparse
2020-02-14 13:18:51 -05:00
import asyncio
import json
2021-07-14 11:12:55 -04:00
import logging
2019-02-10 18:38:08 -05:00
import os
2020-03-11 05:08:13 -04:00
from http import HTTPStatus
from signal import SIGINT, SIGTERM
2019-02-10 16:22:09 -05:00
2020-02-14 13:18:51 -05:00
from aiohttp import web
from markdown import markdown
2020-02-16 07:47:00 -05:00
from nio import AsyncClient
2020-07-28 15:56:05 -04:00
from nio.exceptions import LocalProtocolError
2019-02-10 18:38:08 -05:00
2021-07-14 11:12:55 -04:00
parser = argparse.ArgumentParser(description=__doc__)
parser.add_argument(
"-H",
"--host",
default=os.environ.get("HOST", ""),
help="host to listen to. Default: `''`. Environment variable: `HOST`",
)
parser.add_argument(
"-P",
"--port",
type=int,
default=os.environ.get("PORT", 4785),
help="port to listed to. Default: 4785. Environment variable: `PORT`",
)
parser.add_argument(
"-u",
"--matrix-url",
default=os.environ.get("MATRIX_URL", "https://matrix.org"),
help="matrix homeserver url. Default: `https://matrix.org`. Environment variable: `MATRIX_URL`",
)
parser.add_argument(
"-i",
"--matrix-id",
help="matrix user-id. Required. Environment variable: `MATRIX_ID`",
**(
{"default": os.environ["MATRIX_ID"]}
if "MATRIX_ID" in os.environ
else {"required": True}
),
)
parser.add_argument(
"-p",
"--matrix-pw",
help="matrix password. Required. Environment variable: `MATRIX_PW`",
**(
{"default": os.environ["MATRIX_PW"]}
if "MATRIX_PW" in os.environ
else {"required": True}
),
)
parser.add_argument(
"-k",
"--api-key",
help="shared secret to use this service. Required. Environment variable: `API_KEY`",
**(
{"default": os.environ["API_KEY"]}
if "API_KEY" in os.environ
else {"required": True}
),
)
parser.add_argument(
"-v", "--verbose", action="count", default=0, help="increment verbosity level"
)
args = parser.parse_args()
SERVER_ADDRESS = (args.host, args.port)
MATRIX_URL = args.matrix_url
MATRIX_ID = args.matrix_id
MATRIX_PW = args.matrix_pw
API_KEY = args.api_key
CLIENT = AsyncClient(args.matrix_url, args.matrix_id)
2021-07-14 14:00:52 -04:00
LOGGER = logging.getLogger("matrix-webhook")
2019-02-10 18:38:08 -05:00
2020-02-14 13:18:51 -05:00
async def handler(request):
2019-02-10 18:38:08 -05:00
"""
2020-02-14 13:18:51 -05:00
Coroutine given to the server, st. it knows what to do with an HTTP request.
2020-03-08 17:10:32 -04:00
2020-02-14 13:18:51 -05:00
This one handles a POST, checks its content, and forwards it to the matrix room.
2019-02-10 18:38:08 -05:00
"""
2021-07-14 14:00:52 -04:00
LOGGER.debug(f"Handling {request=}")
2020-02-16 07:47:00 -05:00
data = await request.read()
2020-06-08 03:59:51 -04:00
try:
data = json.loads(data.decode())
except json.decoder.JSONDecodeError:
2021-07-13 05:28:13 -04:00
return create_json_response(HTTPStatus.BAD_REQUEST, "Invalid JSON")
2021-07-13 05:28:13 -04:00
if not all(key in data for key in ["text", "key"]):
return create_json_response(
HTTPStatus.BAD_REQUEST, "Missing text and/or API key property"
)
2021-07-13 05:28:13 -04:00
if data["key"] != API_KEY:
return create_json_response(HTTPStatus.UNAUTHORIZED, "Invalid API key")
room_id = request.path[1:]
content = {
2021-07-13 05:28:13 -04:00
"msgtype": "m.text",
"body": data["text"],
"format": "org.matrix.custom.html",
"formatted_body": markdown(str(data["text"]), extensions=["extra"]),
}
try:
await send_room_message(room_id, content)
2021-07-14 11:12:55 -04:00
except LocalProtocolError as e: # Connection lost, try another login
2021-07-14 14:00:52 -04:00
LOGGER.error(f"Send error: {e}")
LOGGER.warning("Reconnecting and trying again")
await CLIENT.login(MATRIX_PW)
await send_room_message(room_id, content)
2021-07-13 05:28:13 -04:00
return create_json_response(HTTPStatus.OK, "OK")
def create_json_response(status, ret):
"""Create a JSON response."""
2021-07-14 14:00:52 -04:00
LOGGER.debug(f"Creating json response: {status=}, {ret=}")
2021-07-13 05:28:13 -04:00
response_data = {"status": status, "ret": ret}
return web.json_response(response_data, status=status)
2019-02-10 16:22:09 -05:00
async def send_room_message(room_id, content):
"""Send a message to a room."""
2021-07-14 14:00:52 -04:00
LOGGER.debug(f"Sending room message in {room_id=}: {content=}")
2021-07-13 05:28:13 -04:00
return await CLIENT.room_send(
room_id=room_id, message_type="m.room.message", content=content
)
async def main(event):
2020-02-16 07:47:00 -05:00
"""
2020-03-08 17:10:32 -04:00
Launch main coroutine.
2020-02-16 07:47:00 -05:00
matrix client login & start web server
"""
2021-07-14 14:00:52 -04:00
LOGGER.info(f"Log in {MATRIX_ID=} on {MATRIX_URL=}")
2020-02-16 07:47:00 -05:00
await CLIENT.login(MATRIX_PW)
2020-02-14 13:18:51 -05:00
server = web.Server(handler)
runner = web.ServerRunner(server)
await runner.setup()
2021-07-14 14:00:52 -04:00
LOGGER.info(f"Binding on {SERVER_ADDRESS=}")
2020-02-14 13:18:51 -05:00
site = web.TCPSite(runner, *SERVER_ADDRESS)
await site.start()
# Run until we get a shutdown request
await event.wait()
# Cleanup
await runner.cleanup()
await CLIENT.close()
def terminate(event, signal):
2020-03-08 17:10:32 -04:00
"""Close handling stuff."""
event.set()
2020-03-11 05:06:53 -04:00
asyncio.get_event_loop().remove_signal_handler(signal)
2019-02-10 16:22:09 -05:00
2020-03-11 05:06:53 -04:00
def run():
"""Launch everything."""
2021-07-14 14:00:52 -04:00
LOGGER.info("Starting...")
2020-02-14 13:18:51 -05:00
loop = asyncio.get_event_loop()
event = asyncio.Event()
for sig in (SIGINT, SIGTERM):
loop.add_signal_handler(sig, terminate, event, sig)
loop.run_until_complete(main(event))
2020-02-14 13:18:51 -05:00
2021-07-14 14:00:52 -04:00
LOGGER.info("Closing...")
2020-02-14 13:18:51 -05:00
loop.close()
2020-03-11 05:06:53 -04:00
2021-07-13 05:28:13 -04:00
if __name__ == "__main__":
2021-07-14 14:00:52 -04:00
log_format = "%(asctime)s - %(name)s - %(lineno)d - %(levelname)s - %(message)s"
logging.basicConfig(level=50 - 10 * args.verbose, format=log_format)
2020-03-11 05:06:53 -04:00
run()