forked from Mozta/backend-inven-fab
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathapp.py
301 lines (232 loc) · 8.67 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
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
from flask import Flask, request, jsonify, render_template
from flask_cors import CORS
import os.path
from google.oauth2.service_account import Credentials
from googleapiclient.discovery import build
from googleapiclient.errors import HttpError
from sendgrid import SendGridAPIClient
from sendgrid.helpers.mail import Mail, Email, To, Content, Attachment
import qrcode
import base64
from io import BytesIO
import dotenv
from datetime import datetime
import smtplib
from email.mime.multipart import MIMEMultipart
from email.mime.text import MIMEText
from email.mime.image import MIMEImage
from email.utils import formataddr
import time
import logging
dotenv.load_dotenv()
# Define the scopes
SCOPES = ['https://www.googleapis.com/auth/spreadsheets']
# Read the environment variables
SPREADSHEET_ID = os.getenv("SPREADSHEET_ID")
RANGE_NAME = os.getenv("RANGE_NAME")
SHEET_REGISTERS = os.getenv("SHEET_REGISTERS")
SENDGRID_API_KEY = os.getenv('SENDGRID_API_KEY')
TEMPLATE_ID = os.getenv('SENDGRID_TEMPLATE_ID')
# Path to the service account credentials file
SERVICE_ACCOUNT_FILE = 'token.json'
BASE_URL = os.getenv("BASE_URL")
sg = SendGridAPIClient(SENDGRID_API_KEY)
app = Flask(__name__)
CORS(app)
app.config['CORS_HEADERS'] = 'Content-Type'
apiCache = {
"response": None,
"timestamp": 0
}
checkCache = {
"response": None,
"timestamp": 0
}
def get_credentials():
return Credentials.from_service_account_file(SERVICE_ACCOUNT_FILE, scopes=SCOPES)
def get_sheet():
creds = get_credentials()
return build("sheets", "v4", credentials=creds)
def get_values(): # Call the Sheets API
try:
service = get_sheet()
sheet = service.spreadsheets()
result = (
sheet.values()
.get(spreadsheetId=SPREADSHEET_ID, range=RANGE_NAME)
.execute()
)
return result.get("values", []) # Return a list with the values from the spreadsheet
except HttpError as error:
print(f"An error occurred: {error}")
return []
# With help from ChatGPT
def get_cached_values(force_refresh=False):
cache_duration = 3600*6 # in seconds
current_time = time.time()
# Check if cached data is available and not expired, and force_refresh is not requested
if not force_refresh and apiCache['response'] and (current_time - apiCache['timestamp'] < cache_duration):
print("Using cached response")
return apiCache['response']
# Make the API call
print("Fetching new data from API")
response = get_values()
if not response:
return response
# Update the cache with new response and current timestamp
apiCache['response'] = response
apiCache['timestamp'] = current_time
return apiCache['response']
def get_spreadsheet_data(force_refresh=False): # Get the values from the spreadsheet and return them as a JSON
values = get_cached_values(force_refresh)
if not values:
return jsonify({"error": "No se encontraron datos."})
else:
headers = values[0]
records = []
for row in values[1:]:
record = {header: value for header, value in zip(headers, row)}
records.append(record)
return jsonify(records)
def add_register(data):
try:
service = get_sheet()
sheet = service.spreadsheets()
code = data.get('code', '');
if (code != '' and check_registered_code(code) == True):
return False;
items = data.get('items', [])
items_str = ', '.join([f"{item['id']} (Qty: {item['quantity']})" for item in items])
subtotal = data.get('subtotal', '')
formData = data.get('formData', {})
date = datetime.now().strftime("%Y-%m-%d %H:%M:%S")
row = [
formData.get('workshopTitle', ''),
formData.get('name', ''),
formData.get('email', ''),
items_str,
subtotal,
date,
code,
]
body = {
"values": [row]
}
result = sheet.values().append(
spreadsheetId=SPREADSHEET_ID,
range=SHEET_REGISTERS,
valueInputOption="RAW",
body=body
).execute()
# Force clear cache if new save
checkCache['timestamp'] = 0;
return result
except HttpError as error:
print(f"An error occurred: {error}")
return None
def check_registered_code(code):
cache_duration = 3600 # in seconds
current_time = time.time()
# Fetch column if not cached
if not checkCache['response'] or (current_time - checkCache['timestamp'] > cache_duration):
try:
service = get_sheet()
sheet = service.spreadsheets()
# Use configured range to only fetch code column
codeColumnRange = SHEET_REGISTERS.split("!")[0] + "!G:G";
result = (
sheet.values()
.get(spreadsheetId=SPREADSHEET_ID, range=codeColumnRange)
.execute()
)
rows = result.get("values", [])
if not rows:
return False
checkCache['response'] = rows
checkCache['timestamp'] = current_time
except HttpError as error:
print(f"An error occurred: {error}")
return False
for row in checkCache['response']:
if len(row) > 0 and row[0] == code:
return True;
return False;
def send_email(body):
from_email = Email(os.getenv('MAIL_FROM_ADDRESS'), os.getenv('MAIL_FROM_NAME'))
to_email = To(body['formData']['email'])
title = body['formData']['workshopTitle']
trimmed_title = title[:20] + '...' if len(title) > 20 else title
subject = f"Thank you for your materials selection for {trimmed_title}"
# if TEMPLATE_ID:
text_content = render_template('email_confirmation.txt', body=body)
content = Content("text/plain", text_content)
mail = Mail(from_email, to_email, subject, content)
# Adds QR image as an attachment
qr_image = generate_qr_base64(body)
qr_img_base64 = base64.b64encode(qr_image).decode()
attachment = Attachment()
attachment.file_content = qr_img_base64
attachment.file_type = "image/png"
attachment.file_name = "qrcode.png"
attachment.disposition = "attachment"
attachment.content_id = "QR Code"
mail.add_attachment(attachment)
try:
mail_json = mail.get()
response = sg.client.mail.send.post(request_body=mail_json)
print(response.status_code)
print(response.body)
print(response.headers)
return response.status_code
except Exception as e:
logging.warning(e.body)
return 500
def generate_qr_base64(data):
qr = qrcode.QRCode(
version=1,
error_correction=qrcode.constants.ERROR_CORRECT_L,
box_size=10,
border=4,
)
qr.add_data(data)
qr.make(fit=True)
img = qr.make_image(fill_color="black", back_color="white")
buffered = BytesIO()
img.save(buffered, format="PNG")
return buffered.getvalue()
@app.route(f"/{BASE_URL}/items", methods=["GET"])
def get_items():
values = get_cached_values()
if not values:
return jsonify({"error": "No se encontraron datos."})
else:
# The 'Items' column is the seventh column (index 6)
items = values[6]
return jsonify({"items": items})
# Return the values from the spreadsheet as a JSON
@app.route(f"/{BASE_URL}", methods=["GET"])
def get_data():
return get_spreadsheet_data(force_refresh=request.args.get('force', 'false').lower() == 'true')
# Receive the form data and send it via email
@app.route(f"/{BASE_URL}/send-email", methods=["POST"])
def send_email_from_form():
data = request.json
if not data.get('code'):
return jsonify({"status_code": 200, "message": "OK"}), 200
result = add_register(data)
if result == False:
return jsonify({"status_code": 200, "message": "Saved already"})
elif result is None:
print("An error occurred while adding the data.")
return jsonify({"status_code": 500, "message": "An error occurred"}), 500
# Skip email if a "Nothing needed" request
if 'items' in data and len(data['items']) > 0 and data['items'][0].get('id') == 'Nothing Please':
return jsonify({"status_code": 202, "message": "Data saved"}), 202
status_code = send_email(data)
return jsonify({"status_code": status_code, "message": "Email sent successfully" if status_code == 202 else "Email not sent"}), status_code
@app.route(f"/{BASE_URL}/check/<code>", methods=["GET"])
def check_something(code):
hasRegistered = check_registered_code(code)
return jsonify({"status": hasRegistered})
if __name__ == "__main__":
app.run(debug=True)