aboutsummaryrefslogtreecommitdiffstats
path: root/snag/graphs.py
blob: 2f4966c0fcb108a141fdc0ec2e5b9113793c9338 (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
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
# snag
# Matt Kohls
# (c) 2023

import functools
from flask import (
    Blueprint, flash, g, redirect, render_template, request, session, url_for, Response
)
from werkzeug.exceptions import abort
from datetime import datetime, timedelta
from dateutil import parser
from io import BytesIO
from matplotlib.figure import Figure
import matplotlib.dates as mdates
from snag.db import get_db

bp = Blueprint('graph', __name__, url_prefix='/graph')

def get_table(env):
    if env == 'outdoor':
        return 'env_outdoor'
    elif env == 'indoor':
        return 'env_indoor'
    elif env == 'enclosed':
        return 'env_enclosed'
    else:
        return None

def get_current(requestArgs, columns, table):
    # start and end should be formatted YYYYMMDDHHMMSS
    start = requestArgs.get('start')
    end = requestArgs.get('end')
    env = requestArgs.get('type')
    deviceId = request.args.get('deviceId')

    # Sets default dates of information to be fetched, starttime will default to one day behind endtime, which defaults to now
    if end is None:
        endtime = datetime.now()
    else:
        endtime = datetime.strptime(end, "%Y%m%d%H%M%S")
    if start is None:
        starttime = endtime - timedelta(days=1)
    else:
        starttime = datetime.strptime(start, "%Y%m%d%H%M%S")

    if endtime < starttime:
        temp = starttime
        starttime = endtime
        endtime = temp

    if deviceId is None:
        deviceId = 1

    db = get_db()

    if table is not None:
        sql = (f"SELECT {columns} "
               f"FROM {table} "
                "WHERE (date BETWEEN ? AND ?) AND deviceId = ?")
        subset = db.execute(sql, [starttime.isoformat(" ", "seconds"), endtime.isoformat(" ", "seconds"), deviceId])
    else:
        subset = None

    return subset

def single_line_graph(xData, yData, xLabel, yLabel, title, lineColor):
    fig = Figure()
    ax = fig.subplots()
    locator = mdates.AutoDateLocator(minticks=3, maxticks=7)
    formatter = mdates.ConciseDateFormatter(locator)

    ax.xaxis.set_major_locator(locator)
    ax.xaxis.set_major_formatter(formatter)
    ax.plot(xData, yData, color=lineColor)
    ax.set_xlabel(xLabel)
    ax.set_ylabel(yLabel)
    ax.set_title(title)

    buf = BytesIO()
    fig.savefig(buf, format="png")

    return buf

def double_line_graph(xData, yData1, yData2, xLabel, yLabel1, yLabel2, title, line1Color, line2Color, line1Label, line2Label):
    fig = Figure()
    ax = fig.subplots()
    bx = ax.twinx()
    locator = mdates.AutoDateLocator(minticks=3, maxticks=7)
    formatter = mdates.ConciseDateFormatter(locator)

    ax.xaxis.set_major_locator(locator)
    ax.xaxis.set_major_formatter(formatter)
    bx.xaxis.set_major_locator(locator)
    bx.xaxis.set_major_formatter(formatter)
    aline, = ax.plot(xData, yData1, color=line1Color, label=line1Label)
    ax.set_xlabel(xLabel)
    ax.set_ylabel(yLabel1)
    ax.set_title(title)
    bline, = bx.plot(xData, yData2, color=line2Color, label=line2Label)
    bx.set_ylabel(yLabel2)

    lines = [aline, bline]
    ax.legend(lines, [l.get_label() for l in lines])

    buf = BytesIO()
    fig.savefig(buf, format="png")

    return buf

def double_y_graph(xData, yData1, yData2, xLabel, yLabel1, yLabel2, title, line1Color):
    fig = Figure()
    ax = fig.subplots()
    bx = ax.twinx()
    locator = mdates.AutoDateLocator(minticks=3, maxticks=7)
    formatter = mdates.ConciseDateFormatter(locator)

    ax.xaxis.set_major_locator(locator)
    ax.xaxis.set_major_formatter(formatter)
    bx.xaxis.set_major_locator(locator)
    bx.xaxis.set_major_formatter(formatter)
    ax.plot(xData, yData1, color=line1Color)
    ax.set_xlabel(xLabel)
    ax.set_ylabel(yLabel1)
    ax.set_title(title)
    bx.plot(xData, yData2, visible=False)
    bx.set_ylabel(yLabel2)

    buf = BytesIO()
    fig.savefig(buf, format="png")

    return buf

@bp.route('/temperature.png', methods=['GET'])
def draw_t_graph():
    cur = get_current(request.args, "date, temperature", get_table(request.args['type']))

    if cur is None:
        abort(404, "Data not found")

    data = cur.fetchall()
    dates = []
    tempsC = []
    tempsF = []

    if data is None:
        abort(404, "Data not found")

    for row in data:
        if row['humidity'] is not None:
            if isinstance(row['date'], str):
                dates.append(parser.parse(row['date']))
            else:
                dates.append(row['date'])
            tempsC.append(row['temperature'])
            tempsF.append(row['temperature'] * 1.8 + 32)

    buf = double_y_graph(dates, tempsC, tempsF, "Timestamps", "Celsius", "Fahrenheit", "Temperature", "C1")

    return Response(buf.getvalue(), mimetype='image/png')

@bp.route('/humidity.png', methods=['GET'])
def draw_h_graph():
    cur = get_current(request.args, "date, humidity", get_table(request.args['type']))

    if cur is None:
        abort(404, "Data not found")

    data = cur.fetchall()
    dates = []
    humidities = []

    if data is None:
        abort(404, "Data not found")

    for row in data:
        if row['humidity'] is not None:
            if isinstance(row['date'], str):
                dates.append(parser.parse(row['date']))
            else:
                dates.append(row['date'])
            humidities.append(row['humidity'])

    buf = single_line_graph(dates, humidities, "Timestamps", "Percent", "Relative Humidity", "C0")

    return Response(buf.getvalue(), mimetype='image/png')

@bp.route('/humidity-temperature.png', methods=['GET'])
def draw_ht_graph():
    cur = get_current(request.args, "date, temperature, humidity", get_table(request.args['type']))

    if cur is None:
        abort(404, "Data not found")

    data = cur.fetchall()
    dates = []
    humidities = []
    #tempsC = []
    tempsF = []

    if data is None:
        abort(404, "Data not found")

    for row in data:
        if row['temperature'] is not None and row['humidity'] is not None:
            if isinstance(row['date'], str):
                dates.append(parser.parse(row['date']))
            else:
                dates.append(row['date'])
        #    tempsC.append(row['temperature'])
            tempsF.append(row['temperature'] * 1.8 + 32)
            humidities.append(row['humidity'])

    buf = double_line_graph(dates, humidities, tempsF, "Timestamps", "Percent", "Fahrenheit", "Humidity and Temperature", "C0", "C1", "Relative Humidity", "Temperature")

    return Response(buf.getvalue(), mimetype='image/png')

@bp.route('/pressure.png', methods=['GET'])
def draw_p_graph():
    cur = get_current(request.args, "date, pressure", get_table(request.args['type']))

    if cur is None:
        abort(404, "Data not found")

    data = cur.fetchall()
    dates = []
    pressures = []

    if data is None:
        abort(404, "Data not found")

    for row in data:
        if row['pressure'] is not None:
            if isinstance(row['date'], str):
                dates.append(parser.parse(row['date']))
            else:
                dates.append(row['date'])
            pressures.append(row['pressure'])

    buf = single_line_graph(dates, pressures, "Timestamps", "hPa", "Barometric Pressure", "C2")

    return Response(buf.getvalue(), mimetype='image/png')

@bp.route('/battery.png', methods=['GET'])
def draw_b_graph():
    cur = get_current(request.args, "date, batteryCharge", "device_status")

    if cur is None:
        abort(404, "Data not found")

    data = cur.fetchall()
    dates = []
    batteries = []

    if data is None:
        abort(404, "Data not found")

    for row in data:
        if row['batteryCharge'] is not None:
            if isinstance(row['date'], str):
                dates.append(parser.parse(row['date']))
            else:
                dates.append(row['date'])
            batteries.append(row['batteryCharge'])

    buf = single_line_graph(dates, batteries, "Timestamps", "Volts", "Battery Voltage", "C3")

    return Response(buf.getvalue(), mimetype='image/png')

@bp.route('/light.png', methods=['GET'])
def draw_l_graph():
    env = request.args['type']

    if (env is not None) and (env == 'outdoor'):
        cur = get_current(request.args, "date, uv_intensity, lux", get_table(env))

        if cur is None:
            abort(404, "Data not found")

        data = cur.fetchall()

        if data is None:
            abort(404, "Data not found")

        dates = []
        uv = []
        lux = []
        for row in data:
            if row['uv_intensity'] is not None and row['lux'] is not None:
                if isinstance(row['date'], str):
                    dates.append(parser.parse(row['date']))
                else:
                    dates.append(row['date'])
                uv.append(row['uv_intensity'])
                lux.append(row['lux'])

        buf = double_line_graph(dates, uv, lux, "Timestamps", "UV Index", "Lux", "UV and Light Intensity", "C4", "C5", "UV Light", "Light Intensity")

    else:
        cur = get_current(request.args, "date, light", get_table(env))

        if cur is None:
            abort(404, "Data not found")

        data = cur.fetchall()

        if data is None:
            abort(404, "Data not found")

        dates = []
        light = []
        for row in data:
            if row['light'] is not None:
                if isinstance(row['date'], str):
                    dates.append(parser.parse(row['date']))
                else:
                    dates.append(row['date'])
                light.append(row['light'])

        buf = single_line_graph(dates, light, "Timestamps", "Raw Light Reading", "Light Intensity", "C5")

    return Response(buf.getvalue(), mimetype='image/png')