Issues (1656)

myems-api/reports/metercost.py (3 issues)

1
import re
2
from datetime import datetime, timedelta, timezone
3
from decimal import Decimal
4
import falcon
5
import mysql.connector
6
import simplejson as json
7
import config
8
import excelexporters.metercost
9
from core import utilities
10
from core.useractivity import access_control, api_key_control
11
12
13 View Code Duplication
class Reporting:
0 ignored issues
show
This code seems to be duplicated in your project.
Loading history...
14
    def __init__(self):
15
        """"Initializes Reporting"""
16
        pass
17
18
    @staticmethod
19
    def on_options(req, resp):
20
        _ = req
21
        resp.status = falcon.HTTP_200
22
23
    ####################################################################################################################
24
    # PROCEDURES
25
    # Step 1: valid parameters
26
    # Step 2: query the meter and energy category
27
    # Step 3: query associated points
28
    # Step 4: query base period energy consumption
29
    # Step 5: query base period energy cost
30
    # Step 6: query reporting period energy consumption
31
    # Step 7: query reporting period energy cost
32
    # Step 8: query tariff data
33
    # Step 9: query associated points data
34
    # Step 10: construct the report
35
    ####################################################################################################################
36
    @staticmethod
37
    def on_get(req, resp):
38
        if 'API-KEY' not in req.headers or \
39
                not isinstance(req.headers['API-KEY'], str) or \
40
                len(str.strip(req.headers['API-KEY'])) == 0:
41
            access_control(req)
42
        else:
43
            api_key_control(req)
44
        print(req.params)
45
        meter_id = req.params.get('meterid')
46
        meter_uuid = req.params.get('meteruuid')
47
        period_type = req.params.get('periodtype')
48
        base_period_start_datetime_local = req.params.get('baseperiodstartdatetime')
49
        base_period_end_datetime_local = req.params.get('baseperiodenddatetime')
50
        reporting_period_start_datetime_local = req.params.get('reportingperiodstartdatetime')
51
        reporting_period_end_datetime_local = req.params.get('reportingperiodenddatetime')
52
        language = req.params.get('language')
53
        quick_mode = req.params.get('quickmode')
54
55
        ################################################################################################################
56
        # Step 1: valid parameters
57
        ################################################################################################################
58
        if meter_id is None and meter_uuid is None:
59
            raise falcon.HTTPError(status=falcon.HTTP_400, title='API.BAD_REQUEST', description='API.INVALID_METER_ID')
60
61
        if meter_id is not None:
62
            meter_id = str.strip(meter_id)
63
            if not meter_id.isdigit() or int(meter_id) <= 0:
64
                raise falcon.HTTPError(status=falcon.HTTP_400, title='API.BAD_REQUEST',
65
                                       description='API.INVALID_METER_ID')
66
67
        if meter_uuid is not None:
68
            regex = re.compile(r'^[a-f0-9]{8}-?[a-f0-9]{4}-?4[a-f0-9]{3}-?[89ab][a-f0-9]{3}-?[a-f0-9]{12}\Z', re.I)
69
            match = regex.match(str.strip(meter_uuid))
70
            if not bool(match):
71
                raise falcon.HTTPError(status=falcon.HTTP_400, title='API.BAD_REQUEST',
72
                                       description='API.INVALID_METER_UUID')
73
74
        if period_type is None:
75
            raise falcon.HTTPError(status=falcon.HTTP_400, title='API.BAD_REQUEST',
76
                                   description='API.INVALID_PERIOD_TYPE')
77
        else:
78
            period_type = str.strip(period_type)
79
            if period_type not in ['hourly', 'daily', 'weekly', 'monthly', 'yearly']:
80
                raise falcon.HTTPError(status=falcon.HTTP_400, title='API.BAD_REQUEST',
81
                                       description='API.INVALID_PERIOD_TYPE')
82
83
        timezone_offset = int(config.utc_offset[1:3]) * 60 + int(config.utc_offset[4:6])
84
        if config.utc_offset[0] == '-':
85
            timezone_offset = -timezone_offset
86
87
        base_start_datetime_utc = None
88
        if base_period_start_datetime_local is not None and len(str.strip(base_period_start_datetime_local)) > 0:
89
            base_period_start_datetime_local = str.strip(base_period_start_datetime_local)
90
            try:
91
                base_start_datetime_utc = datetime.strptime(base_period_start_datetime_local, '%Y-%m-%dT%H:%M:%S')
92
            except ValueError:
93
                raise falcon.HTTPError(status=falcon.HTTP_400, title='API.BAD_REQUEST',
94
                                       description="API.INVALID_BASE_PERIOD_START_DATETIME")
95
            base_start_datetime_utc = \
96
                base_start_datetime_utc.replace(tzinfo=timezone.utc) - timedelta(minutes=timezone_offset)
97
            # nomalize the start datetime
98
            if config.minutes_to_count == 30 and base_start_datetime_utc.minute >= 30:
99
                base_start_datetime_utc = base_start_datetime_utc.replace(minute=30, second=0, microsecond=0)
100
            else:
101
                base_start_datetime_utc = base_start_datetime_utc.replace(minute=0, second=0, microsecond=0)
102
103
        base_end_datetime_utc = None
104
        if base_period_end_datetime_local is not None and len(str.strip(base_period_end_datetime_local)) > 0:
105
            base_period_end_datetime_local = str.strip(base_period_end_datetime_local)
106
            try:
107
                base_end_datetime_utc = datetime.strptime(base_period_end_datetime_local, '%Y-%m-%dT%H:%M:%S')
108
            except ValueError:
109
                raise falcon.HTTPError(status=falcon.HTTP_400, title='API.BAD_REQUEST',
110
                                       description="API.INVALID_BASE_PERIOD_END_DATETIME")
111
            base_end_datetime_utc = \
112
                base_end_datetime_utc.replace(tzinfo=timezone.utc) - timedelta(minutes=timezone_offset)
113
114
        if base_start_datetime_utc is not None and base_end_datetime_utc is not None and \
115
                base_start_datetime_utc >= base_end_datetime_utc:
116
            raise falcon.HTTPError(status=falcon.HTTP_400, title='API.BAD_REQUEST',
117
                                   description='API.INVALID_BASE_PERIOD_END_DATETIME')
118
119
        if reporting_period_start_datetime_local is None:
120
            raise falcon.HTTPError(status=falcon.HTTP_400, title='API.BAD_REQUEST',
121
                                   description="API.INVALID_REPORTING_PERIOD_START_DATETIME")
122
        else:
123
            reporting_period_start_datetime_local = str.strip(reporting_period_start_datetime_local)
124
            try:
125
                reporting_start_datetime_utc = datetime.strptime(reporting_period_start_datetime_local,
126
                                                                 '%Y-%m-%dT%H:%M:%S')
127
            except ValueError:
128
                raise falcon.HTTPError(status=falcon.HTTP_400, title='API.BAD_REQUEST',
129
                                       description="API.INVALID_REPORTING_PERIOD_START_DATETIME")
130
            reporting_start_datetime_utc = \
131
                reporting_start_datetime_utc.replace(tzinfo=timezone.utc) - timedelta(minutes=timezone_offset)
132
            # nomalize the start datetime
133
            if config.minutes_to_count == 30 and reporting_start_datetime_utc.minute >= 30:
134
                reporting_start_datetime_utc = reporting_start_datetime_utc.replace(minute=30, second=0, microsecond=0)
135
            else:
136
                reporting_start_datetime_utc = reporting_start_datetime_utc.replace(minute=0, second=0, microsecond=0)
137
138
        if reporting_period_end_datetime_local is None:
139
            raise falcon.HTTPError(status=falcon.HTTP_400, title='API.BAD_REQUEST',
140
                                   description="API.INVALID_REPORTING_PERIOD_END_DATETIME")
141
        else:
142
            reporting_period_end_datetime_local = str.strip(reporting_period_end_datetime_local)
143
            try:
144
                reporting_end_datetime_utc = datetime.strptime(reporting_period_end_datetime_local,
145
                                                               '%Y-%m-%dT%H:%M:%S')
146
            except ValueError:
147
                raise falcon.HTTPError(status=falcon.HTTP_400, title='API.BAD_REQUEST',
148
                                       description="API.INVALID_REPORTING_PERIOD_END_DATETIME")
149
            reporting_end_datetime_utc = reporting_end_datetime_utc.replace(tzinfo=timezone.utc) - \
150
                timedelta(minutes=timezone_offset)
151
152
        if reporting_start_datetime_utc >= reporting_end_datetime_utc:
153
            raise falcon.HTTPError(status=falcon.HTTP_400, title='API.BAD_REQUEST',
154
                                   description='API.INVALID_REPORTING_PERIOD_END_DATETIME')
155
156
        # if turn quick mode on, do not return parameters data and excel file
157
        is_quick_mode = False
158
        if quick_mode is not None and \
159
                len(str.strip(quick_mode)) > 0 and \
160
                str.lower(str.strip(quick_mode)) in ('true', 't', 'on', 'yes', 'y'):
161
            is_quick_mode = True
162
163
        trans = utilities.get_translation(language)
164
        trans.install()
165
        _ = trans.gettext
166
167
        ################################################################################################################
168
        # Step 2: query the meter and energy category
169
        ################################################################################################################
170
        cnx_system = mysql.connector.connect(**config.myems_system_db)
171
        cursor_system = cnx_system.cursor()
172
173
        cnx_energy = mysql.connector.connect(**config.myems_energy_db)
174
        cursor_energy = cnx_energy.cursor()
175
176
        cnx_billing = mysql.connector.connect(**config.myems_billing_db)
177
        cursor_billing = cnx_billing.cursor()
178
179
        cnx_historical = mysql.connector.connect(**config.myems_historical_db)
180
        cursor_historical = cnx_historical.cursor()
181
        if meter_id is not None:
182
            cursor_system.execute(" SELECT m.id, m.name, m.cost_center_id, m.energy_category_id, "
183
                                  "        ec.name, ec.unit_of_measure, ec.kgce, ec.kgco2e "
184
                                  " FROM tbl_meters m, tbl_energy_categories ec "
185
                                  " WHERE m.id = %s AND m.energy_category_id = ec.id ", (meter_id,))
186
            row_meter = cursor_system.fetchone()
187
        elif meter_uuid is not None:
188
            cursor_system.execute(" SELECT m.id, m.name, m.cost_center_id, m.energy_category_id, "
189
                                  "        ec.name, ec.unit_of_measure, ec.kgce, ec.kgco2e "
190
                                  " FROM tbl_meters m, tbl_energy_categories ec "
191
                                  " WHERE m.uuid = %s AND m.energy_category_id = ec.id ", (meter_uuid,))
192
            row_meter = cursor_system.fetchone()
193
194
        if row_meter is None:
0 ignored issues
show
The variable row_meter does not seem to be defined for all execution paths.
Loading history...
195
            if cursor_system:
196
                cursor_system.close()
197
            if cnx_system:
198
                cnx_system.close()
199
200
            if cursor_energy:
201
                cursor_energy.close()
202
            if cnx_energy:
203
                cnx_energy.close()
204
205
            if cursor_billing:
206
                cursor_billing.close()
207
            if cnx_billing:
208
                cnx_billing.close()
209
210
            if cursor_historical:
211
                cursor_historical.close()
212
            if cnx_historical:
213
                cnx_historical.close()
214
            raise falcon.HTTPError(status=falcon.HTTP_404, title='API.NOT_FOUND', description='API.METER_NOT_FOUND')
215
        meter = dict()
216
        meter['id'] = row_meter[0]
217
        meter['name'] = row_meter[1]
218
        meter['cost_center_id'] = row_meter[2]
219
        meter['energy_category_id'] = row_meter[3]
220
        meter['energy_category_name'] = row_meter[4]
221
        meter['unit_of_measure'] = config.currency_unit
222
        meter['kgce'] = row_meter[6]
223
        meter['kgco2e'] = row_meter[7]
224
225
        ################################################################################################################
226
        # Step 3: query associated points
227
        ################################################################################################################
228
        point_list = list()
229
        cursor_system.execute(" SELECT p.id, p.name, p.units, p.object_type  "
230
                              " FROM tbl_meters m, tbl_meters_points mp, tbl_points p "
231
                              " WHERE m.id = %s AND m.id = mp.meter_id AND mp.point_id = p.id "
232
                              " ORDER BY p.id ", (meter['id'],))
233
        rows_points = cursor_system.fetchall()
234
        if rows_points is not None and len(rows_points) > 0:
235
            for row in rows_points:
236
                point_list.append({"id": row[0], "name": row[1], "units": row[2], "object_type": row[3]})
237
238
        ################################################################################################################
239
        # Step 4: query base period energy consumption
240
        ################################################################################################################
241
        query = (" SELECT start_datetime_utc, actual_value "
242
                 " FROM tbl_meter_hourly "
243
                 " WHERE meter_id = %s "
244
                 " AND start_datetime_utc >= %s "
245
                 " AND start_datetime_utc < %s "
246
                 " ORDER BY start_datetime_utc ")
247
        cursor_energy.execute(query, (meter['id'], base_start_datetime_utc, base_end_datetime_utc))
248
        rows_meter_hourly = cursor_energy.fetchall()
249
250
        rows_meter_periodically = utilities.aggregate_hourly_data_by_period(rows_meter_hourly,
251
                                                                            base_start_datetime_utc,
252
                                                                            base_end_datetime_utc,
253
                                                                            period_type)
254
        base = dict()
255
        base['timestamps'] = list()
256
        base['values'] = list()
257
        base['total_in_category'] = Decimal(0.0)
258
        base['total_in_kgce'] = Decimal(0.0)
259
        base['total_in_kgco2e'] = Decimal(0.0)
260
261
        for row_meter_periodically in rows_meter_periodically:
262
            current_datetime_local = row_meter_periodically[0].replace(tzinfo=timezone.utc) + \
263
                                     timedelta(minutes=timezone_offset)
264
            if period_type == 'hourly':
265
                current_datetime = current_datetime_local.isoformat()[0:19]
266
            elif period_type == 'daily':
267
                current_datetime = current_datetime_local.isoformat()[0:10]
268
            elif period_type == 'weekly':
269
                current_datetime = current_datetime_local.isoformat()[0:10]
270
            elif period_type == 'monthly':
271
                current_datetime = current_datetime_local.isoformat()[0:7]
272
            elif period_type == 'yearly':
273
                current_datetime = current_datetime_local.isoformat()[0:4]
274
275
            actual_value = Decimal(0.0) if row_meter_periodically[1] is None \
276
                else row_meter_periodically[1]
277
            base['timestamps'].append(current_datetime)
0 ignored issues
show
The variable current_datetime does not seem to be defined for all execution paths.
Loading history...
278
            base['total_in_kgce'] += actual_value * meter['kgce']
279
            base['total_in_kgco2e'] += actual_value * meter['kgco2e']
280
281
        ################################################################################################################
282
        # Step 5: query base period energy cost
283
        ################################################################################################################
284
        query = (" SELECT start_datetime_utc, actual_value "
285
                 " FROM tbl_meter_hourly "
286
                 " WHERE meter_id = %s "
287
                 " AND start_datetime_utc >= %s "
288
                 " AND start_datetime_utc < %s "
289
                 " ORDER BY start_datetime_utc ")
290
        cursor_billing.execute(query, (meter['id'], base_start_datetime_utc, base_end_datetime_utc))
291
        rows_meter_hourly = cursor_billing.fetchall()
292
293
        rows_meter_periodically = utilities.aggregate_hourly_data_by_period(rows_meter_hourly,
294
                                                                            base_start_datetime_utc,
295
                                                                            base_end_datetime_utc,
296
                                                                            period_type)
297
298
        base['values'] = list()
299
        base['total_in_category'] = Decimal(0.0)
300
301
        for row_meter_periodically in rows_meter_periodically:
302
            actual_value = Decimal(0.0) if row_meter_periodically[1] is None \
303
                else row_meter_periodically[1]
304
            base['values'].append(actual_value)
305
            base['total_in_category'] += actual_value
306
307
        ################################################################################################################
308
        # Step 6: query reporting period energy consumption
309
        ################################################################################################################
310
        query = (" SELECT start_datetime_utc, actual_value "
311
                 " FROM tbl_meter_hourly "
312
                 " WHERE meter_id = %s "
313
                 " AND start_datetime_utc >= %s "
314
                 " AND start_datetime_utc < %s "
315
                 " ORDER BY start_datetime_utc ")
316
        cursor_energy.execute(query, (meter['id'], reporting_start_datetime_utc, reporting_end_datetime_utc))
317
        rows_meter_hourly = cursor_energy.fetchall()
318
319
        rows_meter_periodically = utilities.aggregate_hourly_data_by_period(rows_meter_hourly,
320
                                                                            reporting_start_datetime_utc,
321
                                                                            reporting_end_datetime_utc,
322
                                                                            period_type)
323
        reporting = dict()
324
        reporting['timestamps'] = list()
325
        reporting['values'] = list()
326
        reporting['rates'] = list()
327
        reporting['total_in_category'] = Decimal(0.0)
328
        reporting['total_in_kgce'] = Decimal(0.0)
329
        reporting['total_in_kgco2e'] = Decimal(0.0)
330
331
        for row_meter_periodically in rows_meter_periodically:
332
            current_datetime_local = row_meter_periodically[0].replace(tzinfo=timezone.utc) + \
333
                                     timedelta(minutes=timezone_offset)
334
            if period_type == 'hourly':
335
                current_datetime = current_datetime_local.isoformat()[0:19]
336
            elif period_type == 'daily':
337
                current_datetime = current_datetime_local.isoformat()[0:10]
338
            elif period_type == 'weekly':
339
                current_datetime = current_datetime_local.isoformat()[0:10]
340
            elif period_type == 'monthly':
341
                current_datetime = current_datetime_local.isoformat()[0:7]
342
            elif period_type == 'yearly':
343
                current_datetime = current_datetime_local.isoformat()[0:4]
344
345
            actual_value = Decimal(0.0) if row_meter_periodically[1] is None \
346
                else row_meter_periodically[1]
347
348
            reporting['timestamps'].append(current_datetime)
349
            reporting['total_in_kgce'] += actual_value * meter['kgce']
350
            reporting['total_in_kgco2e'] += actual_value * meter['kgco2e']
351
352
        ################################################################################################################
353
        # Step 7: query reporting period energy cost
354
        ################################################################################################################
355
        query = (" SELECT start_datetime_utc, actual_value "
356
                 " FROM tbl_meter_hourly "
357
                 " WHERE meter_id = %s "
358
                 " AND start_datetime_utc >= %s "
359
                 " AND start_datetime_utc < %s "
360
                 " ORDER BY start_datetime_utc ")
361
        cursor_billing.execute(query, (meter['id'], reporting_start_datetime_utc, reporting_end_datetime_utc))
362
        rows_meter_hourly = cursor_billing.fetchall()
363
364
        rows_meter_periodically = utilities.aggregate_hourly_data_by_period(rows_meter_hourly,
365
                                                                            reporting_start_datetime_utc,
366
                                                                            reporting_end_datetime_utc,
367
                                                                            period_type)
368
369
        for row_meter_periodically in rows_meter_periodically:
370
            actual_value = Decimal(0.0) if row_meter_periodically[1] is None \
371
                else row_meter_periodically[1]
372
373
            reporting['values'].append(actual_value)
374
            reporting['total_in_category'] += actual_value
375
376
        for index, value in enumerate(reporting['values']):
377
            if index < len(base['values']) and base['values'][index] != 0 and value != 0:
378
                reporting['rates'].append((value - base['values'][index]) / base['values'][index])
379
            else:
380
                reporting['rates'].append(None)
381
382
        ################################################################################################################
383
        # Step 8: query tariff data
384
        ################################################################################################################
385
        parameters_data = dict()
386
        parameters_data['names'] = list()
387
        parameters_data['timestamps'] = list()
388
        parameters_data['values'] = list()
389
390
        if config.is_tariff_appended and not is_quick_mode:
391
            tariff_dict = utilities.get_energy_category_tariffs(meter['cost_center_id'],
392
                                                                meter['energy_category_id'],
393
                                                                reporting_start_datetime_utc,
394
                                                                reporting_end_datetime_utc)
395
            tariff_timestamp_list = list()
396
            tariff_value_list = list()
397
            for k, v in tariff_dict.items():
398
                # convert k from utc to local
399
                k = k + timedelta(minutes=timezone_offset)
400
                tariff_timestamp_list.append(k.isoformat()[0:19])
401
                tariff_value_list.append(v)
402
403
            parameters_data['names'].append(_('Tariff') + '-' + meter['energy_category_name'])
404
            parameters_data['timestamps'].append(tariff_timestamp_list)
405
            parameters_data['values'].append(tariff_value_list)
406
407
        ################################################################################################################
408
        # Step 9: query associated points data
409
        ################################################################################################################
410
        if not is_quick_mode:
411
            for point in point_list:
412
                point_values = []
413
                point_timestamps = []
414
                if point['object_type'] == 'ENERGY_VALUE':
415
                    query = (" SELECT utc_date_time, actual_value "
416
                             " FROM tbl_energy_value "
417
                             " WHERE point_id = %s "
418
                             "       AND utc_date_time BETWEEN %s AND %s "
419
                             " ORDER BY utc_date_time ")
420
                    cursor_historical.execute(query, (point['id'],
421
                                                      reporting_start_datetime_utc,
422
                                                      reporting_end_datetime_utc))
423
                    rows = cursor_historical.fetchall()
424
425
                    if rows is not None and len(rows) > 0:
426
                        for row in rows:
427
                            current_datetime_local = row[0].replace(tzinfo=timezone.utc) + \
428
                                                     timedelta(minutes=timezone_offset)
429
                            current_datetime = current_datetime_local.isoformat()[0:19]
430
                            point_timestamps.append(current_datetime)
431
                            point_values.append(row[1])
432
                elif point['object_type'] == 'ANALOG_VALUE':
433
                    query = (" SELECT utc_date_time, actual_value "
434
                             " FROM tbl_analog_value "
435
                             " WHERE point_id = %s "
436
                             "       AND utc_date_time BETWEEN %s AND %s "
437
                             " ORDER BY utc_date_time ")
438
                    cursor_historical.execute(query, (point['id'],
439
                                                      reporting_start_datetime_utc,
440
                                                      reporting_end_datetime_utc))
441
                    rows = cursor_historical.fetchall()
442
443
                    if rows is not None and len(rows) > 0:
444
                        for row in rows:
445
                            current_datetime_local = row[0].replace(tzinfo=timezone.utc) + \
446
                                                     timedelta(minutes=timezone_offset)
447
                            current_datetime = current_datetime_local.isoformat()[0:19]
448
                            point_timestamps.append(current_datetime)
449
                            point_values.append(row[1])
450
                elif point['object_type'] == 'DIGITAL_VALUE':
451
                    query = (" SELECT utc_date_time, actual_value "
452
                             " FROM tbl_digital_value "
453
                             " WHERE point_id = %s "
454
                             "       AND utc_date_time BETWEEN %s AND %s "
455
                             " ORDER BY utc_date_time ")
456
                    cursor_historical.execute(query, (point['id'],
457
                                                      reporting_start_datetime_utc,
458
                                                      reporting_end_datetime_utc))
459
                    rows = cursor_historical.fetchall()
460
461
                    if rows is not None and len(rows) > 0:
462
                        for row in rows:
463
                            current_datetime_local = row[0].replace(tzinfo=timezone.utc) + \
464
                                                     timedelta(minutes=timezone_offset)
465
                            current_datetime = current_datetime_local.isoformat()[0:19]
466
                            point_timestamps.append(current_datetime)
467
                            point_values.append(row[1])
468
469
                parameters_data['names'].append(point['name'] + ' (' + point['units'] + ')')
470
                parameters_data['timestamps'].append(point_timestamps)
471
                parameters_data['values'].append(point_values)
472
473
        ################################################################################################################
474
        # Step 10: construct the report
475
        ################################################################################################################
476
        if cursor_system:
477
            cursor_system.close()
478
        if cnx_system:
479
            cnx_system.close()
480
481
        if cursor_energy:
482
            cursor_energy.close()
483
        if cnx_energy:
484
            cnx_energy.close()
485
486
        if cursor_billing:
487
            cursor_billing.close()
488
        if cnx_billing:
489
            cnx_billing.close()
490
491
        if cursor_historical:
492
            cursor_historical.close()
493
        if cnx_historical:
494
            cnx_historical.close()
495
        result = {"meter": {
496
            "cost_center_id": meter['cost_center_id'],
497
            "energy_category_id": meter['energy_category_id'],
498
            "energy_category_name": meter['energy_category_name'],
499
            "unit_of_measure": config.currency_unit,
500
            "kgce": meter['kgce'],
501
            "kgco2e": meter['kgco2e'],
502
        }, "base_period": {
503
            "total_in_category": base['total_in_category'],
504
            "total_in_kgce": base['total_in_kgce'],
505
            "total_in_kgco2e": base['total_in_kgco2e'],
506
            "timestamps": base['timestamps'],
507
            "values": base['values'],
508
        }, "reporting_period": {
509
            "increment_rate":
510
                (reporting['total_in_category'] - base['total_in_category']) / base['total_in_category']
511
                if base['total_in_category'] != Decimal(0.0) else None,
512
            "total_in_category": reporting['total_in_category'],
513
            "total_in_kgce": reporting['total_in_kgce'],
514
            "total_in_kgco2e": reporting['total_in_kgco2e'],
515
            "timestamps": reporting['timestamps'],
516
            "values": reporting['values'],
517
            "rates": reporting['rates'],
518
        }, "parameters": {
519
            "names": parameters_data['names'],
520
            "timestamps": parameters_data['timestamps'],
521
            "values": parameters_data['values']
522
        }, 'excel_bytes_base64': None}
523
        # export result to Excel file and then encode the file to base64 string
524
        if not is_quick_mode:
525
            result['excel_bytes_base64'] = \
526
                excelexporters.metercost.export(result,
527
                                                meter['name'],
528
                                                base_period_start_datetime_local,
529
                                                base_period_end_datetime_local,
530
                                                reporting_period_start_datetime_local,
531
                                                reporting_period_end_datetime_local,
532
                                                period_type,
533
                                                language)
534
535
        resp.text = json.dumps(result)
536