-
Notifications
You must be signed in to change notification settings - Fork 0
/
server.py
415 lines (357 loc) · 20.5 KB
/
server.py
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
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
import flask
from flask import request
from flask import render_template
import requests
import psycopg2
import time
import json
from decimal import Decimal
import os
from werkzeug.utils import redirect, secure_filename
import random
from dotenv import load_dotenv
import secrets
import datetime
if (not os.path.exists("./static/uploads")):
os.mkdir("./static/uploads")
# Load env file for variable
load_dotenv()
# Create flask app
app = flask.Flask(__name__)
POSTGRES_HOST = os.getenv("POSTGRES_HOST")
POSTGRES_DBNAME = os.getenv("POSTGRES_DBNAME")
POSTGRES_USER = os.getenv("POSTGRES_USER")
POSTGRES_PASS = os.getenv("POSTGRES_PASS")
POSTGRES_PORT = os.getenv("POSTGRES_PORT")
BOARD_COLOR = os.getenv("STICKER_MAP_COLOR")
ALLOWED_EXTENSIONS = {'png', 'jpg', 'jpeg'}
UPLOAD_DIRECTORY = "static/uploads"
con = psycopg2.connect(host=POSTGRES_HOST, dbname=POSTGRES_DBNAME, user=POSTGRES_USER, password=POSTGRES_PASS, port=POSTGRES_PORT)
cursor = con.cursor()
cursor.execute("CREATE TABLE IF NOT EXISTS stickers (stickerID SERIAL PRIMARY KEY, stickerLat Decimal(8,6), stickerLon Decimal(9,6), logoID INT, pictureUrl VARCHAR(255), adderEmail VARCHAR(255), postTime TIMESTAMP, spots INT, verified INT)")
# cursor.execute("INSERT INTO stickers (stickerLat, stickerLon, logoId, pictureUrl, adderEmail, verified) VALUES (52.1630587, 5.402001, 1, 'zwart 1920x1080.png', '[email protected]', 1)")
con.commit()
cursor.close()
con.close()
@app.route('/')
def stickerMap():
if os.getenv('STICKER_MAP_REQUIRE_LOGIN') == "True":
# Check if cookie is avalable
if request.cookies.get('token') is not None:
# Check token
if checkToken(request.cookies.get('token')):
return render_template('home.html', color=BOARD_COLOR)
else:
return redirect('/auth', code=302)
else:
return "redirecting... <script>if(window.localStorage.getItem('token') != null){ document.cookie = 'token=' + window.localStorage.getItem('token'); window.location.reload(); } else { window.location.href = '/auth' }</script>"
else:
return render_template('home.html', color=BOARD_COLOR)
@app.route('/admin', methods=['GET'])
def admin():
# It is not needed to store or retrieve the adminToken from localStorage
# because it is not intended to survive a new session
if checkAdminToken(request.cookies.get('adminToken')):
return render_template('admin.html', color=BOARD_COLOR)
else:
return redirect('/auth?adminRefresh=1')
@app.route('/auth', methods=['GET'])
def auth():
# The request contains a code after loggin in.
if request.args.get('code') is None:
# Check if login with koala is enabled
if os.getenv("LOGIN_WITH_KOALA") == "True":
# Construct login url
url = os.getenv("KOALA_URL") + "/api/oauth/authorize?client_id=" + os.getenv("KOALA_CLIENT_UID") + "&redirect_uri=" + os.getenv("STICKER_MAP_URL") + ":" + os.getenv("STICKER_MAP_PORT") + "/auth&response_type=code"
resp = flask.make_response(render_template('authKoala.html', color=BOARD_COLOR, loginUrl=url))
if request.args.get('adminRefresh') is not None:
resp.set_cookie('adminRefresh', "1")
return resp
else:
return 'Logging in without koala is not yet supported.'
else:
# Handle code
# Create post request to koala server
tokenUrl = os.getenv("KOALA_URL") + "/api/oauth/token?grant_type=authorization_code&code=" + request.args.get('code') + "&client_id=" + os.getenv("KOALA_CLIENT_UID") + "&client_secret=" + os.getenv("KOALA_CLIENT_SECRET") + "&redirect_uri="+ os.getenv("STICKER_MAP_URL") + ":" + os.getenv("STICKER_MAP_PORT") + "/auth"
tokenResponse = json.loads(requests.post(tokenUrl).text)
# Check if the response is valid, redirect back if not
if 'credentials_type' not in tokenResponse:
return redirect('/auth', code=302)
# Connect to db
with psycopg2.connect(host=POSTGRES_HOST, dbname=POSTGRES_DBNAME, user=POSTGRES_USER, password=POSTGRES_PASS, port=POSTGRES_PORT) as con:
cursor = con.cursor()
# Check if the user already has (normal) key stored. (Admin refresh session)
token = ""
if not checkToken(request.cookies.get('token')):
# Create a (normal) token for user
token = secrets.token_urlsafe(30)
cursor.execute("INSERT INTO tokens VALUES (%s)", (token,))
else:
# User already has a valid token, re-use this one
token = request.cookies.get('token')
# Create a response
page = "redirecting <script>window.localStorage.setItem('token', '" + token + "'); window.location.href = '../'</script>"
# Check if the user came from the home page
if request.cookies.get('adminRefresh') is not None:
page = "redirecting <script>window.localStorage.setItem('token', '" + token + "'); window.location.href = '../admin'</script>"
resp = flask.make_response(page)
# Check if the user is a admin
if tokenResponse['credentials_type'] == "Admin":
adminToken = secrets.token_urlsafe(30)
expirationTime = round(time.time()) + int(os.getenv("ADMIN_EXPIRES_IN"))
cursor.execute("INSERT INTO adminTokens VALUES(%s,%s)", (adminToken, expirationTime))
resp.set_cookie('adminToken', adminToken)
con.commit()
# Save token as cookie
resp.set_cookie('token', token)
# Remove the admin redirect token if needed
resp.set_cookie('adminRefresh', '', expires=0)
return resp
@app.route('/upload', methods=['GET', 'POST'])
def uploadSticker():
# Check token if required
if os.getenv('STICKER_MAP_REQUIRE_LOGIN') == "True":
if not checkToken(request.cookies.get('token')):
return json.dumps({'status': '403', 'error': 'Not authenticated or cookies disabled.'}), 405
# Check if request is sent with HTTP Post method
if request.method == 'POST':
# Check if all required parameters are available and good
if request.form['lat'] != '' and request.form['lon'] != '' and request.form['logoId'] != '':
if 'image' in request.files and request.files['image'].filename != '':
file = request.files['image']
if (file and allowed_file(file.filename)):
# Create a save to use filename
filename = checkFileName(secure_filename(file.filename))
# Save file
file.save(os.path.join(UPLOAD_DIRECTORY, filename))
# create db entry
with psycopg2.connect(host=POSTGRES_HOST, dbname=POSTGRES_DBNAME, user=POSTGRES_USER, password=POSTGRES_PASS, port=POSTGRES_PORT) as con:
emailCode = random.randrange(9999999, 999999999)
sampleEmail = "[email protected]"
currentTime = str(datetime.datetime.now())
cursor = con.cursor()
# cursor.execute("INSERT INTO stickers (stickerLat, stickerLon, logoId, pictureUrl, adderEmail) VALUES (%s,%s,%s,%s,%s)", (request.form['lat'], request.form['lon'], request.form['logoId'], os.path.join(UPLOAD_DIRECTORY, filename), emailCode))
cursor.execute("INSERT INTO stickers (stickerLat, stickerLon, logoId, pictureUrl, adderEmail, postTime, spots, verified) VALUES (%s,%s,%s,%s,%s,%s,%s,%s)", (request.form['lat'], request.form['lon'], 1, os.path.join(UPLOAD_DIRECTORY, filename), emailCode, currentTime, 0, 1))
con.commit()
return json.dumps({'status': '200', 'error': 'Sticker added to database.', 'emailCode': emailCode}), 200
else:
return json.dumps({'status': '400', 'error': 'Unsupported file type.'}), 400
else:
return json.dumps({'status': '400', 'error': 'You must upload a picture.'}), 400
else:
return json.dumps({'status': '400', 'error': 'Location or logo not defined.'}), 400
else:
return json.dumps({'status': '405', 'error': 'HTTP Method not allowed.'}), 405
@app.route('/logos', methods=['GET'])
def getLogos():
# Check token if required
# if os.getenv('STICKER_MAP_REQUIRE_LOGIN') == "True":
# if not checkToken(request.args.get('token')):
return json.dumps({'status': '403', 'error': 'Not authenticated or cookies disabled.'}), 405
# with psycopg2.connect(host=POSTGRES_HOST, dbname=POSTGRES_DBNAME, user=POSTGRES_USER, password=POSTGRES_PASS, port=POSTGRES_PORT) as con:
# cursor = con.cursor()
# results = cursor.execute('SELECT * FROM logos ORDER BY logoTitle DESC').fetchall()
# return json.dumps(results)
@app.route('/editLogo', methods=['PATCH'])
def editLogo():
# Check if the request contains an valid admin token
if not checkAdminToken(request.cookies.get('adminToken')):
return json.dumps({'status': '403', 'error': 'Token invalid, expired, or not available'}), 403
if request.args.get("id") == None or request.args.get('name') == None or request.args.get('color') == None:
return json.dumps({'status': '400', 'error': 'Invalid or missing arguments.'}), 400
with psycopg2.connect(host=POSTGRES_HOST, dbname=POSTGRES_DBNAME, user=POSTGRES_USER, password=POSTGRES_PASS, port=POSTGRES_PORT) as con:
cursor = con.cursor();
cursor.execute('UPDATE logos SET logoTitle=%s, logoColor=%s WHERE logoId=%s', (request.args.get('name'), request.args.get('color'), request.args.get('id')))
con.commit()
return json.dumps({'status': '200', 'error': 'Logo updated!'}), 200
@app.route('/deleteLogo', methods=['DELETE'])
def deleteLogo():
# Check if the request contains an valid admin token
if not checkAdminToken(request.cookies.get('adminToken')):
return json.dumps({'status': '403', 'error': 'Token invalid, expired, or not available'}), 403
if request.args.get("id") is None:
return json.dumps({'status': '400', 'error': 'Invalid or missing arguments.'}), 400
with psycopg2.connect(host=POSTGRES_HOST, dbname=POSTGRES_DBNAME, user=POSTGRES_USER, password=POSTGRES_PASS, port=POSTGRES_PORT) as con:
cursor = con.cursor()
cursor.execute('DELETE FROM logos WHERE logoId=%s', (request.args.get('id'),))
con.commit()
return json.dumps({'status': '200', 'error': 'Logo deleted!'}), 200
@app.route('/addLogo', methods=['POST'])
def addLogo():
# Check if the request contains an valid admin token
if not checkAdminToken(request.cookies.get('adminToken')):
return json.dumps({'status': '403', 'error': 'Token invalid, expired, or not available'}), 403
if request.args.get('name') == None or request.args.get('color') == None:
return json.dumps({'status': '400', 'error': 'Invalid or missing arguments.'}), 400
with psycopg2.connect(host=POSTGRES_HOST, dbname=POSTGRES_DBNAME, user=POSTGRES_USER, password=POSTGRES_PASS, port=POSTGRES_PORT) as con:
cursor = con.cursor()
cursor.execute('INSERT INTO logos (logoTitle, logoColor) VALUES (%s,%s)', (request.args.get('name'), request.args.get('color')))
con.commit()
return json.dumps({'status': '200', 'error': 'Logo added!'}), 200
@app.route('/addEmail', methods=['PATCH'])
def addEmail():
# Check token if required
if os.getenv('STICKER_MAP_REQUIRE_LOGIN') == "True":
if not checkToken(request.cookies.get('token')):
return json.dumps({'status': '403', 'error': 'Not authenticated or cookies disabled.'}), 405
if request.form['email'] != '':
if request.form['token'] != '':
# Check if the token is in the database
with psycopg2.connect(host=POSTGRES_HOST, dbname=POSTGRES_DBNAME, user=POSTGRES_USER, password=POSTGRES_PASS, port=POSTGRES_PORT) as con:
cursor = con.cursor()
result = cursor.execute('SELECT * FROM stickers WHERE adderEmail=%s', (request.form['token'],)).fetchall()
if len(result) != 0:
# Change email in database
cursor.execute('UPDATE stickers SET adderEmail = %s WHERE adderEmail = %s', (request.form['email'], request.form['token']))
con.commit()
return json.dumps({'status': '200', 'error': 'Email updated in database.'}), 200
else:
return json.dumps({'status': '400', 'error': 'Token not valid.'}), 400
else:
return json.dumps({'status': '400', 'error': 'Token not defined.'}), 400
else:
return json.dumps({'status': '400', 'error': 'Email not defined'}), 400
@app.route('/getStickers', methods=['GET'])
def getStickers():
# Check token if required
if os.getenv('STICKER_MAP_REQUIRE_LOGIN') == "True":
if not checkToken(request.cookies.get('token')):
return json.dumps({'status': '403', 'error': 'Not authenticated or cookies disabled.'}), 405
if (request.args.get('west') != '' and request.args.get('east') != '' and request.args.get('north') != '' and request.args.get('south') != ''):
# Get all the stickers within the bounding box
with psycopg2.connect(host=POSTGRES_HOST, dbname=POSTGRES_DBNAME, user=POSTGRES_USER, password=POSTGRES_PASS, port=POSTGRES_PORT) as con:
# create cursor
cursor = con.cursor()
# find results
cursor.execute("SELECT * FROM stickers WHERE stickerLat BETWEEN %s AND %s AND stickerLon BETWEEN %s AND %s", (request.args.get('south'), request.args.get('north'), request.args.get('west'), request.args.get('east')))
rows = cursor.fetchall()
return json.dumps(rows, default=str)
else:
return json.dumps({'status': '400', 'error': 'Bounding box not defined or incomplete.'}), 400
@app.route('/getNearYouStickers', methods=['GET'])
def getNearYouStickers():
# Check token if required
if os.getenv('STICKER_MAP_REQUIRE_LOGIN') == "True":
if not checkToken(request.cookies.get('token')):
return json.dumps({'status': '403', 'error': 'Not authenticated or cookies disabled.'}), 405
if (request.args.get('lon') != '' and request.args.get('lat') != ''):
# Get all the stickers within the bounding box
with psycopg2.connect(host=POSTGRES_HOST, dbname=POSTGRES_DBNAME, user=POSTGRES_USER, password=POSTGRES_PASS, port=POSTGRES_PORT) as con:
# create cursor
cursor = con.cursor()
# find results
# cursor.execute("""SELECT *, ST_DistanceSphere(
# ST_MakePoint(5.172445, 52.086240),
# ST_MakePoint(stickerLon, stickerLat)
# ) AS distance
# FROM stickers
# ORDER BY distance ASC
# LIMIT 10""")
cursor.execute("""SELECT *, ST_DistanceSphere(
ST_MakePoint(%s, %s),
ST_MakePoint(stickerLon, stickerLat)
) AS distance
FROM stickers
ORDER BY distance ASC
LIMIT 10""", (float(request.args.get('lon')), float(request.args.get('lat'))))
rows = cursor.fetchall()
return json.dumps(rows, default=str)
else:
return json.dumps({'status': '400', 'error': 'Bounding box not defined or incomplete.'}), 400
@app.route('/getUnverifiedStickers', methods=['GET'])
def getUnverifiedStickers():
# Check if the request contains an valid admin token
if not checkAdminToken(request.cookies.get('adminToken')):
return json.dumps({'status': '403', 'error': 'Token invalid, expired, or not available'}), 403
# Get all unverified stickers'
with psycopg2.connect(host=POSTGRES_HOST, dbname=POSTGRES_DBNAME, user=POSTGRES_USER, password=POSTGRES_PASS, port=POSTGRES_PORT) as con:
# create cursor
cursor = con.cursor()
# find results
rows = cursor.execute("SELECT * FROM stickers WHERE verified=0").fetchall()
return json.dumps(rows)
@app.route('/setSticker', methods=['GET'])
def setSticker():
# Check if the request contains an valid admin token
if not checkAdminToken(request.cookies.get('adminToken')):
return json.dumps({'status': '403', 'error': 'Token invalid, expired, or not available'}), 403
if request.args.get("id") == None or request.args.get('state') == None:
return json.dumps({'status': '400', 'error': 'Invalid or missing arguments.'})
with psycopg2.connect(host=POSTGRES_HOST, dbname=POSTGRES_DBNAME, user=POSTGRES_USER, password=POSTGRES_PASS, port=POSTGRES_PORT) as con:
# create a cursor
cursor = con.cursor()
# Get the email address of the user
if request.args.get('state') == 'Verify':
# Update db
cursor.execute("UPDATE stickers SET verified=1 WHERE stickerId=%s", (request.args.get('id'), ))
con.commit()
# sendEmailUpdate
return json.dumps({'status': '200', 'error': 'Card updated'})
if request.args.get('state') == 'Reject':
# Update db
cursor.execute("UPDATE stickers SET verified=-1 WHERE stickerId=%s", (request.args.get('id'), ))
con.commit()
return json.dumps({'status': '200', 'error': 'Card updated'})
return json.dumps({'status': '400', 'error': 'Invalid card state'})
@app.route('/updateStickerSpots', methods=['POST'])
def updateStickerSpots():
# Check token if required
if os.getenv('STICKER_MAP_REQUIRE_LOGIN') == "True":
if not checkToken(request.cookies.get('token')):
return json.dumps({'status': '403', 'error': 'Not authenticated or cookies disabled.'}), 405
data = request.get_json()
stickerID = data.get('stickerID')
if (stickerID != ''):
# Get all the stickers within the bounding box
with psycopg2.connect(host=POSTGRES_HOST, dbname=POSTGRES_DBNAME, user=POSTGRES_USER, password=POSTGRES_PASS, port=POSTGRES_PORT) as con:
# create cursor
cursor = con.cursor()
# Increase spot count
cursor.execute("UPDATE stickers SET spots = spots + 1 WHERE stickerID = %s", (stickerID,))
return json.dumps({'status': '200', 'error': 'Updated spots count'}), 200
else:
return json.dumps({'status': '400', 'error': 'Updating sticker spots failed'}), 400
def sendEmailUpdate():
return 0 # TODO not implemented
def checkToken(token):
# print(token)
if token is None:
return False
with psycopg2.connect(host=POSTGRES_HOST, dbname=POSTGRES_DBNAME, user=POSTGRES_USER, password=POSTGRES_PASS, port=POSTGRES_PORT) as con:
cursor = con.cursor()
cursor.execute("SELECT * FROM tokens WHERE token=%s", (token,))
rows = cursor.fetchall()
if len(rows) > 0:
return True
else:
return False
def checkAdminToken(token):
# Check if the token is not null
if token is None:
return False
# Connect with database
with psycopg2.connect(host=POSTGRES_HOST, dbname=POSTGRES_DBNAME, user=POSTGRES_USER, password=POSTGRES_PASS, port=POSTGRES_PORT) as con:
# Remove invalid keys from the database
cursor = con.cursor()
cursor.execute("DELETE FROM adminTokens WHERE %s > expirationTime", (time.time(),))
# Check if you key is still in the database
cursor.execute("SELECT * FROM adminTokens WHERE token = %s", (token,))
rows = cursor.fetchall()
if len(rows) > 0:
return True
else:
return False
def allowed_file(filename):
return '.' in filename and \
filename.rsplit('.', 1)[1].lower() in ALLOWED_EXTENSIONS
def checkFileName(name):
newName = name
counter = 0
while os.path.exists(os.path.join(UPLOAD_DIRECTORY, newName)):
newName = name.split('.')[0] + str(counter) + '.' + name.split('.')[1]
counter += 1
return newName
# only runs when executed as script, not when used as module
if __name__ == "__main__":
from waitress import serve
serve(app, host='0.0.0.0', port='7050')