aboutsummaryrefslogtreecommitdiff
path: root/labbot/addons/dashboard/__init__.py
blob: d1c08c26de5c937625beacd1561a0ab9aee6d7cf (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
"""
a web dashboard for lab-bot
"""
import os
import logging
import json
import time
from functools import wraps

import aiohttp
import jinja2
import aiohttp_jinja2 # type: ignore
from itsdangerous.url_safe import URLSafeSerializer
from itsdangerous.exc import BadSignature

from labbot import __version__ as labbot_version
from labbot.config import Config

log = logging.getLogger(__name__)

config = Config(__name__)
config.set_global_data(
    accounts={
        "admin":"admin"
    },
    secret="secret",
    salt="salt123"
)

class BufferHandler(logging.Handler):
    def __init__(self, lines=-1):
        super().__init__(level=logging.DEBUG)
        self.log_buffer = []
        self.lines = lines

    def emit(self, record):

        try:
            msg = self.format(record)
            return self.log_buffer.append(msg)
        finally:
            if self.lines > 0:
                while len(self.log_buffer) > self.lines:
                    self.log_buffer.remove(0)

auth_s = URLSafeSerializer(config["secret"], config["salt"])
def check_auth():
    def decorator(func):
        @wraps(func)
        async def wrapper(*args, **kwargs):
            full_kwargs = kwargs.copy()
            full_kwargs.update(zip(func.__code__.co_varnames, args))
            try:
                request = full_kwargs["coro"]
            except KeyError:
                try:
                    request = full_kwargs["args"]
                except KeyError:
                    request = full_kwargs["request"]

            try:
                session = request.cookies["session"]
                data = auth_s.loads(session)
                return await func(*args, **kwargs)
            except (KeyError, BadSignature):
                resp = aiohttp.web.HTTPFound(
                    location='/login',
                    headers=request.headers
                )
                resp.del_cookie("session")
                raise resp 


        return wrapper
    return decorator

def set_auth():
    def decorator(func):
        @wraps(func)
        async def wrapper(*args, **kwargs):
            full_kwargs = kwargs.copy()
            full_kwargs.update(zip(func.__code__.co_varnames, args))
            try:
                request = full_kwargs["coro"]
            except KeyError:
                try:
                    request = full_kwargs["args"]
                except KeyError:
                    request = full_kwargs["request"]

            if request.method == "POST":
                data = await request.post()
                try:
                    username = data["username"]
                    password = data["password"]
                    if config["accounts"].get(username, "") == password:
                        resp = aiohttp.web.HTTPFound(
                            location='/',
                            headers=request.headers
                        )
                        resp.set_cookie("session", auth_s.dumps({"time": time.time(), "username": username}), max_age=300)
                        raise resp
                except KeyError:
                    pass
            return await func(*args, **kwargs)

        return wrapper
    return decorator

class Dashboard:

    def __init__(self, bot):
        self.bot = bot
        self.app = self.bot.instance.app

        formatter = logging.Formatter(
            "[{asctime}] [{levelname}] {name}: {message}", datefmt="%Y-%m-%d %H:%M:%S", style="{"
        )

        self.buffer_handler = BufferHandler()
        self.buffer_handler.setFormatter(formatter)

        root_logger = logging.getLogger()
        root_logger.addHandler(self.buffer_handler)
        del root_logger

        dashboard_dir = os.path.join(os.path.dirname(__file__), "templates")
        aiohttp_jinja2.setup(
            self.app,
            context_processors=[self.processor],
            loader=jinja2.FileSystemLoader(dashboard_dir))

        self.pages = [
            ["/",           self.dashboard],
            ["/log",        self.log],
            ["/settings",   self.settings],
        ]

        for addon in self.bot.addons:
            self.pages.append([f"/settings/{addon}", self.addon_settings(addon)])

        for page in self.pages:
            endpoint, func = page
            self.app.router.add_get(endpoint, func)
        self.app.router.add_get("/login", self.login)
        self.app.router.add_post("/login", self.login)
        self.app.router.add_get("/logout", self.logout)

    @check_auth()
    @aiohttp_jinja2.template('index.html')
    async def dashboard(self, request: aiohttp.web.Request) -> dict:
        return {}

    @check_auth()
    @aiohttp_jinja2.template('log.html')
    async def log(self, request: aiohttp.web.Request) -> dict:
        return {}

    @check_auth()
    @aiohttp_jinja2.template('settings.html')
    async def settings(self, request: aiohttp.web.Request) -> dict:
        return {}

    def addon_settings(self, addon):
        @check_auth()
        @aiohttp_jinja2.template('addon_settings.html')
        async def _settings(request: aiohttp.web.Request) -> dict:
            c = Config(addon, self.bot.name)
            return {
                "addon_settings": c.settings
            }

        return _settings

    @set_auth()
    @aiohttp_jinja2.template('login.html')
    async def login(self, request: aiohttp.web.Request) -> dict:
        return {}

    @check_auth()
    async def logout(self, request: aiohttp.web.Request):
        resp = aiohttp.web.HTTPFound(
            location='/login',
            headers=request.headers
        )
        resp.del_cookie("session")
        return resp 

    async def processor(self, request) -> dict:
        return {
            "bot": {
                "name": self.bot.name,
                "version": labbot_version,
                "addons": self.bot.addons,
                "config": self.bot.config,

                "log": "\n".join(self.buffer_handler.log_buffer)
            }
        }

    async def event_processor(self, *args, **kwargs):
        self.event_counter += 1

def setup(bot):
    config.setup(__name__, bot.name)
    config.save()
    Dashboard(bot)