-
Notifications
You must be signed in to change notification settings - Fork 8
/
Copy pathapp.py
274 lines (208 loc) · 7.76 KB
/
app.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
import calendar
from datetime import datetime, date, timedelta
from functools import wraps
import logging
import re
import time
from flask import abort, flash, redirect, render_template
from flask import request, url_for, send_file, session
from sqlalchemy import asc
import requests
from env import LOGIN, PASSWORD, BASE_URL
from model import Birthday, app, db, THIS_YEAR
from sms import send_sms
from text_on_image import download_url, create_img_with_text, CARDS
DEFAULT_FIRST_TAB = 'Upcoming'
TABS = [DEFAULT_FIRST_TAB] + [m[:3] for m in
list(calendar.month_name)[1:]]
UPCOMING_DAYS = 14
TWILIO_SMS_CHAR_LIMIT = 160
logging.basicConfig(filename='app.log', level=logging.DEBUG)
logger = logging.getLogger(__name__)
def login_required(test):
'''From RealPython Flask course'''
@wraps(test)
def wrap(*args, **kwargs):
if 'logged_in' in session:
return test(*args, **kwargs)
else:
flash('You need to log in first')
return redirect(url_for('login'))
return wrap
# other helpers
def _get_current_date():
return date.today().replace(year=THIS_YEAR)
def _get_friend_or_abort(friendid):
friend = Birthday.query.filter(Birthday.id == friendid).first()
if not friend:
abort(400, 'Not a valid friend id')
return friend
def _is_valid_url(url):
try:
r = requests.get(url)
return r.status_code == 200
except:
return False
def _phone_already_in_db(phone):
return Birthday.query.filter(Birthday.phone == phone).first()
@app.route('/login', methods=['GET', 'POST'])
def login():
user = None
status_code = 200
if request.method == 'POST':
user = request.form.get('username')
password = request.form.get('password')
if user != LOGIN or password != PASSWORD:
flash('Invalid credentials')
status_code = 401
else:
session['logged_in'] = user
return redirect(url_for('index'))
return render_template('login.html', user=user), status_code
@app.route('/logout')
def logout():
session.pop('logged_in', None)
return redirect(url_for('index'))
@app.route('/')
@login_required
def index():
start = datetime.now() - timedelta(days=1)
end = start + timedelta(days=UPCOMING_DAYS)
now = _get_current_date()
bdays = (Birthday.query.filter(Birthday.bday <= end)
.filter(Birthday.bday >= start))
return render_template("index.html",
data=bdays,
now=now,
active_tab=DEFAULT_FIRST_TAB,
tabs=TABS)
@app.route('/<int:month>')
@login_required
def bdays_month(month):
if month not in range(1, 13):
abort(400, 'Not a valid month')
# SO questions/36155332
_, num_days = calendar.monthrange(THIS_YEAR, month)
start = date(THIS_YEAR, month, 1)
end = date(THIS_YEAR, month, num_days)
now = _get_current_date()
# TODO: some duplication here with index()
bdays = (Birthday.query.filter(Birthday.bday <= end)
.filter(Birthday.bday >= start))
month_name = calendar.month_name[month][:3]
return render_template("index.html",
data=bdays,
now=now,
active_tab=month_name,
tabs=TABS)
@app.route('/search', methods=['GET'])
@login_required
def search():
name = request.args.get('name')
if not name.isalpha():
print('Not isalpha string')
return redirect(request.referrer)
bdays = (Birthday.query
.filter(Birthday.name.like("%{}%".format(name)))
.order_by(asc(Birthday.bday)).all())
now = _get_current_date()
title = 'Search'
tabs = [title] + TABS[1:]
return render_template("index.html",
data=bdays,
now=now,
active_tab=title,
tabs=tabs)
@app.route('/friends/<int:friendid>', methods=['GET', 'POST'])
@login_required
def update(friendid):
friend = _get_friend_or_abort(friendid)
error = None
if request.method == 'POST':
phone = request.form.get('phone')
if not phone:
error = 'Please fill in phone number'
elif not re.match('^\+\d+$', phone):
error = 'Please use E.164 number formatting for phone (+34666555444, +442071838750)'
elif _phone_already_in_db(phone):
error = '{} already in database'.format(phone)
if not error:
if friend.phone != phone:
friend.phone = phone
db.session.commit()
return redirect(url_for('index'))
return render_template('update.html', friend=friend, error=error)
@app.route('/birthday/<int:friendid>', methods=['GET'])
@login_required
def send_card(friendid):
friend = _get_friend_or_abort(friendid)
today = datetime.now()
if today.day != friend.bday.day or today.month != friend.bday.month:
abort(400, 'It is not his/her birthday')
if not friend.phone:
print('Need a phone number')
return redirect(url_for('update', friendid=friendid))
return render_template('card.html', friend=friend)
@app.route('/birthday/<int:friendid>/confirm', methods=['POST'])
@login_required
def confirm_card(friendid):
if request.method != 'POST':
abort(400, 'Post submit route only')
msg = request.form.get('msg')
url = request.form.get('url')
action = request.form.get('action')
if action not in ('verify', 'send'):
abort(400, 'Invalid action')
friend = _get_friend_or_abort(friendid)
if action == 'verify':
error = None
utstamp = str(int(time.time()))
if not msg:
error = 'Please provide a message'
elif len(msg) > TWILIO_SMS_CHAR_LIMIT:
error = 'Max message size: {} chars'.format(TWILIO_SMS_CHAR_LIMIT)
elif url and not _is_valid_url(url):
error = 'URL not valid or reachable'
if error:
return render_template('card.html',
friend=friend,
msg=msg,
url=url,
error=error)
if url:
base_img = download_url(url)
name = friend.name.replace(' ', '_').lower()
img_dest = CARDS + '/' + name + '.png'
create_img_with_text(base_img, msg, out_file=img_dest)
url = url_for('get_card', name=name)
print(url)
return render_template('send.html',
friend=friend,
msg=msg,
url=url,
utstamp=utstamp)
else:
# good to send!
# make sure no cached image is sent
utstamp = str(int(time.time()))
if url:
media = BASE_URL + url + '?' + utstamp
else:
media = None
logger.debug('Called send_sms with: {}, {}, {}'.format(msg, media, friend.phone)) # noqa E501
try:
send_sms(msg, media=media, to_phone=friend.phone)
logger.info('SMS sent ok')
except Exception as exc:
logger.error('Cannot send SMS: {}'.format(exc))
confirmation = 'Birthday Message sent to {}'.format(friend.name)
back_url = url_for('index')
return render_template("send.html",
confirmation=confirmation,
back_url=back_url)
@app.route("/cards/<name>.png")
def get_card(name):
img = 'cards/' + name + '.png'
return send_file(img, mimetype='image/png') # caching! add ?str in img tag
if __name__ == "__main__":
app.run(debug=True)