From ea0d3f85d77b82f7b73fb0dade6a5a2b639bccf4 Mon Sep 17 00:00:00 2001 From: elangptra Date: Mon, 12 Aug 2024 09:44:06 +0700 Subject: [PATCH] initial commit --- .envexample | 12 + .gitignore | 2 + controllers/auth.js | 202 ++ controllers/subject.js | 137 ++ controllers/topic.js | 117 + controllers/user.js | 94 + database/db.js | 37 + index.js | 22 + middlewares/authUser.js | 60 + middlewares/upload.js | 74 + models/index.js | 12 + models/subjectModel.js | 51 + models/topicModel.js | 47 + models/userModel.js | 66 + package-lock.json | 2122 +++++++++++++++++ package.json | 27 + .../0025932b3fb82d7e19648e1ff9bbf7bc.png | Bin 0 -> 16282 bytes .../d65fdab37a0cf11d22c7a8b08f727812.jpg | Bin 0 -> 48647 bytes response.js | 13 + routes/auth.js | 16 + routes/index.js | 13 + routes/subject.js | 19 + routes/topic.js | 18 + routes/user.js | 16 + 24 files changed, 3177 insertions(+) create mode 100644 .envexample create mode 100644 .gitignore create mode 100644 controllers/auth.js create mode 100644 controllers/subject.js create mode 100644 controllers/topic.js create mode 100644 controllers/user.js create mode 100644 database/db.js create mode 100644 index.js create mode 100644 middlewares/authUser.js create mode 100644 middlewares/upload.js create mode 100644 models/index.js create mode 100644 models/subjectModel.js create mode 100644 models/topicModel.js create mode 100644 models/userModel.js create mode 100644 package-lock.json create mode 100644 package.json create mode 100644 public/uploads/0025932b3fb82d7e19648e1ff9bbf7bc.png create mode 100644 public/uploads/d65fdab37a0cf11d22c7a8b08f727812.jpg create mode 100644 response.js create mode 100644 routes/auth.js create mode 100644 routes/index.js create mode 100644 routes/subject.js create mode 100644 routes/topic.js create mode 100644 routes/user.js diff --git a/.envexample b/.envexample new file mode 100644 index 0000000..3d1a8c1 --- /dev/null +++ b/.envexample @@ -0,0 +1,12 @@ +APP_PORT = 3001 + +DB_HOST = localhost +DB_USER = root +DB_PASSWORD = +DB_NAME = project_siswa + +ACCESS_TOKEN_SECRET = +RESET_PASSWORD_SECRET = + +EMAIL_USER = +EMAIL_PASS = \ No newline at end of file diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..37d7e73 --- /dev/null +++ b/.gitignore @@ -0,0 +1,2 @@ +node_modules +.env diff --git a/controllers/auth.js b/controllers/auth.js new file mode 100644 index 0000000..c5ebfd8 --- /dev/null +++ b/controllers/auth.js @@ -0,0 +1,202 @@ +import response from "../response.js"; +import bcrypt from "bcrypt"; +import jwt from "jsonwebtoken"; +import nodemailer from 'nodemailer'; +import models from "../models/index.js"; + +const transporter = nodemailer.createTransport({ + service: 'gmail', // Anda bisa menggunakan layanan email lainnya + auth: { + user: process.env.EMAIL_USER, + pass: process.env.EMAIL_PASS, + }, +}); + +export const registerUser = async (req, res) => { + const { name, email, password, confirmPassword } = req.body; + let roles = "student"; + + if (!name) { + return res.status(400).json({ message: "Name is required!" }); + } + + if (!email) { + return res.status(400).json({ message: "Email is required!" }); + } + + if (!password) { + return res.status(400).json({ message: "Password is required!" }); + } + + if (!confirmPassword) { + return res.status(400).json({ message: "Confirm Password is required!" }); + } + + if (password !== confirmPassword) { + return res.status(400).json({ message: "Passwords do not match!" }); + } + + try { + const salt = await bcrypt.genSalt(10); + const hashedPassword = await bcrypt.hash(password, salt); + + const newUser = await models.User.create({ + name, + email, + password: hashedPassword, + roles, + }); + + res.status(200).json({ message: "Registration success", result: newUser }); + } catch (error) { + console.log(error); + + // Check for unique constraint error on email + if (error.name === "SequelizeUniqueConstraintError") { + return res.status(400).json({ message: "Email already registered!" }); + } + + res.status(500).json({ message: "Internal Server Error" }); + } +}; + +export const loginUser = async (req, res) => { + const { email, password } = req.body; + + if (!email) { + return response(400, null, "Email is required!", res); + } + + if (!password) { + return response(400, null, "Password is required!", res); + } + + try { + const user = await models.User.findOne({ where: { email } }); + + if (!user) { + return response(404, null, "User data not found!", res); + } + + const validPassword = await bcrypt.compare(password, user.password); + if (!validPassword) { + return response(401, null, "The password you entered is incorrect!", res); + } + + const accessToken = jwt.sign( + { id: user.id }, + process.env.ACCESS_TOKEN_SECRET + ); + + // Set tokens as HTTP-only cookies + res.cookie("accessToken", accessToken, { + httpOnly: true, + secure: process.env.NODE_ENV === "production", // Use secure cookies in production + }); + + // Selectively pick fields to send in the response + const userResponse = { + id: user.id, + name: user.name, + email: user.email, + roles: user.roles, + }; + + response(200, userResponse, "Success", res); + } catch (error) { + console.log(error); + res.status(500).json({ message: "Internal Server Error" }); + } +}; + +export const logoutUser = (req, res) => { + res.clearCookie("accessToken", { + httpOnly: true, + secure: process.env.NODE_ENV === "production", + }); + + res.status(200).json({ message: "You have successfully logged out." }); +}; + +export const forgotPassword = async (req, res) => { + const { email } = req.body; + + if (!email) { + return response(400, null, "Email is required!", res); + } + + try { + const user = await models.User.findOne({ where: { email } }); + + if (!user) { + return response(404, null, "Email is not registered!", res); + } + + const resetToken = jwt.sign({ id: user.id }, process.env.RESET_PASSWORD_SECRET, { + expiresIn: '1h', // Token valid for 1 hour + }); + + const resetLink = `http://localhost:${process.env.APP_PORT}/resetPassword/${resetToken}`; + + const mailOptions = { + from: process.env.EMAIL_USER, + to: user.email, + subject: 'Password Reset', + text: `You are receiving this because you (or someone else) have requested the reset of the password for your account. + Please click on the following link, or paste this into your browser to complete the process: + ${resetLink} + If you did not request this, please ignore this email and your password will remain unchanged.`, + }; + + await transporter.sendMail(mailOptions); + + response(200, null, "Password reset email sent successfully!", res); + } catch (error) { + console.log(error); + res.status(500).json({ message: "Internal Server Error" }); + } +}; + +export const resetPassword = async (req, res) => { + const { token, newPassword, confirmNewPassword } = req.body; + + if (!token) { + return response(400, null, "Token is required!", res); + } + + if (!newPassword) { + return response(400, null, "New password is required!", res); + } + + if (!confirmNewPassword) { + return response(400, null, "Confirm new password is required!", res); + } + + if (newPassword !== confirmNewPassword) { + return response(400, null, "Passwords do not match!", res); + } + + try { + const decoded = jwt.verify(token, process.env.RESET_PASSWORD_SECRET); + const user = await models.User.findOne({ where: { id: decoded.id } }); + + if (!user) { + return response(404, null, "User data not found!", res); + } + + const salt = await bcrypt.genSalt(10); + const hashedPassword = await bcrypt.hash(newPassword, salt); + + user.password = hashedPassword; + await user.save(); + + response(200, null, "Password has been reset successfully!", res); + } catch (error) { + console.log(error); + if (error.name === "TokenExpiredError") { + return response(400, null, "Reset token has expired!", res); + } else { + return res.status(500).json({ message: "Internal Server Error" }); + } + } +}; \ No newline at end of file diff --git a/controllers/subject.js b/controllers/subject.js new file mode 100644 index 0000000..1b8d458 --- /dev/null +++ b/controllers/subject.js @@ -0,0 +1,137 @@ +import response from "../response.js"; +import models from "../models/index.js"; +import fs from "fs"; +import path from "path"; + +export const getSubjects = async (req, res) => { + try { + const subjects = await models.Subject.findAll(); + response(200, subjects, "Success", res); + } catch (error) { + console.log(error); + response(500, null, "Error retrieving subjects data!", res); + } +}; + +export const getSubjectById = async (req, res) => { + try { + const { id } = req.params; + const subject = await models.Subject.findByPk(id); + + if (!subject) { + return response(404, null, "Subject not found", res); + } + + response(200, subject, "Success", res); + } catch (error) { + console.log(error); + res.status(500).json({ message: "Internal Server Error" }); + } +}; + +export const createSubject = async (req, res) => { + const { name, description, icon, thumbnail } = req.body; + + // Validate name + if (!name) { + return response(400, null, "Name is required", res); + } + + // Validate description + if (!description) { + return response(400, null, "Description is required", res); + } + + try { + const newSubject = await models.Subject.create({ + name, + description, + icon, + thumbnail, + }); + + response(201, newSubject, "Subject created successfully", res); + } catch (error) { + console.log(error); + res.status(500).json({ message: "Internal Server Error" }); + } +}; + +export const updateSubjectById = async (req, res) => { + const { id } = req.params; + const { name, description } = req.body; + const icon = req.body.icon; + const thumbnail = req.body.thumbnail; + + try { + const subject = await models.Subject.findByPk(id); + + if (!subject) { + return response(404, null, "Subject not found", res); + } + + // Update subject fields + if (name) subject.name = name; + if (description) subject.description = description; + if (icon) { + // Remove old icon if it exists + if ( + subject.icon && + fs.existsSync(path.join("public/uploads", subject.icon)) + ) { + fs.unlinkSync(path.join("public/uploads", subject.icon)); + } + subject.icon = icon; + } + if (thumbnail) { + // Remove old thumbnail if it exists + if ( + subject.thumbnail && + fs.existsSync(path.join("public/uploads", subject.thumbnail)) + ) { + fs.unlinkSync(path.join("public/uploads", subject.thumbnail)); + } + subject.thumbnail = thumbnail; + } + + await subject.save(); + + response(200, subject, "Subject updated successfully", res); + } catch (error) { + console.log(error); + response(500, null, "Internal Server Error", res); + } +}; + +export const deleteSubjectById = async (req, res) => { + const { id } = req.params; + + try { + const subject = await models.Subject.findByPk(id); + + if (!subject) { + return response(404, null, "Subject not found", res); + } + + // Remove associated files if they exist + if ( + subject.icon && + fs.existsSync(path.join("public/uploads", subject.icon)) + ) { + fs.unlinkSync(path.join("public/uploads", subject.icon)); + } + if ( + subject.thumbnail && + fs.existsSync(path.join("public/uploads", subject.thumbnail)) + ) { + fs.unlinkSync(path.join("public/uploads", subject.thumbnail)); + } + + await subject.destroy(); + + response(200, null, "Subject deleted successfully", res); + } catch (error) { + console.log(error); + response(500, null, "Internal Server Error", res); + } +}; diff --git a/controllers/topic.js b/controllers/topic.js new file mode 100644 index 0000000..1d0aa73 --- /dev/null +++ b/controllers/topic.js @@ -0,0 +1,117 @@ +import response from "../response.js"; +import models from "../models/index.js"; + +export const getTopics = async (req, res) => { + try { + const topics = await models.Topic.findAll(); + response(200, topics, "Success", res); + } catch (error) { + console.log(error); + response(500, null, "Error retrieving topics data!", res); + } +}; + +export const getTopicById = async (req, res) => { + try { + const { id } = req.params; + const topic = await models.Topic.findByPk(id); + + if (!topic) { + return response(404, null, "Topic not found", res); + } + + response(200, topic, "Success", res); + } catch (error) { + console.log(error); + res.status(500).json({ message: "Internal Server Error" }); + } +}; + +export const createTopic = async (req, res) => { + const { subject_id, title } = req.body; + + // Validate subject_id + if (!subject_id) { + return response(400, null, "Subject ID is required", res); + } + + // Validate title + if (!title) { + return response(400, null, "Title is required", res); + } + + try { + // Verify that the subject_id exists in the m_subjects table + const subject = await models.Subject.findByPk(subject_id); + if (!subject) { + return response(404, null, "Subject not found", res); + } + + const newTopic = await models.Topic.create({ + subject_id, + title, + }); + + response(201, newTopic, "Topic created successfully", res); + } catch (error) { + console.log(error); + response(500, null, "Internal Server Error", res); + } +}; + +export const updateTopicById = async (req, res) => { + const { id } = req.params; + const { subject_id, title } = req.body; + + try { + // Find the topic by its ID + const topic = await models.Topic.findByPk(id); + + if (!topic) { + return response(404, null, "Topic not found", res); + } + + // Validate and update subject_id if provided + if (subject_id) { + const subject = await models.Subject.findByPk(subject_id); + if (!subject) { + return response(404, null, "Subject not found", res); + } + topic.subject_id = subject_id; + } + + // Validate and update title if provided + if (title) { + topic.title = title; + } + + // Save the updated topic + await topic.save(); + + response(200, topic, "Topic updated successfully", res); + } catch (error) { + console.log(error); + response(500, null, "Internal Server Error", res); + } +}; + +export const deleteTopicById = async (req, res) => { + const { id } = req.params; + + try { + // Find the topic by its ID + const topic = await models.Topic.findByPk(id); + + if (!topic) { + return response(404, null, "Topic not found", res); + } + + // Delete the topic + await topic.destroy(); + + response(200, null, "Topic deleted successfully", res); + } catch (error) { + console.log(error); + response(500, null, "Internal Server Error", res); + } +}; diff --git a/controllers/user.js b/controllers/user.js new file mode 100644 index 0000000..1443232 --- /dev/null +++ b/controllers/user.js @@ -0,0 +1,94 @@ +import response from "../response.js"; +import models from "../models/index.js"; +import bcrypt from "bcrypt"; + +export const getUsers = async (req, res) => { + try { + const users = await models.User.findAll(); + response(200, users, "Success", res); + } catch (error) { + console.log(error); + response(500, null, "Error retrieving users data!", res); + } +}; + +export const getUserById = async (req, res) => { + try { + const { id } = req.params; + const user = await models.User.findByPk(id); + + if (!user) { + return response(404, null, "User not found", res); + } + + response(200, user, "Success", res); + } catch (error) { + console.log(error); + res.status(500).json({ message: "Internal Server Error" }); + } +}; + +export const updateUserById = async (req, res) => { + try { + const { id } = req.params; + const { name, email, password, roles } = req.body; + + // Find the user by ID + const user = await models.User.findByPk(id); + + if (!user) { + return response(404, null, "User not found", res); + } + + // Check if the email is unique if it is being updated + if (email && email !== user.email) { + const emailExists = await models.User.findOne({ where: { email } }); + if (emailExists) { + return response(400, null, "Email already in use", res); + } + user.email = email; + } + + // Hash the password if it is being updated + if (password) { + const salt = await bcrypt.genSalt(10); + user.password = await bcrypt.hash(password, salt); + } + + // Update other user information + user.name = name || user.name; + user.roles = roles || user.roles; + + // Manually update the updated_at field + user.updated_at = new Date(); + + // Save the updated user information + await user.save(); + + response(200, user, "User updated successfully", res); + } catch (error) { + console.log(error); + res.status(500).json({ message: "Internal Server Error" }); + } +}; + +export const deleteUserById = async (req, res) => { + try { + const { id } = req.params; + + // Find the user by ID + const user = await models.User.findByPk(id); + + if (!user) { + return response(404, null, "User not found", res); + } + + // Delete the user + await user.destroy(); + + response(200, null, "User deleted successfully", res); + } catch (error) { + console.log(error); + res.status(500).json({ message: "Internal Server Error" }); + } +}; \ No newline at end of file diff --git a/database/db.js b/database/db.js new file mode 100644 index 0000000..2d49933 --- /dev/null +++ b/database/db.js @@ -0,0 +1,37 @@ +import { Sequelize } from "sequelize"; +import dotenv from "dotenv"; + +dotenv.config(); + +const host = process.env.DB_HOST; +const name = process.env.DB_NAME; +const username = process.env.DB_USER; +const password = process.env.DB_PASSWORD; + +const db = new Sequelize(name, username, password, { + host: host, + dialect: "mysql", + logging: false, +}); + +const testConnection = async () => { + try { + await db.authenticate(); + console.log("Database connected"); + } catch (error) { + console.log("Error connecting to database", error); + } +}; + +const query = async (query, value) => { + try { + const [rows] = await db.query(query, value); + return rows; + } catch (error) { + console.log(error); + } +}; + +export { testConnection, query }; + +export default db; \ No newline at end of file diff --git a/index.js b/index.js new file mode 100644 index 0000000..ae53a7f --- /dev/null +++ b/index.js @@ -0,0 +1,22 @@ +import express from 'express'; +import cors from 'cors'; +import dotenv from 'dotenv'; +import { testConnection } from "./database/db.js"; +import router from "./routes/index.js"; +import cookieParser from 'cookie-parser'; + +dotenv.config(); +const app = express(); + +app.use(cors()); +app.use(cookieParser()); +app.use(express.json()); +app.use(router); + +// Serve static files from the uploads directory +app.use(express.static('public')); + +app.listen(process.env.APP_PORT, () => { + testConnection(); + console.log(`Server running on port http://localhost:${process.env.APP_PORT}`); +}) \ No newline at end of file diff --git a/middlewares/authUser.js b/middlewares/authUser.js new file mode 100644 index 0000000..7b4ccd0 --- /dev/null +++ b/middlewares/authUser.js @@ -0,0 +1,60 @@ +import jwt from "jsonwebtoken"; +import models from "../models/index.js"; + +export const verifyLoginUser = async (req, res, next) => { + const { accessToken } = req.cookies; + + if (!accessToken) { + return res + .status(401) + .json({ message: "Please log in to your account first!" }); + } + + try { + // Verifikasi token dan dapatkan payload yang didekode + const decoded = jwt.verify(accessToken, process.env.ACCESS_TOKEN_SECRET); + + // Cari user berdasarkan id yang ada di token + const user = await models.User.findByPk(decoded.id); + + if (!user) { + return res.status(404).json({ message: "User not found!" }); + } + + // Simpan informasi user di req.user untuk penggunaan selanjutnya + req.user = user; + + // Lanjutkan ke route handler berikutnya + next(); + } catch (error) { + if (error.name === "JsonWebTokenError") { + return res.status(403).json({ message: "Invalid token!" }); + } else { + return res + .status(500) + .json({ message: "An error occurred on the server!" }); + } + } +}; + +// Middleware untuk memverifikasi apakah pengguna adalah admin +export const adminOnly = (req, res, next) => { + if (!req.user || req.user.roles !== "admin") { + return res.status(403).json({ + message: + "Access denied! You do not have admin access.", + }); + } + next(); +}; + +// Middleware untuk memverifikasi apakah pengguna adalah teacher +export const teacherOnly = (req, res, next) => { + if (!req.user || req.user.roles !== "teacher") { + return res.status(403).json({ + message: + "Access denied! You do not have teacher access.", + }); + } + next(); +}; diff --git a/middlewares/upload.js b/middlewares/upload.js new file mode 100644 index 0000000..0b7cf25 --- /dev/null +++ b/middlewares/upload.js @@ -0,0 +1,74 @@ +import multer from "multer"; +import crypto from "crypto"; +import path from "path"; +import fs from "fs"; +import response from "../response.js"; + +const memoryStorage = multer.memoryStorage(); + +const fileFilter = (req, file, cb) => { + const ext = path.extname(file.originalname).toLowerCase(); + if (ext === ".png" || ext === ".jpg" || ext === ".jpeg") { + cb(null, true); + } else { + cb( + new Error( + "Invalid file type, only .png, .jpg, and .jpeg files are allowed!" + ), + false + ); + } +}; + +const upload = multer({ + storage: memoryStorage, + fileFilter, + limits: { fileSize: 5 * 1024 * 1024 }, // Limit file size to 5MB +}).fields([ + { name: "icon", maxCount: 1 }, + { name: "thumbnail", maxCount: 1 }, +]); + +const saveFileToDisk = (file) => { + const md5sum = crypto + .createHash("md5") + .update(Date.now().toString()) + .digest("hex"); + const ext = path.extname(file.originalname); + const filename = `${md5sum}${ext}`; + const filepath = path.join("public/uploads", filename); + fs.writeFileSync(filepath, file.buffer); + return filename; +}; + +const handleUpload = (req, res, next) => { + upload(req, res, (err) => { + if (err) { + return response(400, null, err.message, res); + } + + const files = req.files; + const icon = files?.icon ? files.icon[0] : null; + const thumbnail = files?.thumbnail ? files.thumbnail[0] : null; + + try { + // Validate icon and thumbnail before saving + if (icon && thumbnail) { + const iconFilename = saveFileToDisk(icon); + const thumbnailFilename = saveFileToDisk(thumbnail); + + // Update the filenames in the request object for further processing + req.body.icon = iconFilename; + req.body.thumbnail = thumbnailFilename; + + next(); + } else { + return response(400, null, "Both icon and thumbnail are required", res); + } + } catch (error) { + return response(500, null, "Internal Server Error", res); + } + }); +}; + +export default handleUpload; diff --git a/models/index.js b/models/index.js new file mode 100644 index 0000000..ba2f623 --- /dev/null +++ b/models/index.js @@ -0,0 +1,12 @@ +import { Sequelize } from "sequelize"; +import UserModel from "./userModel.js"; +import SubjectModel from "./subjectModel.js"; +import TopicModel from "./topicModel.js"; + +const models = { + User: UserModel(Sequelize.DataTypes), + Subject: SubjectModel(Sequelize.DataTypes), + Topic: TopicModel(Sequelize.DataTypes), +}; + +export default models; \ No newline at end of file diff --git a/models/subjectModel.js b/models/subjectModel.js new file mode 100644 index 0000000..e8b3da5 --- /dev/null +++ b/models/subjectModel.js @@ -0,0 +1,51 @@ +import db from "../database/db.js"; + +const SubjectModel = (DataTypes) => { + const Subjects = db.define( + "m_subjects", + { + id: { + type: DataTypes.INTEGER, + primaryKey: true, + autoIncrement: true, + validate: { + notEmpty: true, + }, + }, + name: { + type: DataTypes.STRING(50), + allowNull: false, + validate: { + notEmpty: true, + }, + }, + description: { + type: DataTypes.TEXT, + allowNull: false, + validate: { + notEmpty: true, + }, + }, + icon: { + type: DataTypes.STRING(255), + allowNull: true, + }, + thumbnail: { + type: DataTypes.STRING(255), + allowNull: true, + }, + ts_entri: { + type: DataTypes.DATE, + allowNull: false, + defaultValue: DataTypes.NOW, + }, + }, + { + timestamps: false, // Disable Sequelize's automatic timestamp fields (createdAt, updatedAt) + tableName: "m_subjects", // Ensure the table name matches the actual table name + } + ); + return Subjects; +}; + +export default SubjectModel; \ No newline at end of file diff --git a/models/topicModel.js b/models/topicModel.js new file mode 100644 index 0000000..7d5f784 --- /dev/null +++ b/models/topicModel.js @@ -0,0 +1,47 @@ +import db from "../database/db.js"; + +const TopicModel = (DataTypes) => { + const Topics = db.define( + "m_topics", + { + id: { + type: DataTypes.INTEGER, + primaryKey: true, + autoIncrement: true, + validate: { + notEmpty: true, + }, + }, + subject_id: { + type: DataTypes.INTEGER, + allowNull: false, + validate: { + notEmpty: true, + }, + references: { + model: 'm_subjects', // Name of the referenced table + key: 'id', // Key in the referenced table + }, + }, + title: { + type: DataTypes.STRING(255), + allowNull: false, + validate: { + notEmpty: true, + }, + }, + ts_entri: { + type: DataTypes.DATE, + allowNull: true, + defaultValue: DataTypes.NOW, + }, + }, + { + timestamps: false, // Disable Sequelize's automatic timestamp fields (createdAt, updatedAt) + tableName: "m_topics", // Ensure the table name matches the actual table name + } + ); + return Topics; +}; + +export default TopicModel; \ No newline at end of file diff --git a/models/userModel.js b/models/userModel.js new file mode 100644 index 0000000..83c1c99 --- /dev/null +++ b/models/userModel.js @@ -0,0 +1,66 @@ +import db from "../database/db.js"; + +const UserModel = (DataTypes) => { + const Users = db.define( + "users", + { + id: { + type: DataTypes.BIGINT, + primaryKey: true, + autoIncrement: true, + validate: { + notEmpty: true, + }, + }, + name: { + type: DataTypes.STRING, + allowNull: false, + validate: { + notEmpty: true, + }, + }, + email: { + type: DataTypes.STRING, + allowNull: false, + unique: true, + validate: { + notEmpty: true, + isEmail: true, + }, + }, + email_verified_at: { + type: DataTypes.DATE, + allowNull: true, + }, + password: { + type: DataTypes.STRING, + allowNull: false, + }, + roles: { + type: DataTypes.STRING, + allowNull: true, + }, + remember_token: { + type: DataTypes.STRING(100), + allowNull: true, + }, + created_at: { + type: DataTypes.DATE, + allowNull: true, + defaultValue: DataTypes.NOW, + }, + updated_at: { + type: DataTypes.DATE, + allowNull: true, + defaultValue: DataTypes.NOW, + }, + }, + { + timestamps: false, // Disable Sequelize's automatic timestamp fields (createdAt, updatedAt) + tableName: "users", // Ensure the table name matches the actual table name + } + ); + return Users; +}; + +export default UserModel; diff --git a/package-lock.json b/package-lock.json new file mode 100644 index 0000000..b3d8ac4 --- /dev/null +++ b/package-lock.json @@ -0,0 +1,2122 @@ +{ + "name": "backend", + "version": "1.0.0", + "lockfileVersion": 3, + "requires": true, + "packages": { + "": { + "name": "backend", + "version": "1.0.0", + "license": "ISC", + "dependencies": { + "bcrypt": "^5.1.1", + "cookie-parser": "^1.4.6", + "cors": "^2.8.5", + "dotenv": "^16.4.5", + "express": "^4.19.2", + "jsonwebtoken": "^9.0.2", + "multer": "^1.4.5-lts.1", + "mysql2": "^3.11.0", + "nodemailer": "^6.9.14", + "nodemon": "^3.1.4", + "sequelize": "^6.37.3" + } + }, + "node_modules/@mapbox/node-pre-gyp": { + "version": "1.0.11", + "resolved": "https://registry.npmjs.org/@mapbox/node-pre-gyp/-/node-pre-gyp-1.0.11.tgz", + "integrity": "sha512-Yhlar6v9WQgUp/He7BdgzOz8lqMQ8sU+jkCq7Wx8Myc5YFJLbEe7lgui/V7G1qB1DJykHSGwreceSaD60Y0PUQ==", + "dependencies": { + "detect-libc": "^2.0.0", + "https-proxy-agent": "^5.0.0", + "make-dir": "^3.1.0", + "node-fetch": "^2.6.7", + "nopt": "^5.0.0", + "npmlog": "^5.0.1", + "rimraf": "^3.0.2", + "semver": "^7.3.5", + "tar": "^6.1.11" + }, + "bin": { + "node-pre-gyp": "bin/node-pre-gyp" + } + }, + "node_modules/@types/debug": { + "version": "4.1.12", + "resolved": "https://registry.npmjs.org/@types/debug/-/debug-4.1.12.tgz", + "integrity": "sha512-vIChWdVG3LG1SMxEvI/AK+FWJthlrqlTu7fbrlywTkkaONwk/UAGaULXRlf8vkzFBLVm0zkMdCquhL5aOjhXPQ==", + "dependencies": { + "@types/ms": "*" + } + }, + "node_modules/@types/ms": { + "version": "0.7.34", + "resolved": "https://registry.npmjs.org/@types/ms/-/ms-0.7.34.tgz", + "integrity": "sha512-nG96G3Wp6acyAgJqGasjODb+acrI7KltPiRxzHPXnP3NgI28bpQDRv53olbqGXbfcgF5aiiHmO3xpwEpS5Ld9g==" + }, + "node_modules/@types/node": { + "version": "22.1.0", + "resolved": "https://registry.npmjs.org/@types/node/-/node-22.1.0.tgz", + "integrity": "sha512-AOmuRF0R2/5j1knA3c6G3HOk523Ga+l+ZXltX8SF1+5oqcXijjfTd8fY3XRZqSihEu9XhtQnKYLmkFaoxgsJHw==", + "dependencies": { + "undici-types": "~6.13.0" + } + }, + "node_modules/@types/validator": { + "version": "13.12.0", + "resolved": "https://registry.npmjs.org/@types/validator/-/validator-13.12.0.tgz", + "integrity": "sha512-nH45Lk7oPIJ1RVOF6JgFI6Dy0QpHEzq4QecZhvguxYPDwT8c93prCMqAtiIttm39voZ+DDR+qkNnMpJmMBRqag==" + }, + "node_modules/abbrev": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/abbrev/-/abbrev-1.1.1.tgz", + "integrity": "sha512-nne9/IiQ/hzIhY6pdDnbBtz7DjPTKrY00P/zvPSm5pOFkl6xuGrGnXn/VtTNNfNtAfZ9/1RtehkszU9qcTii0Q==" + }, + "node_modules/accepts": { + "version": "1.3.8", + "resolved": "https://registry.npmjs.org/accepts/-/accepts-1.3.8.tgz", + "integrity": "sha512-PYAthTa2m2VKxuvSD3DPC/Gy+U+sOA1LAuT8mkmRuvw+NACSaeXEQ+NHcVF7rONl6qcaxV3Uuemwawk+7+SJLw==", + "dependencies": { + "mime-types": "~2.1.34", + "negotiator": "0.6.3" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/agent-base": { + "version": "6.0.2", + "resolved": "https://registry.npmjs.org/agent-base/-/agent-base-6.0.2.tgz", + "integrity": "sha512-RZNwNclF7+MS/8bDg70amg32dyeZGZxiDuQmZxKLAlQjr3jGyLx+4Kkk58UO7D2QdgFIQCovuSuZESne6RG6XQ==", + "dependencies": { + "debug": "4" + }, + "engines": { + "node": ">= 6.0.0" + } + }, + "node_modules/agent-base/node_modules/debug": { + "version": "4.3.6", + "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.6.tgz", + "integrity": "sha512-O/09Bd4Z1fBrU4VzkhFqVgpPzaGbw6Sm9FEkBT1A/YBXQFGuuSxa1dN2nxgxS34JmKXqYx8CZAwEVoJFImUXIg==", + "dependencies": { + "ms": "2.1.2" + }, + "engines": { + "node": ">=6.0" + }, + "peerDependenciesMeta": { + "supports-color": { + "optional": true + } + } + }, + "node_modules/agent-base/node_modules/ms": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz", + "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==" + }, + "node_modules/ansi-regex": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", + "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", + "engines": { + "node": ">=8" + } + }, + "node_modules/anymatch": { + "version": "3.1.3", + "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.3.tgz", + "integrity": "sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==", + "dependencies": { + "normalize-path": "^3.0.0", + "picomatch": "^2.0.4" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/append-field": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/append-field/-/append-field-1.0.0.tgz", + "integrity": "sha512-klpgFSWLW1ZEs8svjfb7g4qWY0YS5imI82dTg+QahUvJ8YqAY0P10Uk8tTyh9ZGuYEZEMaeJYCF5BFuX552hsw==" + }, + "node_modules/aproba": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/aproba/-/aproba-2.0.0.tgz", + "integrity": "sha512-lYe4Gx7QT+MKGbDsA+Z+he/Wtef0BiwDOlK/XkBrdfsh9J/jPPXbX0tE9x9cl27Tmu5gg3QUbUrQYa/y+KOHPQ==" + }, + "node_modules/are-we-there-yet": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/are-we-there-yet/-/are-we-there-yet-2.0.0.tgz", + "integrity": "sha512-Ci/qENmwHnsYo9xKIcUJN5LeDKdJ6R1Z1j9V/J5wyq8nh/mYPEpIKJbBZXtZjG04HiK7zV/p6Vs9952MrMeUIw==", + "deprecated": "This package is no longer supported.", + "dependencies": { + "delegates": "^1.0.0", + "readable-stream": "^3.6.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/array-flatten": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/array-flatten/-/array-flatten-1.1.1.tgz", + "integrity": "sha512-PCVAQswWemu6UdxsDFFX/+gVeYqKAod3D3UVm91jHwynguOwAvYPhx8nNlM++NqRcK6CxxpUafjmhIdKiHibqg==" + }, + "node_modules/aws-ssl-profiles": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/aws-ssl-profiles/-/aws-ssl-profiles-1.1.1.tgz", + "integrity": "sha512-+H+kuK34PfMaI9PNU/NSjBKL5hh/KDM9J72kwYeYEm0A8B1AC4fuCy3qsjnA7lxklgyXsB68yn8Z2xoZEjgwCQ==", + "engines": { + "node": ">= 6.0.0" + } + }, + "node_modules/balanced-match": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", + "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==" + }, + "node_modules/bcrypt": { + "version": "5.1.1", + "resolved": "https://registry.npmjs.org/bcrypt/-/bcrypt-5.1.1.tgz", + "integrity": "sha512-AGBHOG5hPYZ5Xl9KXzU5iKq9516yEmvCKDg3ecP5kX2aB6UqTeXZxk2ELnDgDm6BQSMlLt9rDB4LoSMx0rYwww==", + "hasInstallScript": true, + "dependencies": { + "@mapbox/node-pre-gyp": "^1.0.11", + "node-addon-api": "^5.0.0" + }, + "engines": { + "node": ">= 10.0.0" + } + }, + "node_modules/binary-extensions": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/binary-extensions/-/binary-extensions-2.3.0.tgz", + "integrity": "sha512-Ceh+7ox5qe7LJuLHoY0feh3pHuUDHAcRUeyL2VYghZwfpkNIy/+8Ocg0a3UuSoYzavmylwuLWQOf3hl0jjMMIw==", + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/body-parser": { + "version": "1.20.2", + "resolved": "https://registry.npmjs.org/body-parser/-/body-parser-1.20.2.tgz", + "integrity": "sha512-ml9pReCu3M61kGlqoTm2umSXTlRTuGTx0bfYj+uIUKKYycG5NtSbeetV3faSU6R7ajOPw0g/J1PvK4qNy7s5bA==", + "dependencies": { + "bytes": "3.1.2", + "content-type": "~1.0.5", + "debug": "2.6.9", + "depd": "2.0.0", + "destroy": "1.2.0", + "http-errors": "2.0.0", + "iconv-lite": "0.4.24", + "on-finished": "2.4.1", + "qs": "6.11.0", + "raw-body": "2.5.2", + "type-is": "~1.6.18", + "unpipe": "1.0.0" + }, + "engines": { + "node": ">= 0.8", + "npm": "1.2.8000 || >= 1.4.16" + } + }, + "node_modules/brace-expansion": { + "version": "1.1.11", + "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", + "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", + "dependencies": { + "balanced-match": "^1.0.0", + "concat-map": "0.0.1" + } + }, + "node_modules/braces": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.3.tgz", + "integrity": "sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==", + "dependencies": { + "fill-range": "^7.1.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/buffer-equal-constant-time": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/buffer-equal-constant-time/-/buffer-equal-constant-time-1.0.1.tgz", + "integrity": "sha512-zRpUiDwd/xk6ADqPMATG8vc9VPrkck7T07OIx0gnjmJAnHnTVXNQG3vfvWNuiZIkwu9KrKdA1iJKfsfTVxE6NA==" + }, + "node_modules/buffer-from": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/buffer-from/-/buffer-from-1.1.2.tgz", + "integrity": "sha512-E+XQCRwSbaaiChtv6k6Dwgc+bx+Bs6vuKJHHl5kox/BaKbhiXzqQOwK4cO22yElGp2OCmjwVhT3HmxgyPGnJfQ==" + }, + "node_modules/busboy": { + "version": "1.6.0", + "resolved": "https://registry.npmjs.org/busboy/-/busboy-1.6.0.tgz", + "integrity": "sha512-8SFQbg/0hQ9xy3UNTB0YEnsNBbWfhf7RtnzpL7TkBiTBRfrQ9Fxcnz7VJsleJpyp6rVLvXiuORqjlHi5q+PYuA==", + "dependencies": { + "streamsearch": "^1.1.0" + }, + "engines": { + "node": ">=10.16.0" + } + }, + "node_modules/bytes": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/bytes/-/bytes-3.1.2.tgz", + "integrity": "sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/call-bind": { + "version": "1.0.7", + "resolved": "https://registry.npmjs.org/call-bind/-/call-bind-1.0.7.tgz", + "integrity": "sha512-GHTSNSYICQ7scH7sZ+M2rFopRoLh8t2bLSW6BbgrtLsahOIB5iyAVJf9GjWK3cYTDaMj4XdBpM1cA6pIS0Kv2w==", + "dependencies": { + "es-define-property": "^1.0.0", + "es-errors": "^1.3.0", + "function-bind": "^1.1.2", + "get-intrinsic": "^1.2.4", + "set-function-length": "^1.2.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/chokidar": { + "version": "3.6.0", + "resolved": "https://registry.npmjs.org/chokidar/-/chokidar-3.6.0.tgz", + "integrity": "sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==", + "dependencies": { + "anymatch": "~3.1.2", + "braces": "~3.0.2", + "glob-parent": "~5.1.2", + "is-binary-path": "~2.1.0", + "is-glob": "~4.0.1", + "normalize-path": "~3.0.0", + "readdirp": "~3.6.0" + }, + "engines": { + "node": ">= 8.10.0" + }, + "funding": { + "url": "https://paulmillr.com/funding/" + }, + "optionalDependencies": { + "fsevents": "~2.3.2" + } + }, + "node_modules/chownr": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/chownr/-/chownr-2.0.0.tgz", + "integrity": "sha512-bIomtDF5KGpdogkLd9VspvFzk9KfpyyGlS8YFVZl7TGPBHL5snIOnxeshwVgPteQ9b4Eydl+pVbIyE1DcvCWgQ==", + "engines": { + "node": ">=10" + } + }, + "node_modules/color-support": { + "version": "1.1.3", + "resolved": "https://registry.npmjs.org/color-support/-/color-support-1.1.3.tgz", + "integrity": "sha512-qiBjkpbMLO/HL68y+lh4q0/O1MZFj2RX6X/KmMa3+gJD3z+WwI1ZzDHysvqHGS3mP6mznPckpXmw1nI9cJjyRg==", + "bin": { + "color-support": "bin.js" + } + }, + "node_modules/concat-map": { + "version": "0.0.1", + "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", + "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==" + }, + "node_modules/concat-stream": { + "version": "1.6.2", + "resolved": "https://registry.npmjs.org/concat-stream/-/concat-stream-1.6.2.tgz", + "integrity": "sha512-27HBghJxjiZtIk3Ycvn/4kbJk/1uZuJFfuPEns6LaEvpvG1f0hTea8lilrouyo9mVc2GWdcEZ8OLoGmSADlrCw==", + "engines": [ + "node >= 0.8" + ], + "dependencies": { + "buffer-from": "^1.0.0", + "inherits": "^2.0.3", + "readable-stream": "^2.2.2", + "typedarray": "^0.0.6" + } + }, + "node_modules/concat-stream/node_modules/readable-stream": { + "version": "2.3.8", + "resolved": "https://registry.npmjs.org/readable-stream/-/readable-stream-2.3.8.tgz", + "integrity": "sha512-8p0AUk4XODgIewSi0l8Epjs+EVnWiK7NoDIEGU0HhE7+ZyY8D1IMY7odu5lRrFXGg71L15KG8QrPmum45RTtdA==", + "dependencies": { + "core-util-is": "~1.0.0", + "inherits": "~2.0.3", + "isarray": "~1.0.0", + "process-nextick-args": "~2.0.0", + "safe-buffer": "~5.1.1", + "string_decoder": "~1.1.1", + "util-deprecate": "~1.0.1" + } + }, + "node_modules/concat-stream/node_modules/safe-buffer": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz", + "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==" + }, + "node_modules/concat-stream/node_modules/string_decoder": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/string_decoder/-/string_decoder-1.1.1.tgz", + "integrity": "sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg==", + "dependencies": { + "safe-buffer": "~5.1.0" + } + }, + "node_modules/console-control-strings": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/console-control-strings/-/console-control-strings-1.1.0.tgz", + "integrity": "sha512-ty/fTekppD2fIwRvnZAVdeOiGd1c7YXEixbgJTNzqcxJWKQnjJ/V1bNEEE6hygpM3WjwHFUVK6HTjWSzV4a8sQ==" + }, + "node_modules/content-disposition": { + "version": "0.5.4", + "resolved": "https://registry.npmjs.org/content-disposition/-/content-disposition-0.5.4.tgz", + "integrity": "sha512-FveZTNuGw04cxlAiWbzi6zTAL/lhehaWbTtgluJh4/E95DqMwTmha3KZN1aAWA8cFIhHzMZUvLevkw5Rqk+tSQ==", + "dependencies": { + "safe-buffer": "5.2.1" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/content-type": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/content-type/-/content-type-1.0.5.tgz", + "integrity": "sha512-nTjqfcBFEipKdXCv4YDQWCfmcLZKm81ldF0pAopTvyrFGVbcR6P/VAAd5G7N+0tTr8QqiU0tFadD6FK4NtJwOA==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/cookie": { + "version": "0.4.1", + "resolved": "https://registry.npmjs.org/cookie/-/cookie-0.4.1.tgz", + "integrity": "sha512-ZwrFkGJxUR3EIoXtO+yVE69Eb7KlixbaeAWfBQB9vVsNn/o+Yw69gBWSSDK825hQNdN+wF8zELf3dFNl/kxkUA==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/cookie-parser": { + "version": "1.4.6", + "resolved": "https://registry.npmjs.org/cookie-parser/-/cookie-parser-1.4.6.tgz", + "integrity": "sha512-z3IzaNjdwUC2olLIB5/ITd0/setiaFMLYiZJle7xg5Fe9KWAceil7xszYfHHBtDFYLSgJduS2Ty0P1uJdPDJeA==", + "dependencies": { + "cookie": "0.4.1", + "cookie-signature": "1.0.6" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/cookie-signature": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/cookie-signature/-/cookie-signature-1.0.6.tgz", + "integrity": "sha512-QADzlaHc8icV8I7vbaJXJwod9HWYp8uCqf1xa4OfNu1T7JVxQIrUgOWtHdNDtPiywmFbiS12VjotIXLrKM3orQ==" + }, + "node_modules/core-util-is": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/core-util-is/-/core-util-is-1.0.3.tgz", + "integrity": "sha512-ZQBvi1DcpJ4GDqanjucZ2Hj3wEO5pZDS89BWbkcrvdxksJorwUDDZamX9ldFkp9aw2lmBDLgkObEA4DWNJ9FYQ==" + }, + "node_modules/cors": { + "version": "2.8.5", + "resolved": "https://registry.npmjs.org/cors/-/cors-2.8.5.tgz", + "integrity": "sha512-KIHbLJqu73RGr/hnbrO9uBeixNGuvSQjul/jdFvS/KFSIH1hWVd1ng7zOHx+YrEfInLG7q4n6GHQ9cDtxv/P6g==", + "dependencies": { + "object-assign": "^4", + "vary": "^1" + }, + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/define-data-property": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/define-data-property/-/define-data-property-1.1.4.tgz", + "integrity": "sha512-rBMvIzlpA8v6E+SJZoo++HAYqsLrkg7MSfIinMPFhmkorw7X+dOXVJQs+QT69zGkzMyfDnIMN2Wid1+NbL3T+A==", + "dependencies": { + "es-define-property": "^1.0.0", + "es-errors": "^1.3.0", + "gopd": "^1.0.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/delegates": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/delegates/-/delegates-1.0.0.tgz", + "integrity": "sha512-bd2L678uiWATM6m5Z1VzNCErI3jiGzt6HGY8OVICs40JQq/HALfbyNJmp0UDakEY4pMMaN0Ly5om/B1VI/+xfQ==" + }, + "node_modules/denque": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/denque/-/denque-2.1.0.tgz", + "integrity": "sha512-HVQE3AAb/pxF8fQAoiqpvg9i3evqug3hoiwakOyZAwJm+6vZehbkYXZ0l4JxS+I3QxM97v5aaRNhj8v5oBhekw==", + "engines": { + "node": ">=0.10" + } + }, + "node_modules/depd": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/depd/-/depd-2.0.0.tgz", + "integrity": "sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/destroy": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/destroy/-/destroy-1.2.0.tgz", + "integrity": "sha512-2sJGJTaXIIaR1w4iJSNoN0hnMY7Gpc/n8D4qSCJw8QqFWXf7cuAgnEHxBpweaVcPevC2l3KpjYCx3NypQQgaJg==", + "engines": { + "node": ">= 0.8", + "npm": "1.2.8000 || >= 1.4.16" + } + }, + "node_modules/detect-libc": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/detect-libc/-/detect-libc-2.0.3.tgz", + "integrity": "sha512-bwy0MGW55bG41VqxxypOsdSdGqLwXPI/focwgTYCFMbdUiBAxLg9CFzG08sz2aqzknwiX7Hkl0bQENjg8iLByw==", + "engines": { + "node": ">=8" + } + }, + "node_modules/dotenv": { + "version": "16.4.5", + "resolved": "https://registry.npmjs.org/dotenv/-/dotenv-16.4.5.tgz", + "integrity": "sha512-ZmdL2rui+eB2YwhsWzjInR8LldtZHGDoQ1ugH85ppHKwpUHL7j7rN0Ti9NCnGiQbhaZ11FpR+7ao1dNsmduNUg==", + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://dotenvx.com" + } + }, + "node_modules/dottie": { + "version": "2.0.6", + "resolved": "https://registry.npmjs.org/dottie/-/dottie-2.0.6.tgz", + "integrity": "sha512-iGCHkfUc5kFekGiqhe8B/mdaurD+lakO9txNnTvKtA6PISrw86LgqHvRzWYPyoE2Ph5aMIrCw9/uko6XHTKCwA==" + }, + "node_modules/ecdsa-sig-formatter": { + "version": "1.0.11", + "resolved": "https://registry.npmjs.org/ecdsa-sig-formatter/-/ecdsa-sig-formatter-1.0.11.tgz", + "integrity": "sha512-nagl3RYrbNv6kQkeJIpt6NJZy8twLB/2vtz6yN9Z4vRKHN4/QZJIEbqohALSgwKdnksuY3k5Addp5lg8sVoVcQ==", + "dependencies": { + "safe-buffer": "^5.0.1" + } + }, + "node_modules/ee-first": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/ee-first/-/ee-first-1.1.1.tgz", + "integrity": "sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==" + }, + "node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==" + }, + "node_modules/encodeurl": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/encodeurl/-/encodeurl-1.0.2.tgz", + "integrity": "sha512-TPJXq8JqFaVYm2CWmPvnP2Iyo4ZSM7/QKcSmuMLDObfpH5fi7RUGmd/rTDf+rut/saiDiQEeVTNgAmJEdAOx0w==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/es-define-property": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/es-define-property/-/es-define-property-1.0.0.tgz", + "integrity": "sha512-jxayLKShrEqqzJ0eumQbVhTYQM27CfT1T35+gCgDFoL82JLsXqTJ76zv6A0YLOgEnLUMvLzsDsGIrl8NFpT2gQ==", + "dependencies": { + "get-intrinsic": "^1.2.4" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-errors": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/es-errors/-/es-errors-1.3.0.tgz", + "integrity": "sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/escape-html": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/escape-html/-/escape-html-1.0.3.tgz", + "integrity": "sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==" + }, + "node_modules/etag": { + "version": "1.8.1", + "resolved": "https://registry.npmjs.org/etag/-/etag-1.8.1.tgz", + "integrity": "sha512-aIL5Fx7mawVa300al2BnEE4iNvo1qETxLrPI/o05L7z6go7fCw1J6EQmbK4FmJ2AS7kgVF/KEZWufBfdClMcPg==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/express": { + "version": "4.19.2", + "resolved": "https://registry.npmjs.org/express/-/express-4.19.2.tgz", + "integrity": "sha512-5T6nhjsT+EOMzuck8JjBHARTHfMht0POzlA60WV2pMD3gyXw2LZnZ+ueGdNxG+0calOJcWKbpFcuzLZ91YWq9Q==", + "dependencies": { + "accepts": "~1.3.8", + "array-flatten": "1.1.1", + "body-parser": "1.20.2", + "content-disposition": "0.5.4", + "content-type": "~1.0.4", + "cookie": "0.6.0", + "cookie-signature": "1.0.6", + "debug": "2.6.9", + "depd": "2.0.0", + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "etag": "~1.8.1", + "finalhandler": "1.2.0", + "fresh": "0.5.2", + "http-errors": "2.0.0", + "merge-descriptors": "1.0.1", + "methods": "~1.1.2", + "on-finished": "2.4.1", + "parseurl": "~1.3.3", + "path-to-regexp": "0.1.7", + "proxy-addr": "~2.0.7", + "qs": "6.11.0", + "range-parser": "~1.2.1", + "safe-buffer": "5.2.1", + "send": "0.18.0", + "serve-static": "1.15.0", + "setprototypeof": "1.2.0", + "statuses": "2.0.1", + "type-is": "~1.6.18", + "utils-merge": "1.0.1", + "vary": "~1.1.2" + }, + "engines": { + "node": ">= 0.10.0" + } + }, + "node_modules/express/node_modules/cookie": { + "version": "0.6.0", + "resolved": "https://registry.npmjs.org/cookie/-/cookie-0.6.0.tgz", + "integrity": "sha512-U71cyTamuh1CRNCfpGY6to28lxvNwPG4Guz/EVjgf3Jmzv0vlDp1atT9eS5dDjMYHucpHbWns6Lwf3BKz6svdw==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/fill-range": { + "version": "7.1.1", + "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.1.1.tgz", + "integrity": "sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==", + "dependencies": { + "to-regex-range": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/finalhandler": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/finalhandler/-/finalhandler-1.2.0.tgz", + "integrity": "sha512-5uXcUVftlQMFnWC9qu/svkWv3GTd2PfUhK/3PLkYNAe7FbqJMt3515HaxE6eRL74GdsriiwujiawdaB1BpEISg==", + "dependencies": { + "debug": "2.6.9", + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "on-finished": "2.4.1", + "parseurl": "~1.3.3", + "statuses": "2.0.1", + "unpipe": "~1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/forwarded": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/forwarded/-/forwarded-0.2.0.tgz", + "integrity": "sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/fresh": { + "version": "0.5.2", + "resolved": "https://registry.npmjs.org/fresh/-/fresh-0.5.2.tgz", + "integrity": "sha512-zJ2mQYM18rEFOudeV4GShTGIQ7RbzA7ozbU9I/XBpm7kqgMywgmylMwXHxZJmkVoYkna9d2pVXVXPdYTP9ej8Q==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/fs-minipass": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/fs-minipass/-/fs-minipass-2.1.0.tgz", + "integrity": "sha512-V/JgOLFCS+R6Vcq0slCuaeWEdNC3ouDlJMNIsacH2VtALiu9mV4LPrHc5cDl8k5aw6J8jwgWWpiTo5RYhmIzvg==", + "dependencies": { + "minipass": "^3.0.0" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/fs-minipass/node_modules/minipass": { + "version": "3.3.6", + "resolved": "https://registry.npmjs.org/minipass/-/minipass-3.3.6.tgz", + "integrity": "sha512-DxiNidxSEK+tHG6zOIklvNOwm3hvCrbUrdtzY74U6HKTJxvIDfOUL5W5P2Ghd3DTkhhKPYGqeNUIh5qcM4YBfw==", + "dependencies": { + "yallist": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/fs.realpath": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz", + "integrity": "sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==" + }, + "node_modules/fsevents": { + "version": "2.3.3", + "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.3.tgz", + "integrity": "sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==", + "hasInstallScript": true, + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": "^8.16.0 || ^10.6.0 || >=11.0.0" + } + }, + "node_modules/function-bind": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz", + "integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==", + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/gauge": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/gauge/-/gauge-3.0.2.tgz", + "integrity": "sha512-+5J6MS/5XksCuXq++uFRsnUd7Ovu1XenbeuIuNRJxYWjgQbPuFhT14lAvsWfqfAmnwluf1OwMjz39HjfLPci0Q==", + "deprecated": "This package is no longer supported.", + "dependencies": { + "aproba": "^1.0.3 || ^2.0.0", + "color-support": "^1.1.2", + "console-control-strings": "^1.0.0", + "has-unicode": "^2.0.1", + "object-assign": "^4.1.1", + "signal-exit": "^3.0.0", + "string-width": "^4.2.3", + "strip-ansi": "^6.0.1", + "wide-align": "^1.1.2" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/generate-function": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/generate-function/-/generate-function-2.3.1.tgz", + "integrity": "sha512-eeB5GfMNeevm/GRYq20ShmsaGcmI81kIX2K9XQx5miC8KdHaC6Jm0qQ8ZNeGOi7wYB8OsdxKs+Y2oVuTFuVwKQ==", + "dependencies": { + "is-property": "^1.0.2" + } + }, + "node_modules/get-intrinsic": { + "version": "1.2.4", + "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.2.4.tgz", + "integrity": "sha512-5uYhsJH8VJBTv7oslg4BznJYhDoRI6waYCxMmCdnTrcCrHA/fCFKoTFz2JKKE0HdDFUF7/oQuhzumXJK7paBRQ==", + "dependencies": { + "es-errors": "^1.3.0", + "function-bind": "^1.1.2", + "has-proto": "^1.0.1", + "has-symbols": "^1.0.3", + "hasown": "^2.0.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/glob": { + "version": "7.2.3", + "resolved": "https://registry.npmjs.org/glob/-/glob-7.2.3.tgz", + "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==", + "deprecated": "Glob versions prior to v9 are no longer supported", + "dependencies": { + "fs.realpath": "^1.0.0", + "inflight": "^1.0.4", + "inherits": "2", + "minimatch": "^3.1.1", + "once": "^1.3.0", + "path-is-absolute": "^1.0.0" + }, + "engines": { + "node": "*" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/glob-parent": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz", + "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==", + "dependencies": { + "is-glob": "^4.0.1" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/gopd": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/gopd/-/gopd-1.0.1.tgz", + "integrity": "sha512-d65bNlIadxvpb/A2abVdlqKqV563juRnZ1Wtk6s1sIR8uNsXR70xqIzVqxVf1eTqDunwT2MkczEeaezCKTZhwA==", + "dependencies": { + "get-intrinsic": "^1.1.3" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has-flag": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-3.0.0.tgz", + "integrity": "sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==", + "engines": { + "node": ">=4" + } + }, + "node_modules/has-property-descriptors": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/has-property-descriptors/-/has-property-descriptors-1.0.2.tgz", + "integrity": "sha512-55JNKuIW+vq4Ke1BjOTjM2YctQIvCT7GFzHwmfZPGo5wnrgkid0YQtnAleFSqumZm4az3n2BS+erby5ipJdgrg==", + "dependencies": { + "es-define-property": "^1.0.0" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has-proto": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/has-proto/-/has-proto-1.0.3.tgz", + "integrity": "sha512-SJ1amZAJUiZS+PhsVLf5tGydlaVB8EdFpaSO4gmiUKUOxk8qzn5AIy4ZeJUmh22znIdk/uMAUT2pl3FxzVUH+Q==", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has-symbols": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.0.3.tgz", + "integrity": "sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has-unicode": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/has-unicode/-/has-unicode-2.0.1.tgz", + "integrity": "sha512-8Rf9Y83NBReMnx0gFzA8JImQACstCYWUplepDa9xprwwtmgEZUF0h/i5xSA625zB/I37EtrswSST6OXxwaaIJQ==" + }, + "node_modules/hasown": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/hasown/-/hasown-2.0.2.tgz", + "integrity": "sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==", + "dependencies": { + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/http-errors": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-2.0.0.tgz", + "integrity": "sha512-FtwrG/euBzaEjYeRqOgly7G0qviiXoJWnvEH2Z1plBdXgbyjv34pHTSb9zoeHMyDy33+DWy5Wt9Wo+TURtOYSQ==", + "dependencies": { + "depd": "2.0.0", + "inherits": "2.0.4", + "setprototypeof": "1.2.0", + "statuses": "2.0.1", + "toidentifier": "1.0.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/https-proxy-agent": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/https-proxy-agent/-/https-proxy-agent-5.0.1.tgz", + "integrity": "sha512-dFcAjpTQFgoLMzC2VwU+C/CbS7uRL0lWmxDITmqm7C+7F0Odmj6s9l6alZc6AELXhrnggM2CeWSXHGOdX2YtwA==", + "dependencies": { + "agent-base": "6", + "debug": "4" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/https-proxy-agent/node_modules/debug": { + "version": "4.3.6", + "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.6.tgz", + "integrity": "sha512-O/09Bd4Z1fBrU4VzkhFqVgpPzaGbw6Sm9FEkBT1A/YBXQFGuuSxa1dN2nxgxS34JmKXqYx8CZAwEVoJFImUXIg==", + "dependencies": { + "ms": "2.1.2" + }, + "engines": { + "node": ">=6.0" + }, + "peerDependenciesMeta": { + "supports-color": { + "optional": true + } + } + }, + "node_modules/https-proxy-agent/node_modules/ms": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz", + "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==" + }, + "node_modules/iconv-lite": { + "version": "0.4.24", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.4.24.tgz", + "integrity": "sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==", + "dependencies": { + "safer-buffer": ">= 2.1.2 < 3" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/ignore-by-default": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/ignore-by-default/-/ignore-by-default-1.0.1.tgz", + "integrity": "sha512-Ius2VYcGNk7T90CppJqcIkS5ooHUZyIQK+ClZfMfMNFEF9VSE73Fq+906u/CWu92x4gzZMWOwfFYckPObzdEbA==" + }, + "node_modules/inflection": { + "version": "1.13.4", + "resolved": "https://registry.npmjs.org/inflection/-/inflection-1.13.4.tgz", + "integrity": "sha512-6I/HUDeYFfuNCVS3td055BaXBwKYuzw7K3ExVMStBowKo9oOAMJIXIHvdyR3iboTCp1b+1i5DSkIZTcwIktuDw==", + "engines": [ + "node >= 0.4.0" + ] + }, + "node_modules/inflight": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz", + "integrity": "sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==", + "deprecated": "This module is not supported, and leaks memory. Do not use it. Check out lru-cache if you want a good and tested way to coalesce async requests by a key value, which is much more comprehensive and powerful.", + "dependencies": { + "once": "^1.3.0", + "wrappy": "1" + } + }, + "node_modules/inherits": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", + "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==" + }, + "node_modules/ipaddr.js": { + "version": "1.9.1", + "resolved": "https://registry.npmjs.org/ipaddr.js/-/ipaddr.js-1.9.1.tgz", + "integrity": "sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g==", + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/is-binary-path": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/is-binary-path/-/is-binary-path-2.1.0.tgz", + "integrity": "sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==", + "dependencies": { + "binary-extensions": "^2.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/is-extglob": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz", + "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-fullwidth-code-point": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", + "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", + "engines": { + "node": ">=8" + } + }, + "node_modules/is-glob": { + "version": "4.0.3", + "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz", + "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==", + "dependencies": { + "is-extglob": "^2.1.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-number": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz", + "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==", + "engines": { + "node": ">=0.12.0" + } + }, + "node_modules/is-property": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/is-property/-/is-property-1.0.2.tgz", + "integrity": "sha512-Ks/IoX00TtClbGQr4TWXemAnktAQvYB7HzcCxDGqEZU6oCmb2INHuOoKxbtR+HFkmYWBKv/dOZtGRiAjDhj92g==" + }, + "node_modules/isarray": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/isarray/-/isarray-1.0.0.tgz", + "integrity": "sha512-VLghIWNM6ELQzo7zwmcg0NmTVyWKYjvIeM83yjp0wRDTmUnrM678fQbcKBo6n2CJEF0szoG//ytg+TKla89ALQ==" + }, + "node_modules/jsonwebtoken": { + "version": "9.0.2", + "resolved": "https://registry.npmjs.org/jsonwebtoken/-/jsonwebtoken-9.0.2.tgz", + "integrity": "sha512-PRp66vJ865SSqOlgqS8hujT5U4AOgMfhrwYIuIhfKaoSCZcirrmASQr8CX7cUg+RMih+hgznrjp99o+W4pJLHQ==", + "dependencies": { + "jws": "^3.2.2", + "lodash.includes": "^4.3.0", + "lodash.isboolean": "^3.0.3", + "lodash.isinteger": "^4.0.4", + "lodash.isnumber": "^3.0.3", + "lodash.isplainobject": "^4.0.6", + "lodash.isstring": "^4.0.1", + "lodash.once": "^4.0.0", + "ms": "^2.1.1", + "semver": "^7.5.4" + }, + "engines": { + "node": ">=12", + "npm": ">=6" + } + }, + "node_modules/jsonwebtoken/node_modules/ms": { + "version": "2.1.3", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.3.tgz", + "integrity": "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==" + }, + "node_modules/jwa": { + "version": "1.4.1", + "resolved": "https://registry.npmjs.org/jwa/-/jwa-1.4.1.tgz", + "integrity": "sha512-qiLX/xhEEFKUAJ6FiBMbes3w9ATzyk5W7Hvzpa/SLYdxNtng+gcurvrI7TbACjIXlsJyr05/S1oUhZrc63evQA==", + "dependencies": { + "buffer-equal-constant-time": "1.0.1", + "ecdsa-sig-formatter": "1.0.11", + "safe-buffer": "^5.0.1" + } + }, + "node_modules/jws": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/jws/-/jws-3.2.2.tgz", + "integrity": "sha512-YHlZCB6lMTllWDtSPHz/ZXTsi8S00usEV6v1tjq8tOUZzw7DpSDWVXjXDre6ed1w/pd495ODpHZYSdkRTsa0HA==", + "dependencies": { + "jwa": "^1.4.1", + "safe-buffer": "^5.0.1" + } + }, + "node_modules/lodash": { + "version": "4.17.21", + "resolved": "https://registry.npmjs.org/lodash/-/lodash-4.17.21.tgz", + "integrity": "sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==" + }, + "node_modules/lodash.includes": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/lodash.includes/-/lodash.includes-4.3.0.tgz", + "integrity": "sha512-W3Bx6mdkRTGtlJISOvVD/lbqjTlPPUDTMnlXZFnVwi9NKJ6tiAk6LVdlhZMm17VZisqhKcgzpO5Wz91PCt5b0w==" + }, + "node_modules/lodash.isboolean": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/lodash.isboolean/-/lodash.isboolean-3.0.3.tgz", + "integrity": "sha512-Bz5mupy2SVbPHURB98VAcw+aHh4vRV5IPNhILUCsOzRmsTmSQ17jIuqopAentWoehktxGd9e/hbIXq980/1QJg==" + }, + "node_modules/lodash.isinteger": { + "version": "4.0.4", + "resolved": "https://registry.npmjs.org/lodash.isinteger/-/lodash.isinteger-4.0.4.tgz", + "integrity": "sha512-DBwtEWN2caHQ9/imiNeEA5ys1JoRtRfY3d7V9wkqtbycnAmTvRRmbHKDV4a0EYc678/dia0jrte4tjYwVBaZUA==" + }, + "node_modules/lodash.isnumber": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/lodash.isnumber/-/lodash.isnumber-3.0.3.tgz", + "integrity": "sha512-QYqzpfwO3/CWf3XP+Z+tkQsfaLL/EnUlXWVkIk5FUPc4sBdTehEqZONuyRt2P67PXAk+NXmTBcc97zw9t1FQrw==" + }, + "node_modules/lodash.isplainobject": { + "version": "4.0.6", + "resolved": "https://registry.npmjs.org/lodash.isplainobject/-/lodash.isplainobject-4.0.6.tgz", + "integrity": "sha512-oSXzaWypCMHkPC3NvBEaPHf0KsA5mvPrOPgQWDsbg8n7orZ290M0BmC/jgRZ4vcJ6DTAhjrsSYgdsW/F+MFOBA==" + }, + "node_modules/lodash.isstring": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/lodash.isstring/-/lodash.isstring-4.0.1.tgz", + "integrity": "sha512-0wJxfxH1wgO3GrbuP+dTTk7op+6L41QCXbGINEmD+ny/G/eCqGzxyCsh7159S+mgDDcoarnBw6PC1PS5+wUGgw==" + }, + "node_modules/lodash.once": { + "version": "4.1.1", + "resolved": "https://registry.npmjs.org/lodash.once/-/lodash.once-4.1.1.tgz", + "integrity": "sha512-Sb487aTOCr9drQVL8pIxOzVhafOjZN9UU54hiN8PU3uAiSV7lx1yYNpbNmex2PK6dSJoNTSJUUswT651yww3Mg==" + }, + "node_modules/long": { + "version": "5.2.3", + "resolved": "https://registry.npmjs.org/long/-/long-5.2.3.tgz", + "integrity": "sha512-lcHwpNoggQTObv5apGNCTdJrO69eHOZMi4BNC+rTLER8iHAqGrUVeLh/irVIM7zTw2bOXA8T6uNPeujwOLg/2Q==" + }, + "node_modules/lru-cache": { + "version": "8.0.5", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-8.0.5.tgz", + "integrity": "sha512-MhWWlVnuab1RG5/zMRRcVGXZLCXrZTgfwMikgzCegsPnG62yDQo5JnqKkrK4jO5iKqDAZGItAqN5CtKBCBWRUA==", + "engines": { + "node": ">=16.14" + } + }, + "node_modules/make-dir": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/make-dir/-/make-dir-3.1.0.tgz", + "integrity": "sha512-g3FeP20LNwhALb/6Cz6Dd4F2ngze0jz7tbzrD2wAV+o9FeNHe4rL+yK2md0J/fiSf1sa1ADhXqi5+oVwOM/eGw==", + "dependencies": { + "semver": "^6.0.0" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/make-dir/node_modules/semver": { + "version": "6.3.1", + "resolved": "https://registry.npmjs.org/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/media-typer": { + "version": "0.3.0", + "resolved": "https://registry.npmjs.org/media-typer/-/media-typer-0.3.0.tgz", + "integrity": "sha512-dq+qelQ9akHpcOl/gUVRTxVIOkAJ1wR3QAvb4RsVjS8oVoFjDGTc679wJYmUmknUF5HwMLOgb5O+a3KxfWapPQ==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/merge-descriptors": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/merge-descriptors/-/merge-descriptors-1.0.1.tgz", + "integrity": "sha512-cCi6g3/Zr1iqQi6ySbseM1Xvooa98N0w31jzUYrXPX2xqObmFGHJ0tQ5u74H3mVh7wLouTseZyYIq39g8cNp1w==" + }, + "node_modules/methods": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/methods/-/methods-1.1.2.tgz", + "integrity": "sha512-iclAHeNqNm68zFtnZ0e+1L2yUIdvzNoauKU4WBA3VvH/vPFieF7qfRlwUZU+DA9P9bPXIS90ulxoUoCH23sV2w==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mime": { + "version": "1.6.0", + "resolved": "https://registry.npmjs.org/mime/-/mime-1.6.0.tgz", + "integrity": "sha512-x0Vn8spI+wuJ1O6S7gnbaQg8Pxh4NNHb7KSINmEWKiPE4RKOplvijn+NkmYmmRgP68mc70j2EbeTFRsrswaQeg==", + "bin": { + "mime": "cli.js" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/mime-db": { + "version": "1.52.0", + "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.52.0.tgz", + "integrity": "sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mime-types": { + "version": "2.1.35", + "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.35.tgz", + "integrity": "sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==", + "dependencies": { + "mime-db": "1.52.0" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/minimatch": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz", + "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==", + "dependencies": { + "brace-expansion": "^1.1.7" + }, + "engines": { + "node": "*" + } + }, + "node_modules/minimist": { + "version": "1.2.8", + "resolved": "https://registry.npmjs.org/minimist/-/minimist-1.2.8.tgz", + "integrity": "sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==", + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/minipass": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/minipass/-/minipass-5.0.0.tgz", + "integrity": "sha512-3FnjYuehv9k6ovOEbyOswadCDPX1piCfhV8ncmYtHOjuPwylVWsghTLo7rabjC3Rx5xD4HDx8Wm1xnMF7S5qFQ==", + "engines": { + "node": ">=8" + } + }, + "node_modules/minizlib": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/minizlib/-/minizlib-2.1.2.tgz", + "integrity": "sha512-bAxsR8BVfj60DWXHE3u30oHzfl4G7khkSuPW+qvpd7jFRHm7dLxOjUk1EHACJ/hxLY8phGJ0YhYHZo7jil7Qdg==", + "dependencies": { + "minipass": "^3.0.0", + "yallist": "^4.0.0" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/minizlib/node_modules/minipass": { + "version": "3.3.6", + "resolved": "https://registry.npmjs.org/minipass/-/minipass-3.3.6.tgz", + "integrity": "sha512-DxiNidxSEK+tHG6zOIklvNOwm3hvCrbUrdtzY74U6HKTJxvIDfOUL5W5P2Ghd3DTkhhKPYGqeNUIh5qcM4YBfw==", + "dependencies": { + "yallist": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/mkdirp": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/mkdirp/-/mkdirp-1.0.4.tgz", + "integrity": "sha512-vVqVZQyf3WLx2Shd0qJ9xuvqgAyKPLAiqITEtqW0oIUjzo3PePDd6fW9iFz30ef7Ysp/oiWqbhszeGWW2T6Gzw==", + "bin": { + "mkdirp": "bin/cmd.js" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/moment": { + "version": "2.30.1", + "resolved": "https://registry.npmjs.org/moment/-/moment-2.30.1.tgz", + "integrity": "sha512-uEmtNhbDOrWPFS+hdjFCBfy9f2YoyzRpwcl+DqpC6taX21FzsTLQVbMV/W7PzNSX6x/bhC1zA3c2UQ5NzH6how==", + "engines": { + "node": "*" + } + }, + "node_modules/moment-timezone": { + "version": "0.5.45", + "resolved": "https://registry.npmjs.org/moment-timezone/-/moment-timezone-0.5.45.tgz", + "integrity": "sha512-HIWmqA86KcmCAhnMAN0wuDOARV/525R2+lOLotuGFzn4HO+FH+/645z2wx0Dt3iDv6/p61SIvKnDstISainhLQ==", + "dependencies": { + "moment": "^2.29.4" + }, + "engines": { + "node": "*" + } + }, + "node_modules/ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==" + }, + "node_modules/multer": { + "version": "1.4.5-lts.1", + "resolved": "https://registry.npmjs.org/multer/-/multer-1.4.5-lts.1.tgz", + "integrity": "sha512-ywPWvcDMeH+z9gQq5qYHCCy+ethsk4goepZ45GLD63fOu0YcNecQxi64nDs3qluZB+murG3/D4dJ7+dGctcCQQ==", + "dependencies": { + "append-field": "^1.0.0", + "busboy": "^1.0.0", + "concat-stream": "^1.5.2", + "mkdirp": "^0.5.4", + "object-assign": "^4.1.1", + "type-is": "^1.6.4", + "xtend": "^4.0.0" + }, + "engines": { + "node": ">= 6.0.0" + } + }, + "node_modules/multer/node_modules/mkdirp": { + "version": "0.5.6", + "resolved": "https://registry.npmjs.org/mkdirp/-/mkdirp-0.5.6.tgz", + "integrity": "sha512-FP+p8RB8OWpF3YZBCrP5gtADmtXApB5AMLn+vdyA+PyxCjrCs00mjyUozssO33cwDeT3wNGdLxJ5M//YqtHAJw==", + "dependencies": { + "minimist": "^1.2.6" + }, + "bin": { + "mkdirp": "bin/cmd.js" + } + }, + "node_modules/mysql2": { + "version": "3.11.0", + "resolved": "https://registry.npmjs.org/mysql2/-/mysql2-3.11.0.tgz", + "integrity": "sha512-J9phbsXGvTOcRVPR95YedzVSxJecpW5A5+cQ57rhHIFXteTP10HCs+VBjS7DHIKfEaI1zQ5tlVrquCd64A6YvA==", + "dependencies": { + "aws-ssl-profiles": "^1.1.1", + "denque": "^2.1.0", + "generate-function": "^2.3.1", + "iconv-lite": "^0.6.3", + "long": "^5.2.1", + "lru-cache": "^8.0.0", + "named-placeholders": "^1.1.3", + "seq-queue": "^0.0.5", + "sqlstring": "^2.3.2" + }, + "engines": { + "node": ">= 8.0" + } + }, + "node_modules/mysql2/node_modules/iconv-lite": { + "version": "0.6.3", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.6.3.tgz", + "integrity": "sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw==", + "dependencies": { + "safer-buffer": ">= 2.1.2 < 3.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/named-placeholders": { + "version": "1.1.3", + "resolved": "https://registry.npmjs.org/named-placeholders/-/named-placeholders-1.1.3.tgz", + "integrity": "sha512-eLoBxg6wE/rZkJPhU/xRX1WTpkFEwDJEN96oxFrTsqBdbT5ec295Q+CoHrL9IT0DipqKhmGcaZmwOt8OON5x1w==", + "dependencies": { + "lru-cache": "^7.14.1" + }, + "engines": { + "node": ">=12.0.0" + } + }, + "node_modules/named-placeholders/node_modules/lru-cache": { + "version": "7.18.3", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-7.18.3.tgz", + "integrity": "sha512-jumlc0BIUrS3qJGgIkWZsyfAM7NCWiBcCDhnd+3NNM5KbBmLTgHVfWBcg6W+rLUsIpzpERPsvwUP7CckAQSOoA==", + "engines": { + "node": ">=12" + } + }, + "node_modules/negotiator": { + "version": "0.6.3", + "resolved": "https://registry.npmjs.org/negotiator/-/negotiator-0.6.3.tgz", + "integrity": "sha512-+EUsqGPLsM+j/zdChZjsnX51g4XrHFOIXwfnCVPGlQk/k5giakcKsuxCObBRu6DSm9opw/O6slWbJdghQM4bBg==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/node-addon-api": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/node-addon-api/-/node-addon-api-5.1.0.tgz", + "integrity": "sha512-eh0GgfEkpnoWDq+VY8OyvYhFEzBk6jIYbRKdIlyTiAXIVJ8PyBaKb0rp7oDtoddbdoHWhq8wwr+XZ81F1rpNdA==" + }, + "node_modules/node-fetch": { + "version": "2.7.0", + "resolved": "https://registry.npmjs.org/node-fetch/-/node-fetch-2.7.0.tgz", + "integrity": "sha512-c4FRfUm/dbcWZ7U+1Wq0AwCyFL+3nt2bEw05wfxSz+DWpWsitgmSgYmy2dQdWyKC1694ELPqMs/YzUSNozLt8A==", + "dependencies": { + "whatwg-url": "^5.0.0" + }, + "engines": { + "node": "4.x || >=6.0.0" + }, + "peerDependencies": { + "encoding": "^0.1.0" + }, + "peerDependenciesMeta": { + "encoding": { + "optional": true + } + } + }, + "node_modules/nodemailer": { + "version": "6.9.14", + "resolved": "https://registry.npmjs.org/nodemailer/-/nodemailer-6.9.14.tgz", + "integrity": "sha512-Dobp/ebDKBvz91sbtRKhcznLThrKxKt97GI2FAlAyy+fk19j73Uz3sBXolVtmcXjaorivqsbbbjDY+Jkt4/bQA==", + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/nodemon": { + "version": "3.1.4", + "resolved": "https://registry.npmjs.org/nodemon/-/nodemon-3.1.4.tgz", + "integrity": "sha512-wjPBbFhtpJwmIeY2yP7QF+UKzPfltVGtfce1g/bB15/8vCGZj8uxD62b/b9M9/WVgme0NZudpownKN+c0plXlQ==", + "dependencies": { + "chokidar": "^3.5.2", + "debug": "^4", + "ignore-by-default": "^1.0.1", + "minimatch": "^3.1.2", + "pstree.remy": "^1.1.8", + "semver": "^7.5.3", + "simple-update-notifier": "^2.0.0", + "supports-color": "^5.5.0", + "touch": "^3.1.0", + "undefsafe": "^2.0.5" + }, + "bin": { + "nodemon": "bin/nodemon.js" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/nodemon" + } + }, + "node_modules/nodemon/node_modules/debug": { + "version": "4.3.6", + "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.6.tgz", + "integrity": "sha512-O/09Bd4Z1fBrU4VzkhFqVgpPzaGbw6Sm9FEkBT1A/YBXQFGuuSxa1dN2nxgxS34JmKXqYx8CZAwEVoJFImUXIg==", + "dependencies": { + "ms": "2.1.2" + }, + "engines": { + "node": ">=6.0" + }, + "peerDependenciesMeta": { + "supports-color": { + "optional": true + } + } + }, + "node_modules/nodemon/node_modules/ms": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz", + "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==" + }, + "node_modules/nopt": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/nopt/-/nopt-5.0.0.tgz", + "integrity": "sha512-Tbj67rffqceeLpcRXrT7vKAN8CwfPeIBgM7E6iBkmKLV7bEMwpGgYLGv0jACUsECaa/vuxP0IjEont6umdMgtQ==", + "dependencies": { + "abbrev": "1" + }, + "bin": { + "nopt": "bin/nopt.js" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/normalize-path": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-3.0.0.tgz", + "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/npmlog": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/npmlog/-/npmlog-5.0.1.tgz", + "integrity": "sha512-AqZtDUWOMKs1G/8lwylVjrdYgqA4d9nu8hc+0gzRxlDb1I10+FHBGMXs6aiQHFdCUUlqH99MUMuLfzWDNDtfxw==", + "deprecated": "This package is no longer supported.", + "dependencies": { + "are-we-there-yet": "^2.0.0", + "console-control-strings": "^1.1.0", + "gauge": "^3.0.0", + "set-blocking": "^2.0.0" + } + }, + "node_modules/object-assign": { + "version": "4.1.1", + "resolved": "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz", + "integrity": "sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-inspect": { + "version": "1.13.2", + "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.13.2.tgz", + "integrity": "sha512-IRZSRuzJiynemAXPYtPe5BoI/RESNYR7TYm50MC5Mqbd3Jmw5y790sErYw3V6SryFJD64b74qQQs9wn5Bg/k3g==", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/on-finished": { + "version": "2.4.1", + "resolved": "https://registry.npmjs.org/on-finished/-/on-finished-2.4.1.tgz", + "integrity": "sha512-oVlzkg3ENAhCk2zdv7IJwd/QUD4z2RxRwpkcGY8psCVcCYZNq4wYnVWALHM+brtuJjePWiYF/ClmuDr8Ch5+kg==", + "dependencies": { + "ee-first": "1.1.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/once": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz", + "integrity": "sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==", + "dependencies": { + "wrappy": "1" + } + }, + "node_modules/parseurl": { + "version": "1.3.3", + "resolved": "https://registry.npmjs.org/parseurl/-/parseurl-1.3.3.tgz", + "integrity": "sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/path-is-absolute": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz", + "integrity": "sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/path-to-regexp": { + "version": "0.1.7", + "resolved": "https://registry.npmjs.org/path-to-regexp/-/path-to-regexp-0.1.7.tgz", + "integrity": "sha512-5DFkuoqlv1uYQKxy8omFBeJPQcdoE07Kv2sferDCrAq1ohOU+MSDswDIbnx3YAM60qIOnYa53wBhXW0EbMonrQ==" + }, + "node_modules/pg-connection-string": { + "version": "2.6.4", + "resolved": "https://registry.npmjs.org/pg-connection-string/-/pg-connection-string-2.6.4.tgz", + "integrity": "sha512-v+Z7W/0EO707aNMaAEfiGnGL9sxxumwLl2fJvCQtMn9Fxsg+lPpPkdcyBSv/KFgpGdYkMfn+EI1Or2EHjpgLCA==" + }, + "node_modules/picomatch": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz", + "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==", + "engines": { + "node": ">=8.6" + }, + "funding": { + "url": "https://github.com/sponsors/jonschlinkert" + } + }, + "node_modules/process-nextick-args": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/process-nextick-args/-/process-nextick-args-2.0.1.tgz", + "integrity": "sha512-3ouUOpQhtgrbOa17J7+uxOTpITYWaGP7/AhoR3+A+/1e9skrzelGi/dXzEYyvbxubEF6Wn2ypscTKiKJFFn1ag==" + }, + "node_modules/proxy-addr": { + "version": "2.0.7", + "resolved": "https://registry.npmjs.org/proxy-addr/-/proxy-addr-2.0.7.tgz", + "integrity": "sha512-llQsMLSUDUPT44jdrU/O37qlnifitDP+ZwrmmZcoSKyLKvtZxpyV0n2/bD/N4tBAAZ/gJEdZU7KMraoK1+XYAg==", + "dependencies": { + "forwarded": "0.2.0", + "ipaddr.js": "1.9.1" + }, + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/pstree.remy": { + "version": "1.1.8", + "resolved": "https://registry.npmjs.org/pstree.remy/-/pstree.remy-1.1.8.tgz", + "integrity": "sha512-77DZwxQmxKnu3aR542U+X8FypNzbfJ+C5XQDk3uWjWxn6151aIMGthWYRXTqT1E5oJvg+ljaa2OJi+VfvCOQ8w==" + }, + "node_modules/qs": { + "version": "6.11.0", + "resolved": "https://registry.npmjs.org/qs/-/qs-6.11.0.tgz", + "integrity": "sha512-MvjoMCJwEarSbUYk5O+nmoSzSutSsTwF85zcHPQ9OrlFoZOYIjaqBAJIqIXjptyD5vThxGq52Xu/MaJzRkIk4Q==", + "dependencies": { + "side-channel": "^1.0.4" + }, + "engines": { + "node": ">=0.6" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/range-parser": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/range-parser/-/range-parser-1.2.1.tgz", + "integrity": "sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/raw-body": { + "version": "2.5.2", + "resolved": "https://registry.npmjs.org/raw-body/-/raw-body-2.5.2.tgz", + "integrity": "sha512-8zGqypfENjCIqGhgXToC8aB2r7YrBX+AQAfIPs/Mlk+BtPTztOvTS01NRW/3Eh60J+a48lt8qsCzirQ6loCVfA==", + "dependencies": { + "bytes": "3.1.2", + "http-errors": "2.0.0", + "iconv-lite": "0.4.24", + "unpipe": "1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/readable-stream": { + "version": "3.6.2", + "resolved": "https://registry.npmjs.org/readable-stream/-/readable-stream-3.6.2.tgz", + "integrity": "sha512-9u/sniCrY3D5WdsERHzHE4G2YCXqoG5FTHUiCC4SIbr6XcLZBY05ya9EKjYek9O5xOAwjGq+1JdGBAS7Q9ScoA==", + "dependencies": { + "inherits": "^2.0.3", + "string_decoder": "^1.1.1", + "util-deprecate": "^1.0.1" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/readdirp": { + "version": "3.6.0", + "resolved": "https://registry.npmjs.org/readdirp/-/readdirp-3.6.0.tgz", + "integrity": "sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==", + "dependencies": { + "picomatch": "^2.2.1" + }, + "engines": { + "node": ">=8.10.0" + } + }, + "node_modules/retry-as-promised": { + "version": "7.0.4", + "resolved": "https://registry.npmjs.org/retry-as-promised/-/retry-as-promised-7.0.4.tgz", + "integrity": "sha512-XgmCoxKWkDofwH8WddD0w85ZfqYz+ZHlr5yo+3YUCfycWawU56T5ckWXsScsj5B8tqUcIG67DxXByo3VUgiAdA==" + }, + "node_modules/rimraf": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-3.0.2.tgz", + "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==", + "deprecated": "Rimraf versions prior to v4 are no longer supported", + "dependencies": { + "glob": "^7.1.3" + }, + "bin": { + "rimraf": "bin.js" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/safe-buffer": { + "version": "5.2.1", + "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.2.1.tgz", + "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==", + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ] + }, + "node_modules/safer-buffer": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz", + "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==" + }, + "node_modules/semver": { + "version": "7.6.3", + "resolved": "https://registry.npmjs.org/semver/-/semver-7.6.3.tgz", + "integrity": "sha512-oVekP1cKtI+CTDvHWYFUcMtsK/00wmAEfyqKfNdARm8u1wNVhSgaX7A8d4UuIlUI5e84iEwOhs7ZPYRmzU9U6A==", + "bin": { + "semver": "bin/semver.js" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/send": { + "version": "0.18.0", + "resolved": "https://registry.npmjs.org/send/-/send-0.18.0.tgz", + "integrity": "sha512-qqWzuOjSFOuqPjFe4NOsMLafToQQwBSOEpS+FwEt3A2V3vKubTquT3vmLTQpFgMXp8AlFWFuP1qKaJZOtPpVXg==", + "dependencies": { + "debug": "2.6.9", + "depd": "2.0.0", + "destroy": "1.2.0", + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "etag": "~1.8.1", + "fresh": "0.5.2", + "http-errors": "2.0.0", + "mime": "1.6.0", + "ms": "2.1.3", + "on-finished": "2.4.1", + "range-parser": "~1.2.1", + "statuses": "2.0.1" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/send/node_modules/ms": { + "version": "2.1.3", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.3.tgz", + "integrity": "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==" + }, + "node_modules/seq-queue": { + "version": "0.0.5", + "resolved": "https://registry.npmjs.org/seq-queue/-/seq-queue-0.0.5.tgz", + "integrity": "sha512-hr3Wtp/GZIc/6DAGPDcV4/9WoZhjrkXsi5B/07QgX8tsdc6ilr7BFM6PM6rbdAX1kFSDYeZGLipIZZKyQP0O5Q==" + }, + "node_modules/sequelize": { + "version": "6.37.3", + "resolved": "https://registry.npmjs.org/sequelize/-/sequelize-6.37.3.tgz", + "integrity": "sha512-V2FTqYpdZjPy3VQrZvjTPnOoLm0KudCRXfGWp48QwhyPPp2yW8z0p0sCYZd/em847Tl2dVxJJ1DR+hF+O77T7A==", + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/sequelize" + } + ], + "dependencies": { + "@types/debug": "^4.1.8", + "@types/validator": "^13.7.17", + "debug": "^4.3.4", + "dottie": "^2.0.6", + "inflection": "^1.13.4", + "lodash": "^4.17.21", + "moment": "^2.29.4", + "moment-timezone": "^0.5.43", + "pg-connection-string": "^2.6.1", + "retry-as-promised": "^7.0.4", + "semver": "^7.5.4", + "sequelize-pool": "^7.1.0", + "toposort-class": "^1.0.1", + "uuid": "^8.3.2", + "validator": "^13.9.0", + "wkx": "^0.5.0" + }, + "engines": { + "node": ">=10.0.0" + }, + "peerDependenciesMeta": { + "ibm_db": { + "optional": true + }, + "mariadb": { + "optional": true + }, + "mysql2": { + "optional": true + }, + "oracledb": { + "optional": true + }, + "pg": { + "optional": true + }, + "pg-hstore": { + "optional": true + }, + "snowflake-sdk": { + "optional": true + }, + "sqlite3": { + "optional": true + }, + "tedious": { + "optional": true + } + } + }, + "node_modules/sequelize-pool": { + "version": "7.1.0", + "resolved": "https://registry.npmjs.org/sequelize-pool/-/sequelize-pool-7.1.0.tgz", + "integrity": "sha512-G9c0qlIWQSK29pR/5U2JF5dDQeqqHRragoyahj/Nx4KOOQ3CPPfzxnfqFPCSB7x5UgjOgnZ61nSxz+fjDpRlJg==", + "engines": { + "node": ">= 10.0.0" + } + }, + "node_modules/sequelize/node_modules/debug": { + "version": "4.3.6", + "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.6.tgz", + "integrity": "sha512-O/09Bd4Z1fBrU4VzkhFqVgpPzaGbw6Sm9FEkBT1A/YBXQFGuuSxa1dN2nxgxS34JmKXqYx8CZAwEVoJFImUXIg==", + "dependencies": { + "ms": "2.1.2" + }, + "engines": { + "node": ">=6.0" + }, + "peerDependenciesMeta": { + "supports-color": { + "optional": true + } + } + }, + "node_modules/sequelize/node_modules/ms": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz", + "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==" + }, + "node_modules/serve-static": { + "version": "1.15.0", + "resolved": "https://registry.npmjs.org/serve-static/-/serve-static-1.15.0.tgz", + "integrity": "sha512-XGuRDNjXUijsUL0vl6nSD7cwURuzEgglbOaFuZM9g3kwDXOWVTck0jLzjPzGD+TazWbboZYu52/9/XPdUgne9g==", + "dependencies": { + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "parseurl": "~1.3.3", + "send": "0.18.0" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/set-blocking": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/set-blocking/-/set-blocking-2.0.0.tgz", + "integrity": "sha512-KiKBS8AnWGEyLzofFfmvKwpdPzqiy16LvQfK3yv/fVH7Bj13/wl3JSR1J+rfgRE9q7xUJK4qvgS8raSOeLUehw==" + }, + "node_modules/set-function-length": { + "version": "1.2.2", + "resolved": "https://registry.npmjs.org/set-function-length/-/set-function-length-1.2.2.tgz", + "integrity": "sha512-pgRc4hJ4/sNjWCSS9AmnS40x3bNMDTknHgL5UaMBTMyJnU90EgWh1Rz+MC9eFu4BuN/UwZjKQuY/1v3rM7HMfg==", + "dependencies": { + "define-data-property": "^1.1.4", + "es-errors": "^1.3.0", + "function-bind": "^1.1.2", + "get-intrinsic": "^1.2.4", + "gopd": "^1.0.1", + "has-property-descriptors": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/setprototypeof": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.2.0.tgz", + "integrity": "sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==" + }, + "node_modules/side-channel": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.0.6.tgz", + "integrity": "sha512-fDW/EZ6Q9RiO8eFG8Hj+7u/oW+XrPTIChwCOM2+th2A6OblDtYYIpve9m+KvI9Z4C9qSEXlaGR6bTEYHReuglA==", + "dependencies": { + "call-bind": "^1.0.7", + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.4", + "object-inspect": "^1.13.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/signal-exit": { + "version": "3.0.7", + "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-3.0.7.tgz", + "integrity": "sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==" + }, + "node_modules/simple-update-notifier": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/simple-update-notifier/-/simple-update-notifier-2.0.0.tgz", + "integrity": "sha512-a2B9Y0KlNXl9u/vsW6sTIu9vGEpfKu2wRV6l1H3XEas/0gUIzGzBoP/IouTcUQbm9JWZLH3COxyn03TYlFax6w==", + "dependencies": { + "semver": "^7.5.3" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/sqlstring": { + "version": "2.3.3", + "resolved": "https://registry.npmjs.org/sqlstring/-/sqlstring-2.3.3.tgz", + "integrity": "sha512-qC9iz2FlN7DQl3+wjwn3802RTyjCx7sDvfQEXchwa6CWOx07/WVfh91gBmQ9fahw8snwGEWU3xGzOt4tFyHLxg==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/statuses": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.1.tgz", + "integrity": "sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/streamsearch": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/streamsearch/-/streamsearch-1.1.0.tgz", + "integrity": "sha512-Mcc5wHehp9aXz1ax6bZUyY5afg9u2rv5cqQI3mRrYkGC8rW2hM02jWuwjtL++LS5qinSyhj2QfLyNsuc+VsExg==", + "engines": { + "node": ">=10.0.0" + } + }, + "node_modules/string_decoder": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/string_decoder/-/string_decoder-1.3.0.tgz", + "integrity": "sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==", + "dependencies": { + "safe-buffer": "~5.2.0" + } + }, + "node_modules/string-width": { + "version": "4.2.3", + "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", + "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-ansi": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", + "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", + "dependencies": { + "ansi-regex": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/supports-color": { + "version": "5.5.0", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-5.5.0.tgz", + "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==", + "dependencies": { + "has-flag": "^3.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/tar": { + "version": "6.2.1", + "resolved": "https://registry.npmjs.org/tar/-/tar-6.2.1.tgz", + "integrity": "sha512-DZ4yORTwrbTj/7MZYq2w+/ZFdI6OZ/f9SFHR+71gIVUZhOQPHzVCLpvRnPgyaMpfWxxk/4ONva3GQSyNIKRv6A==", + "dependencies": { + "chownr": "^2.0.0", + "fs-minipass": "^2.0.0", + "minipass": "^5.0.0", + "minizlib": "^2.1.1", + "mkdirp": "^1.0.3", + "yallist": "^4.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/to-regex-range": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz", + "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==", + "dependencies": { + "is-number": "^7.0.0" + }, + "engines": { + "node": ">=8.0" + } + }, + "node_modules/toidentifier": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/toidentifier/-/toidentifier-1.0.1.tgz", + "integrity": "sha512-o5sSPKEkg/DIQNmH43V0/uerLrpzVedkUh8tGNvaeXpfpuwjKenlSox/2O/BTlZUtEe+JG7s5YhEz608PlAHRA==", + "engines": { + "node": ">=0.6" + } + }, + "node_modules/toposort-class": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/toposort-class/-/toposort-class-1.0.1.tgz", + "integrity": "sha512-OsLcGGbYF3rMjPUf8oKktyvCiUxSbqMMS39m33MAjLTC1DVIH6x3WSt63/M77ihI09+Sdfk1AXvfhCEeUmC7mg==" + }, + "node_modules/touch": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/touch/-/touch-3.1.1.tgz", + "integrity": "sha512-r0eojU4bI8MnHr8c5bNo7lJDdI2qXlWWJk6a9EAFG7vbhTjElYhBVS3/miuE0uOuoLdb8Mc/rVfsmm6eo5o9GA==", + "bin": { + "nodetouch": "bin/nodetouch.js" + } + }, + "node_modules/tr46": { + "version": "0.0.3", + "resolved": "https://registry.npmjs.org/tr46/-/tr46-0.0.3.tgz", + "integrity": "sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==" + }, + "node_modules/type-is": { + "version": "1.6.18", + "resolved": "https://registry.npmjs.org/type-is/-/type-is-1.6.18.tgz", + "integrity": "sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g==", + "dependencies": { + "media-typer": "0.3.0", + "mime-types": "~2.1.24" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/typedarray": { + "version": "0.0.6", + "resolved": "https://registry.npmjs.org/typedarray/-/typedarray-0.0.6.tgz", + "integrity": "sha512-/aCDEGatGvZ2BIk+HmLf4ifCJFwvKFNb9/JeZPMulfgFracn9QFcAf5GO8B/mweUjSoblS5In0cWhqpfs/5PQA==" + }, + "node_modules/undefsafe": { + "version": "2.0.5", + "resolved": "https://registry.npmjs.org/undefsafe/-/undefsafe-2.0.5.tgz", + "integrity": "sha512-WxONCrssBM8TSPRqN5EmsjVrsv4A8X12J4ArBiiayv3DyyG3ZlIg6yysuuSYdZsVz3TKcTg2fd//Ujd4CHV1iA==" + }, + "node_modules/undici-types": { + "version": "6.13.0", + "resolved": "https://registry.npmjs.org/undici-types/-/undici-types-6.13.0.tgz", + "integrity": "sha512-xtFJHudx8S2DSoujjMd1WeWvn7KKWFRESZTMeL1RptAYERu29D6jphMjjY+vn96jvN3kVPDNxU/E13VTaXj6jg==" + }, + "node_modules/unpipe": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/unpipe/-/unpipe-1.0.0.tgz", + "integrity": "sha512-pjy2bYhSsufwWlKwPc+l3cN7+wuJlK6uz0YdJEOlQDbl6jo/YlPi4mb8agUkVC8BF7V8NuzeyPNqRksA3hztKQ==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/util-deprecate": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/util-deprecate/-/util-deprecate-1.0.2.tgz", + "integrity": "sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==" + }, + "node_modules/utils-merge": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/utils-merge/-/utils-merge-1.0.1.tgz", + "integrity": "sha512-pMZTvIkT1d+TFGvDOqodOclx0QWkkgi6Tdoa8gC8ffGAAqz9pzPTZWAybbsHHoED/ztMtkv/VoYTYyShUn81hA==", + "engines": { + "node": ">= 0.4.0" + } + }, + "node_modules/uuid": { + "version": "8.3.2", + "resolved": "https://registry.npmjs.org/uuid/-/uuid-8.3.2.tgz", + "integrity": "sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==", + "bin": { + "uuid": "dist/bin/uuid" + } + }, + "node_modules/validator": { + "version": "13.12.0", + "resolved": "https://registry.npmjs.org/validator/-/validator-13.12.0.tgz", + "integrity": "sha512-c1Q0mCiPlgdTVVVIJIrBuxNicYE+t/7oKeI9MWLj3fh/uq2Pxh/3eeWbVZ4OcGW1TUf53At0njHw5SMdA3tmMg==", + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/vary": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/vary/-/vary-1.1.2.tgz", + "integrity": "sha512-BNGbWLfd0eUPabhkXUVm0j8uuvREyTh5ovRa/dyow/BqAbZJyC+5fU+IzQOzmAKzYqYRAISoRhdQr3eIZ/PXqg==", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/webidl-conversions": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-3.0.1.tgz", + "integrity": "sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==" + }, + "node_modules/whatwg-url": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-5.0.0.tgz", + "integrity": "sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw==", + "dependencies": { + "tr46": "~0.0.3", + "webidl-conversions": "^3.0.0" + } + }, + "node_modules/wide-align": { + "version": "1.1.5", + "resolved": "https://registry.npmjs.org/wide-align/-/wide-align-1.1.5.tgz", + "integrity": "sha512-eDMORYaPNZ4sQIuuYPDHdQvf4gyCF9rEEV/yPxGfwPkRodwEgiMUUXTx/dex+Me0wxx53S+NgUHaP7y3MGlDmg==", + "dependencies": { + "string-width": "^1.0.2 || 2 || 3 || 4" + } + }, + "node_modules/wkx": { + "version": "0.5.0", + "resolved": "https://registry.npmjs.org/wkx/-/wkx-0.5.0.tgz", + "integrity": "sha512-Xng/d4Ichh8uN4l0FToV/258EjMGU9MGcA0HV2d9B/ZpZB3lqQm7nkOdZdm5GhKtLLhAE7PiVQwN4eN+2YJJUg==", + "dependencies": { + "@types/node": "*" + } + }, + "node_modules/wrappy": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz", + "integrity": "sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==" + }, + "node_modules/xtend": { + "version": "4.0.2", + "resolved": "https://registry.npmjs.org/xtend/-/xtend-4.0.2.tgz", + "integrity": "sha512-LKYU1iAXJXUgAXn9URjiu+MWhyUXHsvfp7mcuYm9dSUKK0/CjtrUwFAxD82/mCWbtLsGjFIad0wIsod4zrTAEQ==", + "engines": { + "node": ">=0.4" + } + }, + "node_modules/yallist": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/yallist/-/yallist-4.0.0.tgz", + "integrity": "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==" + } + } +} diff --git a/package.json b/package.json new file mode 100644 index 0000000..6fb0bce --- /dev/null +++ b/package.json @@ -0,0 +1,27 @@ +{ + "name": "backend", + "version": "1.0.0", + "description": "", + "main": "index.js", + "type": "module", + "scripts": { + "test": "echo \"Error: no test specified\" && exit 1", + "api-start": "nodemon index.js" + }, + "keywords": [], + "author": "", + "license": "ISC", + "dependencies": { + "bcrypt": "^5.1.1", + "cookie-parser": "^1.4.6", + "cors": "^2.8.5", + "dotenv": "^16.4.5", + "express": "^4.19.2", + "jsonwebtoken": "^9.0.2", + "multer": "^1.4.5-lts.1", + "mysql2": "^3.11.0", + "nodemailer": "^6.9.14", + "nodemon": "^3.1.4", + "sequelize": "^6.37.3" + } +} diff --git a/public/uploads/0025932b3fb82d7e19648e1ff9bbf7bc.png b/public/uploads/0025932b3fb82d7e19648e1ff9bbf7bc.png new file mode 100644 index 0000000000000000000000000000000000000000..73653c963ba67f7e6b36db5e0b911cd2cbba91f3 GIT binary patch literal 16282 zcmV;LKV`s)P)09bf!r4R@J zBpqRcd935rD1CFNot3>C6J0A67i?dhhkdW|@%G~3;fRBztE9%1i??n&8R_WggMok+ z3|jyIRIaDU000g+G&1Su@Y&edrKF?D$j6wMmdnT6+Hn|iaBnLmTfMxyLpycc+2_5t z(z>W<% z85<24JUtmrOc-Z37}2MTLO@7KL}PMod{{`5Ff2G@TYV}d09jOJo|~p>W_2+vK74kM zRZVLa3`)U(QrpC{OGa6FXI)}45dZ))Mj8NhEr7%T03ZNKL_t(|oZWqkU)xrezZ^+H ziIXNVSOnvVEi3|>ARfhv!3L{5WCP_D!Ye$ICXh$lkZGpdc4wxY?Y5oibh?l3{`L?4 zopWEhl4T%iJHP$>ZUV@*B;W5nukShcN>Y?IO&7oZ|7yDOkB8O%`{dr}diw?U(CRs1cZnYMV3==NX*gsTB>{WO>YF&D*gnb?cQi$V)K7 zRwLl?)7smd{0)xzwNzw!hPsxSY4%0rPb63j*EflTC#OR1+NvqPR?~H%bV5@@-wY0TedmG(iHaC3q=l2Kk>dP?Qv8Zbl4;4*Ct=cW?P; zU^&Ne)Nyj>sh=vcNUJTNEp3MCIb82S*V4t{5rios#S|4K2f0}nV=}#hCm|T$8qY5v z=%iBsJ{1SFLtMwMylM2InoBb?RsnMI-`XScK2LQY%YX(M7RY2{xcRo3IL+6N6O%1i#V95EYxst46`X-%>| z0WD&MQR75G!myM=O_-j9xRaauC9ts+u{A8}346xDPeE>=ZF2XnW4K54q}GQL6sAW+ zMc!9Kx5{>7f?OlYDlpC!w1PJIR_1uB_MWZU;T|~7T8WRdUe9S@endT0fg>tOH9@j! zI09>nGDf|Q`Z4oMsp`2xWu%SoqOH`q;?_05mrV{1M#@N~;_r*l7>XHUB*n-iH@<)r zX-@h1?Yzl~JQQSrcgH!t62nK_3UQMLdP@#LRhft3FPN`U*>9Cem|!e~C!XE}RbBb{ zCCGE9COS9J+9VnYHyQ9R0v{Eb$|Yl@+6BY#-B8p-j$n@vAj_;XWsDp@%j3LF0}l!c z%D)!PQNkCuw04xH<%J>Sh!}I+z=!u>F!#<5j_2vOlHgM#uUOe>8bX55BaHXpUl1Sf zHu_AJ$tNBwWN0e&x1g|w07*65SS@4$7Bk1GpCv}g1kY=XGhqG&MvmPw#`ne9bVA%S zVwe!P2`vIs4fipm;|z5bT@G`k<0~M>g`aDUdb?yZgik)4E~~jugaL%DtUa6 z&G%BpeR_sbfM{-+mSdYqrb<**cr^GrZBo+Iw?M0l2`KqZo&VOUu9TPnF;Wo&G*}2A zF^v*4)7l!b5xIE;dv4j5s~p;ntL$6QJOHIA!STMYD91&^3Y4I-pSGNk#z{nA7Q8Bt zhtqk8z;7G=&lM2$1+;gnYpAW+?3x_UsFs>VGi4sR%CSxQnT9jE4xkt*dVtUaJ5&wN z2URWFcYP)BOq+gZwOKT5+lUJiyef*3;&QPA<+nk0zG6VFP!c|Sx(7VWqH09_ANtDl z!MtfTh_Rtnf%J66|JYa7i@1p=9d#@n0H-`J4Up`8ML%5kT{yx%KK48tRo+lTE|4Z- z+@;;AV`zL!qN=w{5=L`D)X>}}i@PYm0(#JtlPt&=4KG&LWoT7Vi z(j9p%zu48pK%%=L0;FD#k>-@WA5u!22`r{(@OorKQJRWx0m5Un!=jlc2=P?D z2MX*qj_1+Y9FeoT>s~6>z#1Vo*2%}?d)hBV;-b-Ud@?-m6tTcGrIxG|VR~lDX)3N) zJXUn@oa+`fB1BjL9R<&V2uCajnh9I$p0PhtRVrSQnc+dv83l_S2^6K`7%9h$KvcKU z;ZXIQd2?grklKh^C%RE8u(^f>F2Jw=YMAqW)iOc(MvCBC5D-8l(uHn=^r|2lMCh-t zS1OfxucEj|)?El62OgN=(THD#BVn)6yUyJT+OR!3AAy)kuVu5Pe2on;IJ`HB6|H_$ zOgOQ(L27&eYlR%dKpG!dlmOO(;Es!ykCFl*DDcy;NEeGEfY1cP)X@%UgU|?&1Kjc0 z0yDf@^sJ+lO+tuy7rhi5rN?+Y)l{lR)8G;&&(Go74Tdfz)yh;Y2ulMEU4kT@kQSBj zW^e1rNqM8_3n7kgdEi)rj~no-h`!%G2I-}oAl&M@4FlrOTORD| zHOcqE`|A#f)A!`qPqtB0Dccy{EagFXsiVkT-l)hKo+Mfqzn#R+*{=t?B;d1m4-EGB# zVNs5#mP!#al?I=x?Gf3zE1*_MRpWMOWbYX!O60G*$IhjLyMZ9Mnx?f*5+ZD8%UMTZ z9Nt|AS;4l8kVgLiMc}P)NMo%fLO_-W7f840z**)NQM_`2hT?a#qPh3^X z+4pSO7z@G}aom4yd4pC%drGAq8U?}KWDBzfW7HVX?XBua(IMv5Ku_s_n;AiDATYr0 zrFg;+O%)~nY8a;NS?Y1Kfdt300p^xTw4I0$UI$weL_H5pa90JYZhKDgpt@c} z3b&3NFR;kL=!6xyv}L3qrDBm0`Az-JQPCjJLp?Yx?w4W6y0-auVFWCyFxDt74_y5r zb_IeQ%D`4F;ptV*%V|-R6d6@ILaHhW7PgBJQjv!HcMp*e;Je;B^a99(?S-KO2@VT~ zQ|Aker^S_N-&l_R+crW(Qxdf@^m@3(e6@JL~gy$_!^-xDdIj8Y-&< z^YkGsmQu%ZTy=@Q;tLEi0T5bmKbQ}BPI?U>E|5;mVJdfCDJHdLF-H1|mhA!>qw@3y z^PfZL3Iui)9mBfk%>!SX$IOD)eMN~4fBCP#}h z#H_YL6m2>JFQY`d!14*xO2QP8jlV9>P3Y4+Ch= z+XiY-1;3;^;*kIW39Kn+`e9IJuE$rV>6{0P^Z+n8_5QzC<4)HBg zjb#B40!G)O!F&v+w7@$@ts>;Q;M6OgX>A3SA}xWc@u?PrjEdzy@8!7O`=h|x4Kz;; zXQ))^H(8Ye_6Uh4WFEjE(9M7k3PyxWHPpor;(4yR%ShENdhv8nCHD zj$>L*I2*yc7aA3)oBly3m*DR^-s1>+pEo>1lDi=tMBlJMQQafLbFsFC+A<;$9076q z)X<+;f~v&<8ob{Qe9a*Ve#ejvxJuyA4yjzVm;oBh#8M=%JQiBo^ZBP-PkT?meMIJK zM74nXVZ$2Px*K5n<*5zQ$3s)v8zGK!jcZHbk_z3!xjf63Y6vh*)d$G7NhqTaaZuTJ zOwZX@fLzloUsP*UY@!#i34}lZeDCv#f941~U+P8XRwxrt8J!Qc6~tHsTQD34-FD-E z)VCx%U*zs)?#*bpTj1WQ7OE&V^XSO-z_C>ocgryy|IpduNgS(sCr!h6%^jhnfBgK$ z7aSqDnt3yt0m@TyycG{e?v4O6u5NuCkorb=ZUYr{)8!D`BvY-vRG%#6C@C5TC$k-< z+NR^`TPA8~)wb<)6^os6_xOw;r)-pHgVz_1=H@>?c@P@nBT|rKI&BzYBxOS;)`&F_ zAiW05ILwgV7!VgH2?V6!=biFj$d&d8(-|*-7Zr0#29l@%PHurk9N*mn8!Vb3yG-%v z+%U2+tFo#mLWW=5ztkZN5uK?)>I7tLzL8>KL|-G1dY-j={8QJ zo?6%t_Bf+4!Rwn42N?^)U!)3ym|#O$CxsZ5&rg#dnhdHbUS?!Mv8vBF!uLAvWv+yV zxKnYcZnN(QrxI0JiYc&o!+{|s)U9~rN*)#CBGb5C==d4sDe^I9BsAgOD`l6Y{075B zb-qZx5L2afiv&pOI+?aIQbGjC*N~((R&niUZky1u{lD6BiPM*)A3h z$8-6!l71Wokv?Z)T#R9Tpmqovdhbfd z)y&1rm5zH~{sD#9yVLYUDTB|kqU=rUu&O*)Dptqe1x zt6a!2t3@iaCPlYmuzwd+!$c?Jdo0aRDHjFb`mneAnG(!9Dd9*NQnP4zN7WOE7B~O! zI&-<>0U*4A8=s=5QJS_Tm(tkx*|x7df7<&Je3=ZyOwU&pHeC>Hq_8o}1f#WCw83Hu zbED&|YRH4H)4)>`KZBNb-&rehtg`*3EA77!>h*9pQG zUu7=Rkg8PO|GE$-#c`1$S(9gWbzWj3^uraw-q2ral0$uLwa65)uB%Fps7!i zNH486m=92PINXq0?9&1$31kEy3FwgUDL$P~!MFkNwkj~@&p&wFji2BA?bXcfj>{JT z;g^8$kBG4I(ZiD+MfXQYTEyHMFpB3Fh->P773CCIgVpElR6+y(#{B3Crz;5(bj1|% zZcfArrY0td6-TIs&QXyrc`{g#e8r<3^oWELOnR;KdR5sudDY$9$w=v+IKul^GMSDK zX~gL6?0xj|IgH++RU{L2Xa^r~3e@>H4zUS|6n(=mZAU6>Kv<+6MDK}vn{fJNr4)J@ z;zm>9>Q@-rV;vnSY?GxEEDXv3Q6@Y3p#!egIs|(?dED6dU7Cw!#4D%VS*!vQcx`*7VS_1R-7@}ol~HU=a-mqg#t2f^s^l7q}5Fl(O4o1qovtwq0bj!~FPwl6$(a2LV29 z0n+(gdHy&iK5XxSAEgMdy_3m&_3q7kk>Lxh)suw6og9f0u9 ztq1|*qlXD6M9p`Eo~E3U^`nO3e@sg#f(YRTc$+$zBa=;$t=pT^@;!QJgd%-0QVv$s zREJu5gL4p!^PAr%?v;FO?{j5eTD(v!+C>+OjK`9WQg6e#4Vq$f zNeV=G26~ekA#cdC!TNNdWW{6ZsY$j9w5_T8gG%fZ$OdKYLC**=^KMg78x2{?`hUfv1spaw^0FOP+PKAR8tH4LcGqLsOiLM#VWA zD0FnF*)Uxv2n`d?f|YG7d5K7&x;y6q*xC8&gwA2xA5UD*TwCG@ufCJsM?$yr?D4rI z+51dc=fex%4w;mK6Q_=K95jRitE8$yk&TB%4P17X<7};v2foesrm2r@q^%-yeZ}SL z2jTsqd(wMWuey65J;TKaTb5Te&9#Y37zqI(cvSGG;G!+>u<0s0A6z)|R2RCRDhEYD z&2i3T-7`IV9iw6-$C~9)aY`nryE&$#Gr8!|X(eu=QoyZ`Y5eVlUAlyJ+4?!F!kIur_`#dr=<5YsX)_jv7@IC2*BN7#< z&lHwN%JvlPG_o}zL5vS}mF^M%k)9U|4zPJ=2(kC^bESIhAv|k-#CKs#Gss8@La@jQ z(B1Vd_#8<0x(gUj)z!|I%3+jo&mWR?R#l-{9AtVin z_P1~uXthXI@`k4Z&-%E%A$C4GQG$KThFpCfH7W4jsZu8M;t3)I?v}Zy>3X0mZgUGH z>3Acq@~rzbyQWh!VWZCU@K8bTXUhmvYJnApcS{xEg-I$63|dqU8A;H&cz5f3{;gQoYrWJ zAf<@4KTGaX=cDJiATNcr7Nt76@hzl0qj!GyB!k&KAcPz$b6LA{3(|y*jj;fyADxt= z`pQWgF?K$b;uLR=hlx$~F6#KPEsEv%yO3X@czC*B*XY(vsViE;!v$M+8B~Tatof## zgH{qr2K=E?-SQyO+Xo{V_;#bOsxigYmKzJiWczEm1n63|Pe0$49LSdVbp6xtM z9y2;ytVVlBC&AGZx+9^Bz@GxfK3%EjG`22`W8FoBVYwL`O&Y5PkdEE0C@kto2vr!u zgqR4yxd965%?G$NPxnW4w;urZ{q9C4^ZErv_#kr|5Z=0T2fzntrHXrKrHbi5d6@vQ z^SSFubz8oHi+Rw_f@7;FzYj4nzbSN+6z@60g?u&~B|6)SMVWmECu2xXp~}7ni)cG7 zL=tE+5G}eXc)4i zgvy2Lk;MW2p%wqoSSl1`>thxPZ6#k2;$tvyih{I?7k(lX!c4m{h>*?cTaH>x1xjP% z4oGQC2}XUA&#k=3WUk!j2(N>4)2n`E$XCX2zi$UYj9$t*R!-sx=d%`uO&cy{Y|dMd z?%2_EJ-t}S>oi6%RwE&l6TVN^#UB{*7lkk{-V z@7s>_xe5`n6h*ijB8&`1F};5TWaeo9&~RF&5oiNtl%gU4tfp-&yaxo|tpTOlH_#7l zsDE(sY9`Zjl_Sh(e;L9L`Um=|dfzRAv4L|v&Q=s+=W|_NLKgmD{$|)|%4E5T{6Xv6@3CWaQGp&*~CJAeR(hKBlsB|tcFEkyXq z5WWo%`}N>XAAvXs#%LC|Vzvm5G;02$sd!n3g3~Fu+*7=30K)M^8Sdqm1VV76v|12Y z;h^!EH1SR}>VwY%dSNw{3Ihl>HbC$V4Gk(C*D{$7g76}4=B5URD8_+7rE-fx9KzyZ z@h}1rgP|P-Cti6Fj}8nEm%ki^NmP0}tF=Wa<-Wyr5a6*w*1WJe7a1%5f{6Gu)KTj5 zz#WcKfPG_1V}Rfr8ygCA4bY(h0&PQtf2{{YV-zDWo_@4QfY^_5*E@~`4IngB2Myj2 z-U0Ja(dRwWM2E<0Qm{iDVW_2(93hQ%0T2nxWeCIf!!a;zT^ej4$NNsoI{<*U2*6uz zwXdJxgQob}J%KO}2%nS{@&Q5|(1|~yQiR|Rqa=;og-7K2uNFO3=^}YMb%^B$X$2WY zs3*v9GGCBnXzRM=rEwLyU;%36TU2n@VL1sBxQd0Br1{@&+#&w6sf_hAd}F>cs6EJB zVh9UhlCQs48Uo^|GKdK8+`+&IrvdGk5JJ32n@N5EIG2BSOQ~A8-an2|mf=j?)1W5c z)kwkmI-J66IWrSsO8G!4ckjS=fbF`F6%Fr z4zzxtF(fl{t3lxVjb>G^tP_Nn2|}PYnHS$d@BEG zXoKa;dfF{T19`B`d793|1P5fE8qG+HE@Z1PGr1fg{B>mkdF3bg+LAEO9_M)B^`|Gsy&= zDYgVJ?28TT$zR_xBO-`Ld9>_Yb|oKv)_)o*E>7(n;f zPc?LKa1h8!b6vYmCuRU45b(^^MNrLA_>kISe-#`rhvBI~m{LOC&!cn(6 zI4U6O{(unTC|<>}E(sC8p`A}}=`hcpNCr$AtwfO=e>SqWoDcKkdBsvy9(KzjOcf85 zTO45jkkS|u0Gmpq()>}&2!uBP;k}7UCD7s1Q3`P=a0mJ+#5;GsbwP->EX3ZOM$2WF ziNlYRw@Zah=0S%A!YTR=t<%J?(JhuT@|!yWo-o=!!cwXwL{nQfg zY;24{crdr5m`Kz#W;IDcTBQhA7*}%@HldcQQ+wnkeQvY~_6M1#Z5JI+c_{|C6Ep~D zECe>!AMGbX)O{|(N~NL)%|_#gCmA~RgcJF&eOYTZnr^isAQCkl00|BZ`fw)QGpyi5 z=1dhx=S?$iHAyJ5d9oT~p`=j}D&tzNOtlpe%EyVjo$kjM*+CF@2M*yZ|BQsNU8> zgd)I%8L!iXp6@(=_VDqA?oMb@F!X`21p&(n2f&vGZUfm2>l3*Me*vR>4@HQ7uWNHv zpmv<{D7qWy)xjYeFTfO=sHRo9EY;oJec{oomnYBRgw4a&WP|tDSnHx!!jwuxS@9bf z*l{hpEzgchda7dS@cF9?oxPo{b!lAbTO@feiT1#y-GI2#Q6e0mW`Gt;ZDi^R5iTLZ zW!;4ooeI=lfLmnckhWv2UQs*C2gx+SgKTpnR`JQ@=2PW!jiN+muo8hQKhxakw(nW zS=U7{#G*`vMT!arJ&=+gAVMc zc;o)YSj`eH!-Jq4{8#c>qva?b`r9ES5+^b(f5*~ARHHl5Hm zU8Zf}0(@$S@V_0xZXFUEN0%Lq?@9;*hVWhna|(v=5+sS=fc6H8j8OL_gagW!DP5`2 z7GaAZjRKvR0n#?if<-H-5%U(3nzloD0b(;4OfYr}T@67PP=u(YjYgm&z(BjlCuX7u zeF>o(P=x4c2AUZ2o5{1VaT!KQC8sp`TzKD-Sjdmu?~jMnb_gEsFD-5++?eNikxjr>AN*Z=a}584|EfA3aX`5mm++?r=A$X8{boe0^lf6 zbS!&dpMvJlx5`1WDD$=mLf1-6Fj&Axo6|K2_&O&Pdl(SmpA-;Vgx?SN50q*^_TjhW2d-BcgL7?cd<*t1U-cG2 z_<`%SGd@^DBa;!Ic*j;bR^fZ_Qq8<|$`Izgu`=u(BuJ*@>HavH%)$4+5w-47L` zl|j>f##|}Cqfj_GljVm+cpDs623C;`LJyl2VP*ln^$- zU3zWUJ|HAhHIYgZ-AsqPdrH2H8ywFv%`&8NTL_dK+D?WiRZDd$y2QLk<=lcH?2-_Y ziTno?VHojaxdmiTZS@9n(&WjgaJf*pAWC8DE-5pelgn+YTrD?KZF05lmr4=ueb^Vu za7?L$Y6|HCAo=F6nTu>MDJWgJ8hO{kZvnmG5@qJznu8`a!sLnw0dpSgS4NFne zz-JT;^%XipgE_u%rG4O{+mSZB9%?>WhLWS%3k8S~aS|8S>de(7MSTbeJI|hW_O`A( z?^f0wl~$tYtV}AIm6+tK4ptMPXSe#s zMj@{yC#JK5J}H-CF_BF@LBn-5*Rh-!V2%$T2LYQ>4VsvR-N9-irudSh>Bg_^?0!m$ zZPkVvUSuv;z#;wB*m|frCOm~-Q9@IGU^Q!obez;|&pWJO=k=ZE&}2hQn^+P4_Rd%X z(+i-_N`v|iG(|AAM&qX!i15;-OV_VM=r2IRe@XkK0d9yJ;n>)q(xkQ4pwhQ-2cj$( zcW8#)4^K``p6@7#Ze-r_ zLdnZL!kBMC{y>)@LW+pRHa=~EMg3;u>nAT>|23!4mdjna@!~2X#IioCw2k=+@uOp4 zxk}XsS{5lL_U^b~vZEu1MJ#&9b3CD>YhBc3PO^G;h)`$qHM*8virtYhRDl#N?H3)- zyITzxOVG)+5v5ugplN=8KQK%&^+YCSzW)0AZ=ijG?VBHd_~wV7zAJsw1oWdE;E)^i z6F&nwIvC*Ui-?i}IlSw6j%`Y}K#2b4W{B~g=JcV85(5llei#PBVq!$$;U5IRaE|*S z+P$YYz7@WvAxiNr>7nJC983x9CQBY?wUoym4$yDO0?2M6n&UEAQQ}8u+#0)9W z6E?+t@ZX_y=VaY_C>%LKs6;8ztdjdzjvAN zG;DP82^%E(x9?qjo%>FnR@bxqeB$;EQjjzu__;r9q$ci#HFdzuqD9$NMRtUcA$ZQ8o0?4ypF0JUz zS$WZP9Irr>VyOtJQfx(>=AmRKopf1SgDl6uWl{ZuN|h8B7tTb;mVGq_2X4{T(ABCH zyXc6-qthDg8^#Lq)S_HCH!ADuWS&%Tc)SP?P9Cu6DC5#ZHRZU~jg5`IL7XYpA#7I$ z$IjML5H-Xh!HZQw z3!qD`1j&xAgb{sHQ?p(91-4LcT7oAKa^y9VK}9a{Qd4Sd(1;}lGOK!qrs9kMtsDhf z0=9^Ypb0|YpqD%DUw!fV%lC5~&?b7We0AggeJn?12*Lr^?W2Kk$k&wy@c3gzx~Lnn z!9%-6oz#{sR8kVtH}m<30g5La<{6jUBx)*|T!Mn&kfOVjmxJJ3f(0&vdYisJA6Jy#M6dwR`ujUA@uqnB_#!nX{MgB zhs7_mQbvs@`l`%{s`mqB#3HvG;ul;DDt;fm-okY?f-scfu0k$G018{>0LRE3;NW=qW*fcFr4?-joY0^rI1KX!+7wZ`7v|l;XO==Dcq~`n&%ZY(Fk*_a8iY z{oo$72Uk0;J@{(nZ}|Sd{iRmx6NL-kGjS=keCvqL50tIg#c7G|hJ^cF=1G^8NO~W( zIi{w=^tJ=i?Ve&oCf+k0{ds2$A~@M&#RZCb_;3HZx~OR-nlg378qK7@6t#)%-~H?1 z)*ZYK!Js#tis)!?wFDsh);bmy~gfW*GX)@)Iw)uW`h?dV7smT zZN8YY?V#n#+s?0+hu_gFd*F$<`3fKzTSsQ zU=&ruS$!QAxKBk$Hm*PZc=`(arRd3i>Ls^f${<)*u(@XGwS z=)_AqejOd{(9<1#AH?|48zNjY$xXfzO29B^2WQ0#42CPRFG+6156w|wibZ@$+DSG{ z+fAJN>h3;K8pYz9BK-IHpxx!~VBK+l8gJ-lNY7XD+Nrnr9M&i;5X>#+xnwf=?}ky+__SeEbYa_LLr`aVaMbYR^8(3kd)tW4 z3n$9L8zP*3cFL`49w|*Lrk2rHtE@m%PIzc(G+<0IHFl}5kt;NUbCX}~Z>c~>{qY+j z?D+JwTYq%EJY7$b&!A-V5_2Rmh|+t)70n>839n68BV=AxQ>Wb)16%ihzbV3`TVsVI z7R~ZwP7iN|F~bDZa+5DTw#_&X((k3nTq)t;$AMQn4jTS&Y1BV1BA$U`}3Fg zA@lvypFjMM|EvwyrvLWi)@<134}bjI^zd-)KmX&?Kfe3hj*gz!fRMLDfG?FwF{R2$ zKsewych45cGCrfnAV%JUkV$#nq#&oEf(nTiw~`^={P11Yz5sUp+dtseKfU{3Wzv55 z{->XQ_q(5d`u+#{`oG{KY`_0vqGRIs{J{AA201{hT}c?DJ(=(w7Izbr;mH8$c28bo zcR81q?#qKl{w6>q0(kfR8$YjI`9rH1PX$PpJ+pNdiFclFajsJuyR&jnB*TarB4odD zh&Mm|5ZWKUy!P|jS6{$cqDFZJKoB9jnj)MujKqidrk-P^swpbOXsJ6a=fxr3eE0MB zvGx4ChNt*EqNzZUDpnMgJl1H1b4-MZ&qvT(o;uF=)boWdwI%k1Ee7%CyRS39PGih(c$x^~1}Y12QMx`s zd;@ucL3;5^-k0C}Dova{Kg%AO&@#t>Nk#2+5hhiKB_U4c#li(C!#CDep{>31)z6H5 z=WJIyR>}7z=;~@0Wuk8G6cI+T@ul_5olZwm48%vJ_tz)bzP$2}Y2?e^Urh6dUxeMs zvKv@KggecV>a8!iI|U*hy*OB1L*~5rEBThw+UrHi+9iPL?JU(z2ypqNSl9xRI8{Az zNR8d`ll>U0U6}p+TH)dJhToi*uIj9N}J|MjM|Fm6M6^rySQtXkwujEBiA!57u zrAH+gz7p=YE=LSwZRwpiZr^?P+r+l?-J73lX;nN|1aHMkg8eeh3nQ!85;4Wz&$DEo zMhsrgp!|Y9fd!N|&F}ARq*CD{amXHN-khe=c{8Em8hE~sc%F{zN6>E*|CuH~@H-to z7n8UdlB?sRV`|Azl4BunQ@rRg&F@2h?uK2NUHj~#chEn)^UhCGpT75Aq&|T!-h1yq zKlwi&k@neVvnme+r_N-{-vMr>WpUY?t(mlwX)wEy|1KfXun02e;}<3IgRPMchrsn@5V)$21WU0TOy zvj&|@5-UCso_Qm7N z&1&lc_xQw(VSJ`7obkN#`Wf9>UeP{FxTYyo6Q(MQ?C$c)CbOk*iZDKIt)<0~*)SW% zJ1|Ik8XsMzutw@LZMXgN`Pk5f2xBwsVym`5F{*8=hlEtf270Sy=JB-gQ$c{>%o=nPl*%Kbf z=#002%31_a+gI4;ctJy1DRoJii=?K;tQbdqD&I53dOti@UfApD>gt(X!0^X@aKM#~q;74EXe(Hl>FMBV$T_fR8dd z8IC^t{@7pkNGN9UuR@XVgRte&>xroTebLV?{tQ6wo*#}*pNk@t$!;8{@icLgV zo6&Zu6!fW{iCL+h!WpJvsGm)A?N07$@64uJST-E6HnGVuE)dV0h!9IN{Lx$I*3p)P zD*949&IBLvK`FR&VH?VDvz*t;%#`MOI?&JaTWAR~LLc<3ZZCbtAIQh=XTWc=34-k4 z7>CQ+WPLA&km%?lf3E6OOh=QD#NHF}G3HO*5`P#}jhZ6AbrjEvR~M$Zw#;p!{CM}} z=>QJY2-Am@JP0)ToSm3lX1$p%uSgXOagAsfd1MTsSqXkrkF7{NqddhM=xIS`<5mz) z7ZCb2D;|$EH>vSB%_3zgoSlp0LsE7khKrmmy{7H)h@qEcAsXBW*|U841D(zRB8s}@ z6NNvN4PWi%$U~3?TSL8>pssto-lNSLhAIm%#jorOSzefPF>RNgw?Na&HEohboVkhE z!XPYM&~GazE`Dl@u(cKy+oMO2BQV8nRpwL1+UEFhZLUn+rz~7G;jbjO@KtO-(A9Ue z1qh+8z9+?eBW z#6U*oE;wuG?H#HX{bEfy#|IbD(b-Z@Z( zh|ZLHJ+2z#Qwti=S42r^sJt9iT-DErtS~w$Jc^ho_yPHY^w0V&?ahjzzUggXs6gjOmLl&iC7mxiR7ajlFl;tU;*EJ{MdDLN1yaJT7b zx2AXB#0X^siKZBhG(Gu}wl@_oiwsZA-v+>+3 z4Dl4(ECZL#Bf605ilHPrz(y1Ko+xKto}q2O{9T+4(2I_^yZPn$WT-rT0?2|Yb^|G8a_ zsEgLBNu-eqOb@w>NhwdDB8rxV?-vRbnUaFKC#CJ>sd~Lm*9MpCbu#f*8+Y3u z2I%;b&Pp#LcXgn-YocT#`A#*MBO7Ww{hil7I<=wqP zcxY~=Ja;b5JYPE_;J5pzoyvnC7B)2rD7eC&$(7w1;$B2Ur!%v=GTD>Y_|D{V;mw8m z-1*h~AKpSQUR#DRvB@Gt31VWY6b1-QdLKU^FE>|Ewg2~GOK$o&C}6#eqC#h@p#m~^ z9oQNRe?1XKug`1ED@2h> z+DAgoiBIGLoYQi$q%Us~%qhX`tZ~)jAD(~c+WOgFv9;iDvwSVCiTt?#3l~0iYx8Q0 Q&j0`b07*qoM6N<$f^d=TKmY&$ literal 0 HcmV?d00001 diff --git a/public/uploads/d65fdab37a0cf11d22c7a8b08f727812.jpg b/public/uploads/d65fdab37a0cf11d22c7a8b08f727812.jpg new file mode 100644 index 0000000000000000000000000000000000000000..72049ec79f1a1ee9ecb41c28459ee721b76c1b1f GIT binary patch literal 48647 zcmb5UbyOTd(>^*_aCdiDV1Yn_YjAgWcZc8>+zB4s-Q6LUM0|F8T z5)vXJ5)K+V3I;w70RcV^9v%@XEjbY}H3=Rb1(<@Gj-G*$fsmZ}BQxkDEr>tb5v4??BL8!~jI?abIL@!+_Q3=;Wjwf4a9t{)Wi4kr zNi2VscS-iDdB1}9*Mp!N*p&}eA}JWqKb6GFjnq?VVGCrcER?AR{-3>MaL}3`5w2!W z5d)GyKPIl)8Q9XrQ&i-_utDM|my=#uJ)POpvuW53v)Ok<_s3_uAAlvIM#`Y7XbhyF zVraE`YboeR_K;+gksoC-VV^+a7!?1j9;u;Rrb(tDwO<1|D*4Amy@ggivlP?^9z160 zH2hJly=25gX${--9LcC#4iP8iY?u(3gh&hTj ziiOy(WU2_r`T+o(x(b7RsxBChi3$803|+uBYC)L*ZrA~k@>0jzPZvkBUB;6d$#QaI zC%4?Le*UD>BwDbuHfz!|3Z?;I@o=;n63y{&ML`vKR1u8d+vb1Fv!xIG%Ar9>7O#x0 zgM|_wsRXMx{Hz3*i;BoA1?JJljHZGjqM0#qKX{N-PbUnnS+l8YRd+ddkZEOLcw_td`XI-n7VG{rILOj!H(?xuQ z3-@|$7EzxPoD40vVGIs74Ff3^vas!>$qUoUX-wm{b!(Ld9<7GXt8P0p?gGKSZnuJI zQJ$|}M2|jhZU({CZP$l)ue-8AKyjj6B%``06?=2+a^lId-O>2&6%T*6?t`<3WeF+y z*O}WJ>r}@vl--i60&VG_fn;rUVvc)k|B}75=o1A6vRtj@DFHHi@&xd87rN_=^X;wO z)!yN@=Y`iV$gFYN-ueEiilPNlm4#_QQpG_!K+sKf&)C`Z8(#O?@tr}iPiriyYYN_~ z3;%)ck?%$BT50@fKPf+P!qEL|8OIL{DcCXwd-GVmhGCxWOtuZ)9nQu-b}`3mS{ec# z)Umx_Z7+<>k_k&aTvuFIT8U5mQpoGK2Bo?Fi~OxmJ@J+s$18`IziQ0z!8Xpm2Q|Y2 zzH;ZhIb>6%qi--pNBxts0%SlP?S~LqCCP1<|9#Dl7EWYan~U(f`5ggkl$ zOi-^Azl&Gdfs5)48XIT0_S~)?dmIB~_qx+!Z#_k8QvnrFvR+k1awUUnziElPd0Z#Y zs-U4@*Ld8y{-XeS@lCdGmW69?5}t&Y=lL+%lpx>TNltrm*Hx3rm;@7xm!a@g&dT)p z+R<~)ik2*|Qi>mH<@5>vhD3#yrEE7ugt;fYo_ILd+C7tTTAHx zxg$CH;)9egljeGJE_|-@W-h6pViiBU-^jh^+32}>9g8di25bRXE#K&7744?%#^-q& z`PMMU?Pi z)F+|8KcTRcM4~-JI=TJUptj)l-7(;6kHP!rhTS@ucAO}xZ&GlnD&PVoT38SUu959B z$|s6ulTnkO01yT2JYA^ow|lp3@IP|}rqz<=0#bOt@Ww4f96~MGGgms}I|W)T!(MMQ zIqeR*ZHG9%@=u{Vl7>Cb(OV{W2?m*~N|NUet$Q|tJ^GZfR&srgp5w*)7rU~%z8OnF zPb5nzMX|MLF+dzWk~GBStAGJ5WeP@6I!y}{XiVL$dl8wRgqQli=yT{(lS$Jh}r+vs2x+a6&PKk&#ut0YHkf3BUj-<00Bei&coT{0H4i zcqmn>%n`IY?ul;5L|42N$fijZ6{n*j3e=dRKdluy__(;AtmO(1*>YjW40DB6l3q5j z(x%f;G_c4?2Gpj6ryV)B%ulU;TI3kqy7ugTy&mt;>^byv|9Z<@=_R98h6jN20Du99 zf;MQ37RrbM!dHy(7|ig%%6M3LMNOoNsrLq^@r?)UosUNO&{WGdr;DlHuI`tv?t3<~ zAvTN7i$7A3AWRNs-gfWk@-2?D`)`Nq{Lr+b0o}Pmsb)A+bdBa=0N-;oS)Lv^Uqe{D z1RMgzprlrZM5Uz!N2LWYuzv$XAa@sz9n+vWB()qZ|Sb zvT<=>J7kY2Z2 z1Fas4X#_w7`a1v&Q^w*AL?NpCJ8t_8hfmd4r+Brwx*m-ubOz)u5AM0NULGypcDMex z*q^NyFys-#zyv7)0BTnanfA#cA3D>-*2(Qd_3qP~ZY|n)Z*(iN0DA2SpHTia#s(wQ z7jc9_JW)JRTueJ*S`4_*D3b!lf{3QU?@5d%Bc@h^-}^$efMk;brQ(dI#jpnhR?^RB z%PAYwnSFaMcdlH{Jp2MAHG)%_pF)3*qdSg8Eg)%wrScslK3Ti9h!Uo-nb8iIr*^VZ z*B@OE8%p-(oxQ$K8N9QW7-}kdj6#_+h;^VY7Ok+_9eal7d&QuuUGr#Gdif9Wg^Z09 z;$j-(h+~!Gh$FL8U7~s5m#(m^`BtR`^E}E{S~$Cm8^8;(1eYn=?Oe1MQ}r>9CO16R zV&0=CyWCl2)(8;T5A&~O<*=N(?cegh$NRQ5bdw91RMjO$I*6L@@>*w2xGqNWa5oNT zmedzFyAEO_!^v2VZkux*`WGL(sTI5JAjz;un-(0t31wv5dfi^0JBFQ{KFjWT($Ck9 zwk+QX;zysMdH56tvzB?)N?Rz472t%jjnG0z4y|nOoz?2jvR0h%*JS1_h7T1DvvoRR zc=Ti*7>Z6yqR-1+#E-Dp53TM|jbXq?-}_qkCh_PQvi9tS$>!jP>u@iUONPm`K||SV zH@MKtJ$c^nyjbv8wcnq3z6~SmJ)e5)EKXO~yDrf7d}LHF*Zli(5%$2dxV$Fm*kf%X zi>kp;RUn(j^=+wyjQmKD%lF+R53+n)dh?nrKoV@T4-V9jAf_S?RuPYu zg7VF+I+@P6?=slp79bbuGGwki%+_Aqi|61)_t@;ok1I|;!jVoK)#$5%Yfrs{hdJ=R zySzIcCe?0~&wd?e9$}oQILo{`>dbt4re}2J{@Ru8!~Y(eZko!w%4OEYBINjMLoj>L zr^}CIIXoaOmJrH9cH+e_<8C`+BHcvH(nUMxd*YuQR>O+R&b`*UbDoZapV#l}h=7%@*6f3@?31$XE0YCf7&Q| zDvVrxJfG)Vp1ahXd8}zHnR@duzIlmTKS{Xx^QPJIIPFZX=7p~4I?7U4JfhdNQ8dds z_;LS|+xu_B;%p-Ejsp*4gN@yI8lTPH-bLFpuaM}PbT)C~9y9NI?%bzd#NIhCL$1b# zW1bv;$8x7!$-PORW&_^6wC}Xf=z;g20u+1DmsuGz_voA!<6LYBExf;Es#M>s2YS_b zSkF7AzILpOPmyWA{km`H?WrkcObaXs=U4{wb3*bwTB9X!1|A)PK97P1@-+Jy@O z8;~2WeWh2uNgqB~v}+Z}Q=;>X7oWTq7;^m0mz(X~eSJPZ8=@X58U3`e(&dP5IeoQO zT1rqEiqc}c#^=)R>+gtew~}Mv-?P~IbkTFRKczkU1C~XnMe53*^>l+bZLEdYxnE;a zcL@3#7Vh+YeCs_tZdu#=X&l9An$UTehbwC0lolC!e~+c!C4IFlC_$ueogU;V=eMCd zJiq&9NuSo^vfP7cl#hpLJoH%G`c(C2pwo+lDf^}*cKJk97;61qP;p-N;>o~p?(SMT zdBJ!vEnv*`hVUhy58w_$48yZggK!4&`mBHCfVMK^Bj+6;K1d;E8$$BZMOx7sY}%*1I%oe z2u(v~Y|4ZvY9`|$zOE(HD2D)x7Jf==aHD{iiryX6x|`p(6M@BP|L`6*i^roUuEnll z!3{c>#~}{8bp2T4oVDc>9v&C&=bHnYy(a;m_6)DCPKQ17v9n<`Mda-BC+>!{kMaN# z=9K_{weB=IY1_qgc>{so=;*WKn7}!oA3lo^b#1m7m~GfhU%qZ(I6V6%Tf^mE5A3zb zuh3sP%j=Pn`Y0Y!A%hi&3*Z5G$}wZ;0*Czh*9;bJ001U*+|llFjUFAgG+n%R)&B>~ z2>RSIUq$meo2H3!EcmXZ{n|Us{In~P^DV$a8q7e1*B8{}cF%?`O`0M7PX4I~8vmtq8&^nsi zt?Rt7JM;K4J7nu*$3wtCz;~rhzg0h{`^+4o=I4KK6Cz}M%U*C#B#oaTWp$U!<+x=J zQm*o8gO$~%4avpHs7cpjf1wBTOqYvYFXDUW3-+;{79RGr##0a1uJt#P*sRgn=+V9N zi+vXk`&-Y9#+_2+x*Ne*PVm_tqc(eVP%7w&rADHM?3}YlqNeM1tCRG4ZhFzcps`2a zt8Xv$bKVFteC91FeBQJ)m%ORw_j|1a1EK6?)8XaO1J8ee{>o^gzH1-=qJZ!X1e_d? znalWZri~~^pgdagP5_ovjBGUM}m#I1B*y-yCW@48>h)t7(yj;A{Lu!f#LEf-zmqVx5c zPXS#>GW(vC)uT$sHkkoO95b1kGAg1eicLqDZT{w{_R}Blc#gQli}r=Amg|hIy^)6go{mk zS3GO4?WUfcd*RYcSMB#lw-5NdM}ncd-5#|Ev>sPuvUK8uX8Eic^J@^=8qc@zY*0#k zc<0LTu=T4ybNFmn((8{+S9f^(W9urfm-~V~x3C$sjY0U#6RUPyy0*tiva^>~wx#WF zj~jX2y7pNP+l)Q)0eM&Yq)VpTp5Q*ci}|A)j#}O2*XPoOm+24}7XSTA|J0q<@xn8^ zU1!%zO>S?63*R2wK0n(Lmpk9qKiB@j8LRtld%t$>JJ0=9hn_ET)2jDxA>i^JP_%jf z9*?CxI|)S#z835p^?J)fZB4onysvIQU`eC4Xsq;~%;wo^jpub)sn~NZ6m&SdI^np_ zqTPH(t8Ko0J&IHHHOIjNC!=t`t_cPN$j&_oC?*|#<#u6l9hzC&o6SwydFa**V7X{` z-8p=(MXm3FEpFRYC~e)gEY)4NSp|0-fD1|T58mM6vpMYa+I%PQE1y=TTrXgc8v+4L zKg*;~_i^K6yiXk)_WfrL+QK*fNufD8mOUpvtU?|4-aKUS7#X|C&fe$ernO(zPLm^R zq%hEV4xi8cUehcW?l+ij`B)~Jv$ZV>8C)Yz*p#=tL2NL^< z0>Q(Sdps*Hmwr`*rsFdNCu#M|@vOZ`)oZC^y9aRwxtSc6^OGkBU$Y0th_~Tn8ni)y zbf;dtC6BKx!{|btc{>lUWMnbi{N)+ z8WF)QX*_a#Z9>?}&T|&u*fPtf%y368_s(=j(gKO39At$^^R-&^R-JL$1!rliThcA++)$*P;#3#W1j-R!2r~70AJlH4?mhe z;{br%7=Xz&<;=BHGQzd=!pe8dDrBwDV+8&{7)$&US{XEC9*K{EfCoDA^5!uxEY6xn zbXoCmyV=U=q0MZ2W0mY*KH)`6TBJMQ7s&l6n~5k47ford#79`@Q2+HTtjgV(rALTf zQ%F*^@4QVgz#&(4zni}FmxSo^v9{lF=>Ur6KIJ!>M%NZ`|?oaN78}O~iFY>NQ3{{Y}>f)HnIO1w*AVu7>E5oUH z$Nj6>s_BOI4Z}2Ej=`>?Mba+kr>B>cZO4s6)wFsa&smVk7^YZ-Fp^0{R74@+_g~3u z6^$fY^Y>%{HCv~*IjXh&X@&6{7t7f@<2%nRU0m$m{{ATWI5;Lvzp`k?2+B<&(9;|@ zPoH{i+s?YCsiy6xFZs{A{7UqN>^DZ8M|=2LrfW}G%o=t9$Qn@q6{(D>@z;iRTO5~s z7rv~l5-2WKXFj97#7i%0%L`fb#f!|OUEQy#2!S{lI2f=15|$P%!4kOmGRLES^HH#6 zLp*HZ41D0RYG7EqFXEV}CCeZMz-ozqGsf}FMN`E7b>HH`d)At3o(pf`@%JG|*7@RT z9R@=6E_kxg0wBniMkx#c!T=mlk2l7h)#llLmgLVzZZ`FrX1mJ5Hl}YR{NIkk*5!!- z(17?;fPH1s_Ve=TF!=nst^2}&YIR;vvR%S*v6ZWBxG?OOf( zw_4901vdt1^EX9}T1fw+ABh4$0;qP3pegN&zZgO66$*@K1g#|lH|Q(4E<` zalLOaohY7)Gt5Bn8;x*1qPm$Fjl3;I)4v!+Q8mpPxooZ)P=8)i}$;= zIc)^EK^a;kG!UnfLD*A})pqffeEzGizasI>&P=6$&#P0qX^mByko28_?839Zw{{gA z?0=&XQ05r_iAf|2(*_0tYDMED(MGa}BA~XtNIZc1HI8I4ZujbmjI~w(KKG)->qXn3 zHYb(J92cBVfu*i(l&4-U1$za7;9rkIRY$k?1P|Aj&IiXwIe0na@jZHkt(pcx;&U=I;YDQUR$^^?D?f9yMJHJ?Fc zLXCfYnE!MdZG_5bGMf^Fs6YpXf|Yk3hkw3#AZzy!-I2D-TU_-+2*4ZsVoq&pSo?2? z+W!g$5+Do}L4m`JBAf>aR2fNO1sBu3zV8g)rNdXO`uL0Be+KHbis}HRK&89@NG6dL z1Au~sf`Nhl@SkKO6hz5?(vGm0a2Qw=ABC|gKj5%^`m97{L`}nv%RviCFCsu1LBT=4 zcVGw?c$2<`xaFQwaushZi8vfs1{foj*(poDAjp5gQGOr5#t@^24XB6x^TR!%XZn5Q z&kxm}M8AOgkU#AV{=G|mFqZ!SQ^fLoymHBViIOv+ImkyFYq1v@zgNztwy20X#cyYC zPOv|Yx$|{C#(IvWwmbg#ljWCvcX=!sb^%89PGs+YE;C{WZQGd^Oz`{m#fSYG{b^c! zijFO2DpXdfn*l>AW+t_ceii;jvcK#TmudzHSj0rAq*Rk{%h=f1)VAvW>Zg{L7`>;P z|AFrRR2G$LrY`Ae;^;)I5KB$jT?JWb=_%WIULK;2|M<__9*5-``$142YK@|2Xl_ky z<#&Xl=H~G5aj8|qL&e*|eZgS+*qopDOCf##fZwXs#~2t6Q{JdC#h*1(#WUvt9L(+WZpqPxDOadP7D~A$rhI*96vd zY*mMKQ_cz9`}^p~5JAi|hc5PLeD8rZO?rq8oeF{?_$!rhWl|qsFhFG?)ld97);uv4 z`z>|~&n2(opbRoa6?493d{XOjmtjjxxCUizv>afsyeETv0wQ;vZ|>saLr_5h&+mlKTFvyna_R9zDtUFh=)nhO}nkPB(^} zstGMe%EV4iX@OPFREv+5B;%^5XjSVH+R=EYZ^9HNTF824)$q zl==)Ze$T9@cNKyv3pu(d+vGre)r+cfg(0sK{@ss@W!IxoWND_{FLXZL(!H%Rf0eenFAe*_pshsO4 zHPyTUmCYxu3}(2&PhUdl4)37jVyzZS28iGlptmt&LwT#vRIHQNvkTN2^#O*@KA0Uz z#*u}69doMTjbZ44&``!`LB(WmX4FeFnXhxqJLE^mqDce`=pWp#BXP}40szY2cz8Hx zl6B`pajRcoyrf^!i3j%#37R)yF}^@GMj%6imR{~M0^UB{b7dQAx(+ltKL&gDIs2eK z)G!gdLh%|ErGau5u!of%*kU;8t}M^(TiL3O0vcD4kr6mxIT_CTTxSIOvf|~9$2@h% z6xaA&Y!-%}eC)rVUbmOZWSu@p4DyxAIWnaXpS`q)6Mk*^2gJ9`t%vjAgYPdRwB(mc z3ug+sI86yG&(G2KD!D$t7=Ny+D#h7Z?;F}J&B+Ziqzr}+a z3KFJ6EkQWTi?QzQZW1_;(K+ga0@`YrqPC+v{LU0@`cPHbI3hTlRoDbNt@?>PF6_A2 zY=ZHg0WD$57RW4qBYSdEd=Q5lW{Trtl%VIZHhldDtZzY#+0iL%@;GJWVTDr@T-d05 z=;A#a26}(l=G;EtLQU_%cK_+ec0-Z|-TQhnF zWXumb>uGTI4V!RXDJ4->VuYa$wt?Hvw-8N5B^4xY=A+Et=V?_=HNt~GPlVRw*fLZ_ zb^5!Y$XBpc=!^8v)bl9Nj=<7-$~W_=>10*Qrw`WnnA=&%3}I7R+UivYw=GZg`E(k8 zrfYT*k7(w0@0+>3NOQE9J+MJbXm~wWJ(DA*E9FZ%Q@9%)^r^yGrZX{rkyAQ8M%>PB zDQ^)~xM_db_4wfGx_ehG_mxPs*|%%LQTy2{{-E^1PK++hD#r2fd*NTiZ=dNLw3F`( z@bLI}HL4zy@k}z?v0*Z-7pZms?9`Gg;34am9)Fq0T4))=(;I%+jfTvPDaOjSOv3Pj zX8%7RczyoF#Wo|p<(h0sUS3|{E9Y}v(_LS#-im}eZ3$b zR^bvFi-T9!)9a=EiJmk~pfojnsqpIs`Zne}!H(;kTJZd#aV<8H!I7z(g4%Jv1tCMkWGcdP z$)`}X`|@(6t!tihu~M=TVG0b0W~CKmgl1<&0=-T{RLvcHmjVBjvV2xnw)rZ*iQj@4 z`DNy{t^E^|xoEHCpEMdHm=h+jB&pX*Ag4;0hN<^vOttc$={qgN*L9v$ETtb+bMm#RoMc z8N{M`(w!vWl9j6;^AJ*;p3K}7wx0rlaxra-e~Mh96~0B*OH7WyNh{!&Ta64RBI^b9 zcs8aPp;RM<=aajiIa@SqezzSW;C!xB`>|-m)@;mm4)tx87Bt$(k#SFxV~t@&?EDK4 z%wfI1mVd425*x(%)rQw8UEKLDYfT2a_m-)=Su3N;23szYzBqn6k8-FdA8bRI{>gja zD3Q#g9k~r19<(?f+ zT;M^qYOL<=M9GIObVLllXwC#ls_rv)G~>Nx5Ks8~S9Nzrb*hBbjfFp7YCk4_?%a{S;!0UIO<8mO_%dbXl%!B| z_YX)N02#B#pi&sQllj3gHzmA9$D%G+Rb;rQX*#-ODHj#$YCRfOZqs*lP?ss5sZc!O|N z00o^pP_#^gj_68s^)Y7=&n>*RR#)2g$GP2%;cEwd4mV+iOq^*Zvdy}wpaEfA+$63J*0vU5e83PNT z9p%1|FWyop_E|b-3A3TGO{peT)G>bPBugvDUBUdZ^6i*bk+W1V1eYWX{0)lq+luyl zZHtu6=r2{DTnm-vOe$8~%^Im}m2CR@Ld!VV%B$s+ljlQ3oK#=jr*_?%%#P+C#s9WG zu?LK0begN3@@2mLEhWeteJuP3 z$OIcR$Kb7a>m=$tD?xsh`X6`9Q5i(GVn#m#-D&0&eReNHiTUS)LcHRht^3{daQr*j z&)tQv()KFbV`&r95;zjava#6~&(~PLuBQIKsI(ky>s<;NnvJt@bO<|#8FUllcazrM z1gjn7o6{9m@?TuEHS8}HdUBly1qO%E8<+WTygwt&^f>Id-c!H$kY@h_q;gYxcXi_z zsxD0D2Wk+wNKuS^4%O|Y-0r;_+?KPOx9gcsWg+fUORexhUS70N-STEr6L(O8jod6m zq_2&c<^5J1>pHqEL1&y>?{629y(1&}JJfaBM4^U8;hcNi82q z^n2lU>046ER4$DygqKG}?nNe=e=MQE!&DJa;9->~NHQINk@#$?V8W~==H|=u!R*Y| z;1mX?WE4|eqK7}y%+9X6T-thp(V~r8dsQQ=^b3=>&F_r9QW?hbX}9ol6<&px`teglvd^lpEl{0VanbM)00TD{fZhZxvI`NwEj7IOvdk*pg z*NT3x{*umYfyll){IYKGW4L1owm_L`S7N1Y!_(U?MEwI++tO?QBC$rO@lHx()0z&6 z?BY{)-LNBM-w<`p-?o|9XB2QAe@>gR&hR-WO152uKd!Q#KW({>=lH5Bn`o@7SPPvv zpj;v->rjhKVX42I4gOZf0ikM9o52`1HoK84QJc}2NO^m%&4WDUXR5H9bS41k13O@>F!2Gw_&EEeZ=dh~ z0nyDNo5d=naG`@dk&|M~fkRT3ijWAWJ6yqiR$~`(tw| z7b|%aH-lM;toh4V{u+1s=y^M~h{6*ysFn^AVWPo{^rX%_{kzTi)9#DeW6mN{yyYoU zfi7D=HM^b7bxYn?HPMwq;yOCCa6cw=75|;&YL$@9LK|Yad1}8~Za?02u7TD^G%1n? z>xtu=SHXVjXNwmd2T~~%PjRO$2pjp8tQD;aO`KRgq9%tqyymIW%+qs5Y|i6te8ZMs zePt&@88lFnVITaR;(qHTgZf+XAC1gc^l+~qqN{cqe%qj2vpG)2fnTu&edjMhKG-{Y zkdpwasY&LOnS+l7{K@xflon!Ai*l8(;q#otcbztD0<;3n(%2Y86To|iW9)MHD(a}!O^gwP87lV3QE?DmKfY&(dmpokM3ITBQx;wleyQ%@V)nS|X}B>w%&c^Kk_7q1 zT^l??p`HAt{;U0G7A6F^*tHNdRK*6|Oxj_^%EM1R%A{yW5Lz!y-psSi-2@XSjN1KNVj8H>cWU;SBlsuU3Bxaeitqmb*TKgcu>1-P zy$#z|0~vVMH{s?1f=}6D+5f+B&@% zYLoyhV{g)ScmCuYQ%1`RR0N8n0td`QL zrfN@^UNbWX!U~vP`Y|BvX zb`eH5fb01t`Dh|i_@m+;n`XE1kNT%~gR1|Pd&Q203f`ji%Cw5T6CUp=gT}O~|1G5W zyYw{sQw^N&sX!U9RGsBad5l41TFk}CcTr%sX*(ZFPWx4oHZji;;kvO!x zxEBPh1W_~n{m4}_1-=UY?t=DZjK?XzHDnxWv}UY&ZyHv$#SgkO#@nysXR9)TWEl^t z;6zkUF04>~14>$ zs=Qs2;3V?UqO4zU9}LHd>s(wV;G+&oJKd|!l9AAK=(qj>Uy`mpN>)3EXi58s_sp#f zgWup!IPWrtga|@IL*u$(E`=O?=#R+T|5A>9*=b{8iZ_M4^z;22Ym@r>`kZb$zbn!0 z?BDvu%ZJSX;oQ^37hNUt;bB+opd?GTl*@yy|9lAvW*6SSdX$!P3K*ikliwm+;^slx z3H1+qCkPljLqcBE0b#w^&v1}!YxtSH_>xE5?tLkTlbC(TegWsB<5fVOO*qchi;u`T ztM$lLls6yg7^pVvA3*&4q59GJA28H^g1>Ur3kflTF#%|3C>U5MILH&`zhO!!XiOML zfDxARBO5z5mGBoOYGo1QPb$v;jW0stkU~)JzJ6B2uilphv{>&^R8mRr$%HgQdqS{c zqc88Om*Pk?ive5fl|vErfE4E$B4`c?C^pDpQfDbPuWaI|o*iHBoyH^OlHEH3f)RK+#MsJM zR=q=CW_pptsO;D!x|Gz3W=2^}68)RTBjvHwm!Ed<>7|C_O^6G$6UnsMv8^M&(t<RcbV4Jd2c#ROY1%L4>lzO#tM~6fRdmXRW)RO>o2D zo&cH!osGpDAiV-Z=9n%=z+&Yu71bk(+3r%rLZ$##+OzPBW$W+gK=el7o;X6C-zBc4u@H zrFh-B0mH04g z3{oNgCNIDw&Gd=!9X8jGN=&klMe)z&c7lkG-1K>G;6RKMH7tm_EJHthE2b>WS)P5! zJoP95x+(?%F`d2{J1OaE86}Q}-GP1D&M^hI+UxMIJyRULRX)PB;QZLf#-m(02ysgx zba6Nvi)I~313iEW+Duay3rNbbQ+htee*adF9XQh(B_pa{jU(+(Bk=gq?5sJ}Jk0@7 ztGjn1mefPAO(Pa90?P6s9^3o}EL4Up262;gMi;BE zrpf&SMAauvO=5BEiOA~RhNKUpD5J*yI*}udMi{fh$O)H1}8$#Zc{v_ zTt86FCK+HM|RNRa< zqi>zjO>=Sj`wxH){Q#nc>_A8ywbt&bvOPc{_D5`$IIwZ0cjHFepOrr+?!F`IdD%9y zE4p6OT8wcP+RS@kDQQf!b9HOJk@Ai#uEv)PBF$2yL@F;GZ@9HHEX~JJN77oTrIA$H zvtT_G6D!{i#u8)JqZ8f^6U~10W(!DA70i@;=UUB?y*16~ZIgaa$R2w?C&f~vcV;Fg z39Gv0Z(>-^&@CPsQEVp{6^-Pc$=pD(XP}!%++f;Vuh+|{XxNB0FEoi-BBSJEekCmwo)Gy0V`T zb6kSI#eseOARw?*B>PCnz)s~KK*XFh@rJ}A#`X_rq$!NWN#D`=Lr zmJ@BJ#K9nZww#Yaa)v>r#VqGx>-gFGyh%)|QD}Oot;`z7%>8vGgRPZLpDM194|5Uoj3j4O%~ecX>l^KLtAs*=}zvavK#60g(nkUH2(m2@?p8_6>>W5R608C zG>8ujMvu!Dt5M&zDrjn?AN>b>5RBv%%kI497malqy$<+kFnBn1Or{a}LbUjwYG}cM zuR`eH?^~-*v`~fr{f3;9(6obN|ND^C_)Wmi@KFS_?k6D#w1EBtEx-q82(J7$clDq2 z)&D@tM>a|btgtI%QyIfL{TEiC{{t)kfYI6`t=#2?oq9{2U^O&w8`%6?{^VX#>VdFLVKK)jM( z8KoP>Po^(Ycv>k?nWGd|5-Z#R@%qMtE=M27*yK?|d`JS=$Q zW1;<#k9)Yfw8$h@{n?(r4XFj(0o_Z{V4>mAf`)oQ5)laB#= z-$`U_><_PHA7>wmF2_pRa08`WlwJ|_evaK=TlFyoOnhKn+I?}&_J|mk#~;%)8guue z;|~_q1o{{C4O5fQ>dleS3~t7?WVgPuu4AE?%!`TC$sG@S+qx&AY{;~?1QCkacnqE# z32DEjJ@K`dc5Se?X0^4=wBc`&xw14-b{amA&v43^W`0camB;EMvC79#>j@iW7o)b5 zX(s_^L9F^k!{F$V12vYwdBgm?0JGNmBC$D3DRqH|D3oga?~2IZZfPeI(LHmxmZ8x} z@)3rF^h(?N;-71gh<0`^v~-_ug0HRrwhmtMi-pGwM$!A+S(^9|L{!I#rle#BnO&Ck z#g61#j7$n5v$})*U83q4b&Hz|SWVxnv>W7HDVcRm%IfXn)BJ<`-Y~+lr|DXHp-+6% zqbVDa)E+d3SnaEpQHoz!nTTnrTpA(<;#1lMlDxg~7HqU7G>?8SD2+xc?b^^s$heCs z$vGFISC5`n`kaggpv)f3nNlvOUh*7JN{nnJh<<#aqjX}qc5W;Y-zY3|8Nc!By-hNN zi`~OS6SY9wAA1v%qVP}eRheR4WItejO zX&tI^jloQx4m?+lkO;=fUs5qR-pkRX%J~IRqf{86N}s=UAt90tjA_ImpZt1fldZYN zC^b+5-3ap;R%jd!f1R%L&CpFj#xj|mCRr4YJj%C<2xf&x9TLQ!e?)7^fd-7;?vE%IhUYh8591Fz*k=2)3;++(hjcsDlJnP}NTJ4dhR2XgRkIi@1R`Bs>y#ZH5|}Y~CU-42w?0V{BCWT%)Tv-Zm(kr#W8d8HzE3JV@qIlxIT^{nKhZUw$ z1+$&QU@zS3b024xrB9SEUAGfbt3CST4zw#DtXktPoF_(V)0|iQRz5JZt=+AyxvDVg zayk$z{(e{gI16W0sV)J>x#~=CA-_5^juq9UR*@7^4{q0X@BNh5Zv0)WIX;@0o%4@^uA?axvB+ zgHNVm6$iZZyVkk9h0V+|+)rZ81G$);h}%v; z;KaxrlhQG_amys@ffkDWp0;DTnyP=Q+f5A~>C$u!vfiiEbde$_kC?mpBAlso6`SH$ z*PqYEByp!!n;+3@+*_|yxamHlRZtD!F5!p=l&!l=R@Eun zo>`5t&kXwL|8|EcHv8be;Wq@#Sn(a!3|){H;H-I|N^N@XbqrGmb}Ba`cr!$}dsnq3 z-fAm4>(JaW(IE>)f9Vw$W~)J}a-7jX5o*>zxK(Qs&4myF}<)5W&6rQ&t7r$~}fgB4yimfR<%VYPH4#TvnO2U44&P9P4?=X(Da%|u+ z3iEPEb*Z5D=MnV~_~T94OQgK(Av=xw^1G~?OHR{uqsT=Wo_TiuAb^`54c_fj`Nq$( zZVxe*%*VoMw=YM%dmR){9{&L4tdh2&ORSB{*UlV*WuDyM7?1*u;a?$Pk?V7J)RNL$ zSXP#OQ||2LZGO0|FOcKVjGV*)On>`dG&0c(#=`o4SNsx;(^lF>m#(#fIuI8@b0JY~ z$V{J67(-dm4Lnv$w?6o8F!b{&YSfkZ#iAF2r`x^b0R>}c%G2lC0tH<2o_=My>{pxc zts$n($GcoKxc6rVQfzWk|bbKtD=&RbYz$aJesOnd&(>yrM7F~~;Z)pU=yh~D>4zj1Sf`{kEvT*mQ% zI3z48toXPg$w3TCQt2E?J4N8xHUkIgRKqAxn$w9m%+dgDmeFAed17r7*%Glr;&~SZ z)ogLrRpxu_#12-e?l@j%owQ>SqE;Db(Tyhdg)S^smoo_}NOx8nSUo>VdmY2;&z9%q zL%3b~=?Abk8P&xk;%JzZR!Mj)Iv>gA47kgQc;rq8DwvHc1PYsk824Kp)wlYbk1OG? z8}hrD+1K+Gh=V&w=7u{gbCSfyvP6v-qxCgpi3C2*G5=qLy>(O^LDN3ExO;F9?kog% z4<6jz-Q696y99R#?(Xgu92O1kuDScZ-%sv8_uMl(b4F@=x~F@py1JjI2Eg-^ZosX+ zZ@btMj5-xbJ8PVYXfS24bC_pXs{7zCj5p!i)*n}f2g9E~94ui8 zU#ilZUU%IZsmuv&2cCbT@4n{pgpWFOO1Tafy5wASm~iaX@%T{LQvwBI_o9oTACZR! z5*O49ele>XBxAiyVZ#1s*WgByi&PG1ayVks-epx{{Eh8`r5vg4HIBp#RR|5rOAe&S znoAdLFdlXg?H!AMqD$N0*He=lM=fXQ;DxQ?m!vRkwbS*42DGVg**%>*d@&a1_+)oC z_H)#Xx_~<(&2rf@z0<XRJj#TsCLYT*L3Ho zRwZRcv{5J|QGgeJPsH9r>?v}-fKX4^ikFTLsA^o}y!1K}6_B)S{sUu$Jl*J%()>aY zCV1?vc~sv@X&DI@ zYq=viF@~j0xww2$+pD%yy-lUW(O}f@9m$KIpD4T$g+YIZ`O$W@9GAXwJz2Yi-!3iU zbPZ&53Q=oE`ip$y8)?tAvuEM8Ciw}MZ9G;>AZ{x;4eL)jh2$nO{f%heB_>eCln0d= ztWb#r)mUu?t+Rc4AU-M)pv5W?1#C6b3|huN?lnSckH3H!{mIS87xs8q%{3#`Eiw#s9ks{baBpYLvb1sCQpN+b_c+wg zh~?0P4Ws3iBJ!d_3B7@BN}oKdO_a-lHsP!A4KJ*wt%9(H$SZpuA%_DWn#o5>^$7p3 z{7G34gJyj$hHcZ*upn?!&RVdmmC9ik{^Zq$D{1C3CNUydQQu>$oeDz2j&aSHgGVcny^PCCwDc*Sg_>0GJ#%+&1X#}88=bqp$z5{xFU z{tp}IEMW8wA=*Jz4^Ps>uLMiG#7qwX@viMV0d*vQqb#2fcH)wrwx)L6uJOWq9r)FV z7oL7dp0bWhqLfEuNNA{?mb;JA!Enm?C|g}s%`Uk{Y$VDLbu~y7T;xI0lX7^w1wVAi z-OBWLD0YSf%PB!tUQy-Y%y!MNbDfu24gzk7rcHVGClc+MVYR8(}3B6V1V(t0}-qSy_pSyGQt z-$U8sTF*wFWl`s0yehEIhFR>gjmAR1#l2exvp%_Y&|4tTjz$%qwWH_?yJ?=aTTh1y z+?8`x#>@!sH#Wr*fne(Y~j}~e37AS9Z6sbnkKG4%_ULnB7#8|b;X>!eu zjwQe<`n9Lj&C!Y~Ln^1mS-DtwjuU&N7kl#i=^Wqj>Lk1A0=-)BfbW}-`T7vWvoIn= z4bC-pik6TrcAItX)jG~>sky+)8P4jm2TSMRmxG!J@LSA~`3U18*jHn*iaqrP*`8;p z!G4bT*DpwSwvHi_<;@5RovS1v6c2zmbLfmxQtLVK;m&v{)^GdDlqcN1!EYNzMhKn= zn74f;<3P!Hs@#_XQ&qGF3x=_*y68?sxcGocYg|7uyFCOlw4+CZGbet!=G01@1>4Un zq61&jV(TO;MbjmDassvdlcKc?+5iR41N6w1%_Hwi@<2A{!o z9m)gm^a}SD;z@5R+CwTSBLEr(>_z?uA^l%Z5(Ax#9LOpHb|Hm>5)114uYb(%{%@BNLWq2K zGa##K1QnTL0BFgIH#(1Y7>7gxM7EbbM%J2q5epoRF;=Zm>f6_)!Fti&?Q%g+4eGnD zRF|1mE|K|U+^vtt=o`Z0F1nw=W!A@j*BYu&Zo_4Pf(W+j+waA=XSx1MgWAAWVxkL> zeRls~f9In0{^PugW7xzG7vp&LoE&1W%yXhi<@=l1$XnFy|)qmuv?Kn+^FE717gKNa8)Lc4`g~ zS(l^N`G>&R!Mb-VuhcvbyeN9KbZ@MemA{=ZY=0^2H}w&>+YP88?r;k@#IfOm74l_x zh~n=V>d?DI#s1<`*Sdcp@#2Zb_hn~7ZOuae*xo1z36g~N?5S3v3j9pRa*-O*;L8k$ zCTAXpT1Yj~R2AhcIrww_%D2PM5af3NF9N+7m>8Nb z0VsNvwj2-s*aorg?w&5YfEHOY@Dx}brX`Ldp$f*?O z#T8MQ9)7I+Tm-3*cnxt7;fxGgxukwpkkIf5>k&1%9t4@dZ@A~FKlQkFjP}Kr^!3yE z>UQ%ZF?6UL9)IM=y|BRQ(fkOey!tMmU`XNsi?+fj~@FiTCn4%C|)S@&zO1AVtlOJy7BGhYjAWbG8c^mCP<;|D=|*g|LJO zWQ3RlKRB=v%D4vC7^f53V|g(QO+^KPFS^#;>qIO%9c<@yt%9_2+<^%{x*x<(DI6fx zkh7{Mc2YUympI4%13#0LkPrwgr!-C%uPEgb==)3m*8cr%YEkzcG#~$>FM!{5BGj!? zU#&8SMjOA8#Vp=svqNFxyOQa$&}KQ>#2Q}zMq>~x$9%ARGWEp$;-VmDNSot$NnXbC zm!BrgX;R5dy8EfjN`${FQjv>yUu&_>EvDI6 zH;0j@KCggo!toBG@$$Wo`+bueTJtuAeU6^5*uGeh^5M?@pOnQZ)}@<)4~)Q25ZwS_ z%oq3i3Z<`RRo#=UG>%(_u6w9o8V46_6#BCJTh99>lS(H0+BiX9UiIky0nCJs%RaKD z0@5)-2SZQX9&(RahjSNps8!x5&JV(n!69KASUOc#`_^}2G?NZ3-xThgQx0@ zR%MX`2Oo-z4d090N02=PESBn0H-Ib(baeWbW5zdzHAL_az@X(5rH|dK^kg)^mY|N= zAQAw(Gmsxn;QaLC<4`Q|_khsPs*k7AFAv{d!80g%@I!dVQLL#BINZ=x6+~{x!0}7C zd0IsQkf!^d|=T3pcoUekOrkWWO*MzdW+<|@lRiIc|F6kQgzI*JPfyR|GU|BW8 zo|d=bez@U6UuIe04JK=UF_GW+;tz{}upW;68V@R)$w(QhJMsZTLo-h|Tk{xZjiqGr zVQwy#$XA`5)41mbzH1vSm^kii8fcDS%RWQZQBRr0SExCXoJs$%b=NcxaiCMVArT-5 z3-XAYyc4!qlChe)7|#pQTW6#jDy@;9_cez~r+fSd`Oj6y)o&6b6-GqAc2t+fe@n|^ zY5lc&edXQJDCyEC_0F1f5Z)1m#Rz1p!yMM&y7@y#U>pgGMAz-nK=C#R7%IS6Td+Zu zkb)S-V}>TD=aaW=-f#WZmX*IqoM45iY7&@A0#fmBxv47t?ak;26oo}62e@UoH6L@Z z%F6r=w-?jLQu@^c;y+jGR;CSY6OwUjx*s+bej`JTtakRQtdru5)`*I=`8uy#j zmy#fcZ5F^liOdXeSN(QTt0Waw2d?XyAxw)@Lbhb(hgYmF)yI_(#MT{{f(HAjbZ9 z%df1Lh6^RV%{cKRbS18R&YrGw*rKW5Ic

4W3_0gDzNZNm6}MHuU7f{Lh}UV!_Pp z9%$F#CcPsvRT^hJxnHe?cG~UhWa)ai?0X0PaykhkSP_J&@Z z(jsoT;GL;hQ{9)d{AkPEg!dEi9yv2Y`5Hc+CkQKTH|8lEK*KLAi!X`;zvi*TeaaO( z2kN+~o`beTxYY7xulUWk2Vytky{3T7O+7X=w=HOg4AKx7(87M3*WjZ2RnN!rFoVd zsjCs6p)nB?@1#&mzDAqiLcMI^em0~cC;~_32v|J3?v7*OuYqv(F#ASLGL1mgTBwqRNclA7hWd5@)6~>t({qb`l)^?2W@JCTR%s6?9TY4 zTCCL;+ro1Z&T0{{d*yw1sRnjzvvsZM+lsP~rE0%HW^8Z=~&e0_qeVTP=HCz`r3Kc| zQW_&Hi&|R|ox7H>aS<#}fX6XJ0>gIamU-R7MRFBb<>l;?`#_tv%Iu>H7GE~DTFr+; z#x2`jE>^BRpz&xnuz}HE1P*3y>(}dR#r@b%DiO=%cCMxu<^5H-3B8|uQ7CR%W3mjG zJT(xVJjPA@ktRxUCeS$18uOf?S(RlM-*htSg@4pv7;?*#v^SAe3vhvx3{k@g)wM$iL(?l3Te`8k>1p~{cBR~Q!)A4P*u8LBzU^t z{vz@@6h~>C)leeSPfB?_L6IF{kSTJ({vp%F|C%djLq}?czzN{=kz@=fXY4D)sHnX< z=|A*oxuGY>ota`f7oZ3<$9TMRJ=zLi)7+gEEQ0D)6ujjWC7M_30AbJjPyvg$vb1>!x)oi!Uk3 za^$ZAD5$2ozl$c@J_~C6%cYz!Af$!;4oLbBKF!*QBl?svwOP)3mX z`oBO3V1|32QAGFo%|SRZG+xVSDlF`G>2j$B=R?fx1PND=m@e^^f1*+A^&#^j5>bDZ z_13FQqtGFW5XI_w=2-}xr@C`7d7BQk;=oGLxx7-;-BqNNEZ_p;Z8mQXJbT6G=@u2oOiJa4rf_Un&KM8!Q$%CcY_c50{MlICIho6*>u1J8(!85{PbRV3(Zr>#ZliWNK?v@xe)_@Mrg*Mq9aFVIc+u%CF+=g{HQN6rVT4 z^~A4hAY)LOJ!)qd-SZ_xFp6PxvPMB2R(tM!)nyXjockI7wEK&NXCTn4R>}Nq z0-5S95$u>%DCZ}G7=0Wy&a-+Q-JXq`DCC7qS2_;ugqlRrZPB&YC`kX{52-}wpfkMXTJGgJBP$>3lUA-% zA#9X#4}AYyo}pS%>sal9EmEnvNI?3aApHi5n7r-`Be+ab;=jU7i%Y9cDl!u*wEr@` zPA|Z$jajRSH!Kru+gKgfWK2wsZz=>cYIceWhonqtTrW;(BthuNfEe96;AbRx>p0&M zHHLy+)>Lsp!0RP;C$VHfA>E8y|73LPpeHr|t1abp-;>jg?da$+Cde<9(qqa0UH>nD zN+yW$=dvJc5ESMS>bAQ5tGwOPN1GV>_e54_B&~uxiHo5R!6{Nqs9IX;NQsbaW!lc| zH}U3`@`@Vr<@El8$(uDUy$`W(4pM&-EDq2;tVf~D7gT<|sMuxIThON6-CxSW82K4f zgEdEt$aLg!u`&nsSml@0@5p-UiRlud^Nf>Pv!CJEeHdiHl+sF#NbS{+Vo|RGnfJ)T zg;~GEv-lI!TbklNjCj2LJ89-oeml+3&@wx=15J$8AaGSv@82YlrqC4HdpW+I;4^4L zfUTiXAIxn_I996FT^$pOO0)2*vGHGZB1oCEMyDp;XaDtqz-jp1&wl`OKU^rpc*_mc zfKEQrR%CrTdUaSy7m|7Jb_sV@hv{6$Ku&f}svnq*gc0Wy9{S6!cL<28cx|UYoV^lL zNG4U*wOPmE?~U9_tIQBYiW{qB=@0n^;2l3VOVx;|WCrRjeQLnnz8*2|BG7d}L-7f6 z6i4iG8IRMC*3zx7aAjzQ%@Q;gK3=@UrAgbJU7di7ARBS!WiQe5?Mu6`$yky;f8Kt& zQ-9Q?B7|Mu-X$TMX%9W!9c+M&tylNi;)kU6m1sf8KJJ&){@`Fe?8&`LYYwV`%jbRl zssvTTiLZ?nZCJZuk~XPCTetXXXg&v@*~s0?(pDa=!~LlbsV6b+nr?!LKSVk@#r0$3 zr&?C{K~}HQFL^h~mxMyBoKFEQYSHZhswC6RF*MFvjVw@H4`8OR`iT#TccW;ocgV#b zxtFoe18jNSR0fZFsP{;pX>t$>C;9w8z>hSti$q{t0PmaS$ql^A07|;vhLPWXmWVyvCAbQ^}ax(X#8{Zw7xg` zUe<6uQHd=@P$?N*{BKX-lj=H&mY;tP#07F{Y@1%r9#IC|u>@1w0h8e$rYiMgU-!Uu zZAev0FM8GxrQ$3;jkyC+JQ+x)A<37=Nc}6XA676be%-p#P#J4c8~Pr6hi%pdP<>F( z?=t=H@aX*^k(cAv zudjn&8nrqD;ZaJzGB0uMWOzb3RIFRyy-^g{&x@k@rav@QB^JHi{gkN*ehFN@@4{0{ zV52IdAOcM= zN!67v!4_qh#pLC>lc_y2wM4}8uw$M7p%{#hSB|o*(^8uA;aS04g%f=@2{Ct%ng_C^ zuhvle5F|~;!p%f)95Ied%`35+!7cX_Ixw!?PPcWifJw|@%XgmX0mKz?K zWNXIQZ~g;NF9fS26FccKlF)@>xUe49!1kR*%oDc^Ll~;~XBNiY|8xBOH(iDqxMk7hd zX0k8i$Wpf~49!QKZPUjCk3Jh#3RFAJJcTyL9BNUaIz+(Euotofb*=bo0RbYTf+^7@ z3qUh&UZQ1sVY&B&Ljgd<#dF$$viw&BG)^L%DFOe$iUahMjd{d=s^V=qzVvS`#xS=63>*hRdyQ`LtU8r*gwxTq*5P^ zU-?+x~h4iufyBW0-2K1g4QD`*2uyW!vV1$5-RMqu2x`&C~yRl>>IZG7dg_9K8S1N3VpUUQ{7T*cOXNSD|V#WP+G zRZD3pya$M=JB4Qh6-U;d%2We@7yVF5Sm)vW1BK^Ea_fW-A&S62aI1Pb33}0Va zA79xUri&Xw9Sp*0=+zTu-FAPf=k$=ZkTrqiHGvFfgDB_2$s1Rlf1cjqUt6N%SAy1Bu2aT%Yv8B?bw>0LH` zkFniljRj`%f~Bcv;qVcBo8WiZIJm|=ou*cYD1WN%!jlO*R{ie-a67+TmkB5W8WsRU zd@`WhkZ(9QS*-e($$igh7dI@UL#<+ao}`#tXi@ec480zj#yuZF@J6TLhH2w}Z$GIz zePth?(=To!9}>?1#|5vf4mc0806{YwxkU*?oi;nTEIqsI*(I2g}?e#ZBi z1>1%RQUGrWN6ijk`TCR1eH6+vO0oW7*(<`G{X9u&Wot(G4)fX4!%U-0AN6|4&oH(T zA`JVY5(Yc*Ug4#Pk;w_?HmgaX!lC|sa6mA>=NZ|pzNV@cwytW!IX07=`FGCtyW$S% zPQ*l?k@lS-`syMsT&(7{Y^LK+bk@6S}DErcy`0oDzcD=#Q z%PxG;K`p3i7KQ%FY8^G40%*$lDZtQ)QGb@DE?o8u5LU2VNct)J74VK`NiCQo3fejK z#lYm5hUq#+_xq0F;o{*(*@Cg#OaIv5Tn-S&I*I|u|H$Hc7J1-s)K^)ZStnhwUN9;y zb$MLcrA8BW-hp6<;eS8Z0r(F(5xxA&FpGb;$HhOu z|KHO6cE&C*ST~5Gwsm9{a2T82`RyM-jqCsWZ&!X-zCb^6TJ?W`>p>Lt`v8evata6i zvXR%Y5OCND@bCXFmv?ttPyYa*h|+*4=6`_d<_j=xt>&uNOK<~jR`%;z`YzK|Z@~YR z{|9*D@4V&qr%c;&L$h9RpuS>>2lGm~-0l|wRAN|vTq$xK_x_LgrN@))ZKK-R9}h)_ z&ekL0#v<3)e}L22q|c+CEaYHW#>8X=s7{8v0JnYle8mp~;gE4J?)j(P`pz?hUY;79 zRRpOu>j9U40KVCNh%>*ufQtBS^RTms?!^FG9g8-F(unxl-e|{DDU`QF#E`@o*4xmS zm~i?+6s}m{=}2=n80q8cyr65I-g|a6`*OdiZBco|6?mU40(40$BEx>k3-Ic}gn9dd zH81`cV$0Ei#}YkD$qV`i@R_MHzxZ3qF|#-=M(lK(_&ND{4GpA~du#JBlPi7S2V}%x zLLRj>No;(jq`cI1OtF68Tf93HdMVoD(UtLJ@9Hu|R1wZV{u0uG{?sXmUm^mlcX1<$ zxhH(F?L&~TIs^KN-BB3N{C>+gUME>iG^UBW0HLwDj24 zP#QVqS^$pm?^(nGyqMG(BmEN*^9q$QgxdBG5Pq~~xX7MOz+6IEcP7_7L(6*3kL?bv zDKLe}nxNEd*wIFq7%#gTmgffWV%%bEVJ2M}Tdl`u!BEW{|XxR#Xf^(zcTp zt5B4mAzqx4k7n#YNq%;Uj+XdA>3&V&0`nC7oF|mishV)TU@)ZD`H<8$->?|cF?hjk z7aS&mFB2Spdv<=#%O&OEsUUGkg@1nr=5LCZ1jOJ@D3#i4D6-w>8B5O@-s#J43Aa_F zFmx3r_9ur=zoL;Wz%L0HLTROU`Gou@bb%tI(mU!rX2&@rR|8N?Y!qCq(`cO^g-nKL zAErQiL5zF#iS>v^%*Qc%_v_!0);L$Dw7zal7qyhv8u~yVNy|S(&?Bu#vVEB|i&^}X zk**^mLR?uFcgJ_Q*Vl3os8l^Kleg)T(139}1HV1cx?^lF?Nk)4sYm~oSBP;>R+YJr z@r;~zP3zl7_#5&Fp?Ci{4DixvCGO?|fViF&`B^UXH)}__NYX#fyY8y)+nrZ{HyOLO zJLsiY(x<7*vLkYv;#8tyssN0N=Ct*Kc(M;Kqwf|>uz~vZ*5Z9)0-}#;t{pWMXe=)L(frBcc02dWMyggMW(A^g4O$Dp)DiP7{%&(eZ8J^I3 zR+!6#s@R`q9|vul;%xz@)vFu-00of?AqHvH5P2H`Q$JzO90rL`#NM0IRSWTV8mV~f z4!9u^zCv7`74l{OB$$>;Z&#>iRebyWJ{eH*o1deWf|QBUz^JBk4R#nrDhBG}{lF+u z^?EQwyNC_+$fio1t>L?xZ3cZ>Dc^>^{;SS}%S)y2E-|e-k8yLa@ zA+ydR1FsBy%xM$S27$99+=HZ!`=_*mIqR`grh`yMabu|VepI7iTksF?4qmZ^t~N$L zXINLN*(MckuA-UH-cPd{SK^DjgT+lk-~0dbyueV9e}LD)DxrUX-b2&KjzLD&e*pfL zN#2x5h@=FJIH$-vD42>3F5>^lf&9SLay9Mt`RGOVjq4wPku~7G`3hdyYY(hCI-yuc zz5`Jv9y{FrBfAM!=b)=GnQY}Kg%5$dnA?x{rn5Ff-A@fc-b(=P3_mZICC(w($bkI* zBksdU97HRy1+LKm@IB5xvF~~*E27SJ%EkGUwEVdK5F?j-Jc0hJ1^jy0uf5yA#r$t} zM%_V^$YSoI=XI7W9QCn&&SbBZ4`9*%NIz~4eqJyB19UloKpM5+WDTs_AenzxUeyZR zuzJV3SoVH^Z{`Qi!Yo++5xg((W&m=i4Y=!q)|5NK>FfcYdbv&Z>wP8$rw10aK?(4C zdL6tH0-M&hI|HtN0PE8TK7jH>&&oS3U`!XA_~8Sbv4AV^b%oE5r^U%_aGq=0Msu3) zi0XP@d{YSCY6zox4LBn*58q}5-(uQ*M;ZH}V8`Pg#Am>^Q92TTvuP z_@NIV>h98gE>@pYYuco(%U0e#oRcZ0G*z})Hg5T`EK^5bOdj|2&d%i|+qlpGH+)C1 zX)@#PE;p}{tcpn-{}E!IRGyXv&kH0x<0Ut@r-0aXvClWVnJWd2(4f)8s*Omn{%Eh_pPX<=smf{OSSL>L!unXA#?Ny_6*4eAn2ZW31*h)3z*KCq7! zqzFw05m2b#pU^iRh2zRF2L~~AHfA_5cQ>o zVhwJ1PsQXP_rnE14LQAK3%88#D~l&sy))w+OS2B$C~dWC3kVFz;Pfz}K#2OV6*W1zgI(zEuhV{3vs7lD4~Saz-5ogm^PZ zy~*m;>YtzTM|Ll(M$b$nBtz++`japV$1`7lSM^$Eoi>>^dg``p*k4{=M1<{k`YXmx z8pU~p$s4A>AS6?g=YlFN&YpEl&7lYD20#Ox;Q0R|8xDlG{3sVOgOFp3{;T*f@v@CR z4+$+#5SQ=~PH|=6rgUYt@44aMvT7GW%+!i`xrBr4LBtHIc)c1!Xpsp0a%xGz)XR6% z^68Se6CL0wZolh9<@P+u*f5ThNDLIv`)j_=)a&)hfGjEbU0{o;_@o)-3IQff3nmo! zB}O#SA96{qqqjEhQ=i?I;wzM~$sl7mqfi1HR?LK7V>nFmk_INuMQ6kV`@#?BF|xB@ zZrb6-6~d8sD*-RNt-8i#e$u@FY04R(ruTxbsJqVSd!QXUPExvEkE}Bbsa+b&KhZCnA3NjV9**9YTqJeRQIP{it?@u3Is`l?s2$J9=Lr=`rBU!-xO({VuM=l zg8aPX7kQdf;S-W#vb%kSLt36rKzhR9%F^x*9rtJ4g-5X71PK5b^1xF^(;FB<=~R2m zh!#MOMeUb#`>JRGZ1HKjCFBIHd40JZ;$$E96iC3W^^FH?FqXW2aSa=_4|%wELzO?J z<-Z4Z#9`cCC&NK<-N#YQdZMmx*tI!_$n`&51K~#)KUETE89R)yDp-{IN7Q`2jv#0) z4~~mBuC+21;@P!qvms9@>^sDW!1Yb5H7^R$-Cq}6><%!O0@fc_w+IdG+88!j z+8#0BlFcYA(44LKy7LO0DFf|<=&t6CZQYu7;NCKPVnorAjnSB1^>RcWkXh>h#doJwHlThwugBmkcT(HLX{TBEqz; z3yq84dq49aZ-pqHbDVw(i2xk2BLFK7E70?#8pje%-D51znRvk|~mk{sHX%ku1_jj*)`*(NGFW`9jAulspe@bd~D}b-9(MN*eDh4#HuzXF1 zSaIl+ZId-EgMAyQG3Y{$I&j!4`=1B9A?9lXwnDyfd|x}?wP?;G9B}x%5m>j1G_POR z;36$nzsqIh#qjQ!pA4bi3PQvWslEoogOKCuUJE{|>+d=J$GW?w&XXJhV(xaFE%m7K zz#T1&+#wTQ=~Pi4>d4lhX9<(O&vU&XV0QrC!>wM{_54W8(QG_DQl3>i z@)l4CiRPrr^9qmo3;PBDPmj;FH^nFPVOSyCfBGH%jb{kclsB%JDz|rpd#$6l3hDvy zA(QUqnil}HTJl$lUuw(k4e=r)vL8y-Nd}Eckw&hhALr+^X-d@orJ9pcZpj-%od=kb zEPW-NpgTNj{a`Ws2LN<&|7krrvI}8t?n}>fcm;Hobc~+evY)HqOc@*l;+5y@sGj3+ zH(WE>UH<`uNzz3uX;_4M>)?qf$A#w1iCN&tpXaF!{jb))O9{>Ch3(Bn#rc`$v82}s z3e6Yacy)iG8vKX%NcO)>`~TSY|BY7tuW1(s!&Uze85;e~}BLhi1ZD9)!o>syXxGQn3i0n0@bz3(&;^=4Y2p(`F^aO>3#P(j1j53ei zC2m*0+8uF&uAf-``oTTzo5X~_@wmqGAn)wk9jzX5kK46ue#la^Q_eU=yxcnH>lZ9u zv}|~kvmxv{b;SS=J~PdIp*u$&Y#G zCH-7}V7}zj=%HP#6Hq*dln>5~;fg=r_9k8uX(CBIF?03xXi7v2<>#zCk zmF!vJ8Sj?8>J)L}4HB+64VjbVs!2H}A*4gd;7WTzt#u;&zP!;w4Fx!U(DW|cD8^P*f?-3e^* z^7+N&i0&(h{L_Q4In~7e`SNmEc7c6mKU6;v%$QdW>?4-?T7A$7Z3Io~?@wn$^Liv0 z(Ddd@#Ls@-@PmaCb$}PzVuB!Fg7~1 zSbg)42T?Zq#o?1aN+0wtle{)w#1Fp7zHCUOyRr zDjuczGjh*Vx51zfUXP4le(#?AJ1MBXVb?;!p1m)Kv$m_LB(=-L)ZAYZT_WGXUr$+@m7Id@PR?|P(3S~S-( z%j{muqXS=lw^)g`3&-;s&p*8c#ZyWlx*49+*&I0hFv@1z2sm)Z@p~E#piC2CzMcGv z7v;G2H#V{FCN*>rX)DRBof9qp^Lm!5OxI%8Ib)rd+>ep)re%V-L6K_3E?anrh?sn9 zt?N=4H?a2)g$I1-Z^X;EG8s6m3s};BmagGd@_EpRW`&Sd#J9D5I0~iccVmFLC!6$5Sl4|<%E~S! zdRlu+Re;9HQbg7EdxwKiD=pbsE*=0bUbcYNOFDOSyOqoiYUi0*lGf;GaOOy8wTQ^Mp9COWSJV47~=| z##NE~9=Lm*(kC&jL@Zw&XWEdLaW>Y(_+Ye4d=!N_v1ac zuVT!uT}MR1v(ZM%jAB2UX%hLTB;n|hKkP;T$|2?9tHbyD75o>Yeym^aMiILK7|#Y< zomFl~$V8-ZQkmAa$7f+)&M$8Po}kvVLBT;O=MaZ9v~8bLIIN%&f87B)wQUJG1T^OdB96*tpXe0<^IgBXQ3)o}MJ-d=#D98aqhmW> zlzNMwbv*{r*1~4wnsw(tm!q+0Udm-c??Qq-WWt1l zRli+OT%2<%sdEB??N0uVNqM#SW4RI=l2iPSk?wc^6PKh5Lp#Z0Fe*b2OI+tu>1n>FCZTC* z;8o-%Wo9Z-`~yS;sEt@u-4$#TvM0_hx(z;iSRbLE9lKKUmi|!P0>bL^Cdi!bep`5j ztD<2mRGW__-T6j1Ir%%y+1rDxMW8H6!_plyDN%{qSbT;i!{EB1^JFI0a`UcQKXutN zJ3rfIaKYgiV?)O0ffzNm#CaX|)V883_isPF2yJ+V+c2ye!z(j0$7Oex)oOO2M3 zZKXZF%sptxglkk<|7Wh&E-u@tZq=s8JumEY`nG|W-{I4u3vk(_Y9vMG1aoS-HKpf9 z={#nnM*#Quq}1H?TLgE6Dw+|z0`FvaXm`mg|LFw-TQ1e0lEX6*IUUOH@)(brL=vKc z3ZCH=FDH{ESf|453E3-%W#)yo%+8jO<)%ITTm$_Quhb)%)cj)tRyhTBl?IBbLOa4e zuQPtRsi^^T_AEb$j2nJQ+Z>}4p|BYL68&h5cDZW2Y8FN|`T41I7Y9~*2Gd_f$85R{ zH5OG40G%6n`1Z1UGA$2{4`aN@>(2;`4;mJc z<$Q7Zdsz!Lo7s|+igngMX2tleL-=#wq8PAjoG{wX{)1uXJ$5~#J+;{)`2$mRRmh;=pPj)89? ze7-Z&g3^rvWAhi^06!lbBdC7)3!qf}Dh>6kOnE}GQoXa+&D*c0JCp~vc5m*uCrp74 z`fT~@Q{K4F%v#`semV==UMd{$^1kO;AV(8cNu|HCM2cqO`k|-cew&KW-J3O}7`0e# z|GDM#Oy7)sw!p&6`LNrpTa)RE%fM>eY3?+Ld(Mt2v9aapkt`n;z==vly^es5i5j}( zm0iX9z$IA14i2-l;W^^MY>_d-ZeFw4667dRE}zVf(XL%3puce6U!lEb1K%D0#2^Zd zJQ0Y6kDn61ws!oqeBW)aJNkX=_&4U^s2!SAR1WY&cPkD^aKw5+#7p4S8qnZ+?6QZ= zYPhhqPN^TaY%-v}*_$2Ub9`lA-GR0XTw5u$UnZX_W*Yg0InS;f76s|VptNvLQNY6L zz&d3#t%rLloT-Z}6JZL!i~K@|pNf3lO>*1pk$QT=?j!nUmAfcV@|cb!o6fA;_9|&0 zvaQ5BVpaO%r8^%0XIv5oAER%EyacQkTsj}nZc*g-8~T9(+-nOpo*gnlaFTzCagQ;9 zPpJ9!zLU<5g^T0_Hy5SwH3WrDdudcUE(>fd=0ZJ>Bza-c8ifjRS1N|k-2#6-2D+|c zdHFNVK5sEddCzlvt9H=llcADin?~uT$WzdabhG2h?(P-J5(W?&bM~h?JaN$v0ma-f zn{8UioZGix9gGdvm4^Kt-`DU*=F5k>@g^fmM!Kcd_o0#ZVMbuN!hWo>xb9NHR~M?F z+}qKYh=*=S2@h2|!CQ&Xj^KUBgtH4$?XDkVeRuCy_f}lnW^5V!!}pYZ;=Sm&I1*R7 zNbFjT={)B>=%6qgAUPjN0lO@uXJDlyYzX_Af;J;{bB|G&01V}o!#a|J1dudVc4H_jN+6O`hLRGs!>kh~x zp&f*+L|h_AC$yH&QM1&oa!eNz>Os=FnJJ*h({lx2`>NICMI$XH8oV7Bpl`FrfQ`KXo3u zJ(H;P)YCmBO7vFR8r^G5sD7Z-vhe_<_nexWQKHwsVhU5x8bLa+equJa1>AN&aS(x* zmG5!v%jV^rveg7;$YleD#(4SqnGuOn)iLrT5kkUYIyx@%k3*?027(9{!JRXPg>?)} zJVk7liEd*m>2ltz&D>70I_(3QdIxoaU?aA8}+IE_qA3ctv9nWEax>~?#9*-uEAh>Qmvrw@Lg5rQcZDw7*^ zf$6PX80eL>9d4nc#&saY2AVK>{{XIK0ZT6{s>aO*SOGhwnNJXz`nNBb%tyq}GOjCI z$9Y}x1%h~`4$5y3#Up;u@1lSha~zocOOK)T1T?t2#hFCy1sjn|=#WWEf^jh{H-#2) z-aBZBF_@Ydj<|6Z#LUi?2JW80{^w#77N8F>)GIf2&W2}+aBF$GZek1lVI2wvUWZ(YZugoY>vD-tojl-_0I!bWLoIx0V!~NW;s?m&`uhTAGmoLw(L5#$Y z+}$`wU7(W;w=5m+8A#hBfvBSwGUXl&+Iwh7F%l+y2*(U&9vR&_5yauK?!UrEhBF=- z-G5eX7|I?ed}wXI+#Ee7ZV}0tkvDrC-p|v|SdChcZ2=l0bv!&hoj>dooo+Ja&SlMx zi;q>Z;RX8O12(-Ng9`dh>HW(#0XKd{{;-NJD24lUJ9Em%zM1P28_SNhD$U_fSb5T= zGRxe@*vfk*`9Pa1;S=_1?fe8bnAWZv=qpoX;W8HlF$%F&4+r8_-K8SAj$1(lsNn=* zK0Q0e?&`aVo-da>N`iw<{L_s=@PQTq84<5=uGv|fB<4Lc6)Y> z=uMszgz7~ABV&uiu}c;8{{UF+9ofviF7zX!^p7TVxpMU&<^`Y=s1%$Yj;|e|D~+bV z4yWt!2rgB1?)UGbrA8!4Y2hi~OI>DW8$d9$z6_sWLQANLB?__wwLj_`==uXj5QKEC z4Kya$Wr(0dXk5bCFJ#)FFzYK4u~nObl{)_;B`J1G9VO`!QHjDRNr-4TSU-suo-KNY6(rN<6l zwlBzizVMfeI}iH(!eA8v!O$hcX?k35q}Y|BC1z$+4H;3C*TC`jQ**3Nluw3kPV=U$ zG`!8t4F=wWcxEWLDqS3{*rAQ?A=)seJ_iIwuJ;7%9TTK<3Pg^T(pAK$o9Tb;wewZ` zluSjl-go-1nNUXkpiG=^0x!h6g>;uO{b6^z4f8QG342l&Cq@vBoaFG`J8uRTQLD2S z^L0@8*tEL6-|;Dw4zkhG-?^DpK-f>`D18JrtPm;}!T6MMRXc)F+u|v?@Fq3J`3Oe#6;O6W8PeMV7$xe za`a{Pj&(^=rFWGMlW028@_ymBD-Ot?Q5D@j7>Qc2j?so1(3^Tfpi8NDfm5+CTn&hJ zjyT?4#&(w$=Gd2lUM2YWluJh$(B4qg6O9Puoe?uI7SrzE>KOzkN`CF1^&Gaxc=wiY zG3v)`L#ct%RH%>xLsmR(rM)1!OJ%(!#py4uuKJFw#4!}}xCg@+x-FPr(c=+&!zN~W zOL}RUPP}Tyc7vEoFv0La!!1&m+u`4*iL*>`4dJ0LK?!nz(s_h#k=`Lwi9wPU&0HtS zFms8SM>7(jvuVn21zbqNv|>w~2$7;gslxYP4MR6YWu?qyvjw8gHVfRCN`E`QABLqa_=cG z%+116+9Y=4>`p}N!uf`qxQh9kx7@|(Z^iHaB}1}jtT8V;%IPXFI>9PbtsKvYkOA3m` zL-<1TEaF;w<1tY&7b>YkVsat8kx&b$y422GS1cA4-eBfg)R=+H2zJ1%%A64Ih?h(o zXIf0k4|RrP6utxeONh-MCoyYng5p7Ojzl`G7*Xe_vPgtG=8vB&IXTq8~6OxJxX&7&19+FP^#W%k z)yp2)W=-Z>r9nNS+bx$aT*aBvGc9u_U}9j=R8`hexs?d-6JAt5%o7ShepurKwa?5B zyZSRPLR;Do&b6nM$9-|b5_y}UV-BfJ=o)pztrgx;G1641c%IYRUX`U2#*{|y(6)Gl z5bdCVVb|O6!l2K|{{XhN=vkh!`c28YJdmhj0ctGX~ zwKKOtgDhhJ{M;yxWkNe?vjqI;>2Nei`T*}6>oY1}X@*>=V@jSOrS>KDm(W>$XSSD_ ziE{fglHt6r@G(8~_l&6CoaarGh|CPgdmBG2>|^*N`q9^jzcJjEoGdpW_RJ!uw0)58 zMc(*{O~q?*?G|j6-I(by>vB_*-U-TW1}lg!G)mcwsUr7+m#L6n1Sef7S-Db^h??BL z6Fp_im*`%V8Em#RMlA`RAYS@DqHgq5sacup24eFu*H>+7GPEaz!<&`nuk=fR+q|Pw z6g*AM7NX2Xwh5V5^@8_-)*HbtP+i2-@94g~QmaB_Of1Nd%b0Ch0MQGnX~f1iLaEC< zhx;W!>p95|T~X~SR%IN-@eq|OLGdVwtE05I?J89BD)u86J^eM=l?|s>oM?2O4xZY3 zGUpPdd_&%Oh)N=Kk9`Ot!ZKR$_esL#x&nO&!8?;jGIhCMs)DD4fU z5~sAeX>qw}Qm5t&y)VpsOCg?;^|@q4OL|Q6GVuWZx`_G&0f%`(#7#KRk21Y5E#!nR z`GUdvZ z9py@k+8R`&(g$)K=i)Vby(2i$>lj1r{-tbwb8pnVE{^G%13M6|W0`c*M;}n>#3M-W ze0Q9G8NPxb#tsQYYD8TimidImU^DG0+dp}vf271KwQ%(-1%+*_ZG z7|WlJ;B;fQ&_Il>&eDMrTndCkc#nU9XDXo%NuED$T^0SKFd zrHp;XDKj?96zpZK=eSYr3(QQy8i!9(rAqB8RC^^~Fvl7U%3-{??+xwPnB!ZO4Qf=b zgr`8IJ)s_Ab8?|>bU0k8QMpl-tus9*h;ML&4-J>z4NOkNxI&_B%K4azg%)#Bhb%^2 z$HcDCHFv1WhFCL#S-dfiWMQoEmbq^7=En3vcw&xym;p+b7Su2zOQ6LpeSjSOTLgd# z4wQNg286kNw76^R{7cUDE#ZbYo;7r%ys1&=(Uw%tXc@!~vbw;~>WFlVKKLWE@G{No zTTuPQ%6m^8>x10H$WZLrMhM}_@t6_hU-P&S^Zx)~69$);_bVV#_v;O`^{OwR^y*_2K3W+CDt_tG5>vvUxEFnOKP-8n{7697bb%(S98#vaJ% zthQUAQN&NoQL|7DC(N^Gm}0-Uw0lwS2+Z8R%1u639IPUx?D-B2+%&{*e>;he(uI9rHv13PR^|aJ;-5TedAQ70WKSYW*8l2vi{T zB@C^2(DpK2!;$t+h=<*AREmB`5}-6F6u8J!8O*ayq0IJ%g>k-@ouxpJW$hVEODf5* zp`25f^$0eMqEn>2>1?<%`ag5L+#5?=#aJOssXuI?WyTwsUq4f(oa%AXFHNO0J0^BJ zU=)|ulkRM_#(CLVTjdV{J1G(-FA<-@&$JUg}^m{<}l>qMpRtXt`_v{VU4bk`b5Uz6bGhc%(-qoLN zrdbu;*XZ6?E5P3OSL!Uj@ej7&xw-DZ{^gmE>RbeDuJAB9&{xDl@V2w^#7B}8tny*_ zhcp$UY?->Gm710ir)(DH7N<=IX3df zd_h@*4Fg+ZZ7&fjwl%*qCl@LV(-5h8dqA1Cj^Q5iW-Gij+6_3wq;Z&q)`Gn-v%Z(5 zgbb{tJd;QsUbJcHwByrK`pu=xl2<`ajhDwHz4Jy!=oMdlznQV_XYCdOof-p>E-aVZ zWqjEBC8jIIUxN{gYpX1)H{Tv1_m>Lpi|Am0g5uN5SN9#9NME;o>i0y0RHD4bPl#~^ zo}t;#ef;eOkfB&~I~^P@F|s>C8r;O9S7v9lH-&J@m)a1XFyS)LZsLydq#}U1fW6-J zzsz&L=iM@P-dH}6X)7Ih=n~LzklyN44GB|-?8=9ehAGnf3`z8aUNm~k%pENy#n#9| zJf#M=8$U#O?<0zTxrmK(6j7>Yb1h6_-XIg2hWV8NU_8p{GD}j(7XWsYWp_X@WMKR-sf{XBxUUs6+v8lyh#&X;xYuH)CV)`?0Izr(1Zo8RK&4Qw z!-QUU-Wjb)(?OqxG$%_kmUoKwo1uj=`^EW()Ki|)vqEn?19!q6Igd9Bj;k zGSQU+S7;89J43P^v2STyJ9vv&=5!f_H@H~Ss&q?Tr-bKTkb$cdMZL%kXrXtm=FAg> zWrG6VUUSk8bvs8whVt)s6QRa{rCWz{K>))dptnV!cgw^$l`1tVFkyjZERedo?-T4* zL(Oz%7;b#0|7)wA~>h1E>eQ`XAf>pYaP_RVb=*I zlMVD`N`VE}Nqh!&8B>B;u`LVQ5W0Y^r$Ss{ai#*o3bs;KoWX|hhVx`4sSWHLug2Zs z$vn6meQ56($7z2MahNBV-)Jsn2sV{AiG~XTtZu79d4k^!vg^-nIJn86J)(> zX-JbKVF`H9uguCe35uNu?M3#UHiT{))Y&@drqjgc6xobQ3l+_S*&zWF-8lWRu|0ES z>-gd%3Z>s$hBq1;-Id;)lAt;TC4et|ylh0ylT>q^hCUQE338=Ml@qyhv6j}crOSr$ zqNSH1-+g@1d4W%=FPnn4F zD(vu%PsBFB6mcw#ZB8xA;4OPVLWT4g52H_MQn3otbT@tUsr!}IR8fTi+%5Q`<9!z( zs@>>CX(HxVS5Iv!Rm+lI?JyXRGLe=Nz%Rfr)SyA+A)r;*lA#3cn07!(S{t&-k(NiK zMZ3f@XGR)axoF)>INII(bK)JKaG190_f>(sL;6I-F)ii}@%*DXgzE@K2V--P`Lhau zLd53zn`DR!SBiewN2r2%PQANFBvWImzBY};rN|v@^z*bh8KDb0HN>pKZ)W}CK1 zREa?wqTYJcb&|#l9D??3i+LqT!?U-sEq)RDg)2J!BT&n1z@KH4tq&3Rt*0}HO2&c2 zB}1Eyg?>m6k7etDZ4o@=)Z6bsetbzoQ+HYmKhf_Tpmn3MrP2hl}nPILi4r|xd^3Yzx}eM6zk zQkEJ`?$0DnresogD15+ZNs&&_1O>87+{_J2!Tv#y73JSj{i_g*X39hH$Hb^9(QjKh z7TxYt%(?BRQib;FtL0CVXP&Tr+zDTc!gS-35GkH4uZAL9RGH%#vcBt>;Aw)uuJ1oF zvbOi$6f|Mh1S>+^?I+~(4CS5(?hMq$0fd1&?0p$X*JjJnGCtYj9cPF~=5q;{1YYU{ zs8qHuQF9hF8|GiUv%KquAWNOMi5P_;j6o_E;5(?}qO9wk8G2kbs}K}m@jRWfd*&S* z-zcY})cC|T3+6Glx-&1PH|j*Daj8@zi-Zr)Ky>6i+;2bt08}}KXE)Y6d4oGmjB%lz zB^@AWZr?~JU0Y&}yC@mjvC#mKfcG4R6W(qJ^$?w#_mqeYEoUkw1ADR^4~0;?`FaQZ z9Wjs#JFfhAE75v3mDVDa0G&=e2FJCwB`prC&xivk`%c%&FJSk$5dgOF79wEjC|@n7 zYGW8_T3NJW8Ms%Nnfx8kl3TOi{mg5Efl}bk4XxPj(A5bDXm}25-res*+EM7d#79{X zs)B26x=v320MoX}Lw)-u$<)aXF%_M6&b`^`W@R>QqvCI^Sjyt*TbZx#F|r{MIiI|C zXI%rNH_%~luZe_*d`24rXo<-2DG(R5;;n4n=EI)S$-5HtW^}km zTU){GD>>8~4TFRJyt1@a`9b1t^t))KxdJIqQH;DD0~gzX{Y#V;V2U$i!+gePuKOHQ zzQgAH2CleR+#l201vG5hzdU$>EsdJn@d;WVsBKVN2GcoUV=-X3ABbK#nQmcSlFxgT z$Q0(1>(2?p7{h5%jyabuJ+)+nc#fD{8~VHSdUw48!4z}1rqHzPv~UNfh$b5^@%|t~ zcvNA_dq;V?IPog9KIJnp-hLt02GBv6Csu*iLpolmX%^H?n}PVlWsT516sw{7Ht7hq z4@8U+RyUr!1FNt^XCl7ih31*Bm!vdhbEQg^7{CI<>>C~UJFynht?>3Ax0cvC2TmVk z4-R5u9*18udIgg0epB)9DX-7thqm@~SJxEF|_={kc_1fv5A0F5L(1n1RN_2XI1Xgf#WD|XzdbP2IGjimP0VA*$(|W zJ5&|24P~@>V#_&w96+cBc#BW1HgkX8(*gxg0S%$F<3qR98AdTN+74=WAWX{dAE=Py zq&A!&fu%5&E*tA`alAJtRzrMe2@#`PL%s%yZxNwiVO*!Y4r2!~+d?`wD?7mwvjV4! zht7Sb>DkqUP2(8I>n{kOK97AX4QTe`#MqK}Umubqd=Rf}{zp@^aKLqr;`;-8h)5cE zr?ZaQER|8|54HnYnIkDP7Xr*eBc5g@iDa_W5#RnmeWk>VIxePJS>6zr7W#Q(yXadR zj_!~aVOv#HH?EN9SG*g;^BhX)9s9&NGY#jn@iEdN!8a0{fX=iE<^&Br*?JP<>r+3{ zdrb6+ii~ z@)ERmjU<61-fuIFUHryzJ44F>yze$8leHNOl_;A_5UB31Bq30WSj*g~#Xm7ozl)S{ z8|Y3v#_ngPp4tq#xjNE_+TOgv&uCn$$4l9hm39F96|vY<+oPXt$giCy1`Pk0igc9iv%l>1%a6UdjCN|lS1V@p@V54f4a zrH?~P)AI>`5PC`i--1{RHKrBJtrnPkWA+jE)$epa3@2R$h|U!;E$jIGVlwn)W`|R$ zEZS^CWVR0z7SR}{304E@R@yL7KM|Ef1{N^_#$Q-~3Y{Jf_P=M^G21{Te9E8QrM)Gc zCMG8nqXRgPM6B(gFtLW0UFR>@gstS@2=1FDS4Ye_0T6c*;iXEQ2;rI7ir!S;GZMN$ zjY0sse=JL6P*8m6e8caOMcgO``lPA|mAnWFzGl~HZqP1PCAyyy-F~IIpAw*Hj*}fB zraDTM0#VvhZpka8YuY7DC+83A_`-`u6$B7&>u~j7kMjkA*Z2^fVL7-w0Z5!cQMZ_S z9NcURl-(WPW?W`B4GOoGDq}-DWw$e{EU&8`EZX`(0?%H?a zI-AuN_KZ19+`}!1!JJfzq1TKa(~pn+d+Ie~qM4L2cMiuk@yg;cOXkd-YiM~!7h2_3 zpOP}7-Pw3Lt|~2CQipdg+d~C35D(Wd90AH$;fNHwvu@9F7#dT&1^)oz<(6I{DR=iD z(foD6m|MSu8-~Y1yi&g?{-YLW;~D&1*>UeVj0<{24HgOaM#pXAGHvIebPkiEip_h% z6#)qWZM;I*Cfi?73Q_@_RKyYCh*gk|Mk7!}Cx!n22wzHUF&Una4VhfTik@aAv1y2G znDZ!$v^yb4kWEwqx~vxOq;d!4{$Yv5&OPA?-Ejz#++2JmQj0aR#g998m$AiP%mvaw zuW|uRpJVPBP)gZ6oVAmw?^6V;>4yg068c7cAK9c z#!D0y@eqDddN__dl=ut#BeW_mg_Qdc=@{=Vj9_1z{C8t&1*%)V^5&*YlA;2kvSiGB z2;*bwWZHDksH&nOZz&frDr|xqAe}*vCVx=B-{F6`Z%8xDtoMNLDf1t>M5#owQFVyC zngtLyTCpXzIygRR34j0zS#Z3F9DN7$BkviS9&IeMh(V5scMej`FPc z>1#7*jj_?p1KAQd!>?1WOiGVhA@Ys1l&DB9$`6vK*F@>2Wy?FuJIg!EJIg!EJIg!E zJIg!EJIg!Emn`otU!j0E4-|gj%lOUw%6y!5BL|@gg;=f*{>IX(I8wZc+R*YwG1-RK zz3b<*vUh_MZ3AcN>U-@l;Dp&aHX#|Rw_sLP;F|z^Or|B2q*XxU@ir3%WiPGGZ#GtAGyI4jNg{<3eXFcF;F%%_m@zy50Ocm)DaEhjAFI()vo{dOqM;DN4)~c!24`oO#poPhIah+R zuq~n-Zg*aX>Kpi%s=6}ybA96(v5XzxVy~g^?X{6GsG(W6uDg$Yu}revVUEzw5Kk%< zT(G7X4>1cSCLpM_6>Vg(QBbz>u|t)aZlmt3v!fWMBrylB(IrapIl^7$ zX4+GRb*C*w)GZtk-kh1Ej5*FIzbLwp+d>-}yF>CNx&GBShnO%O!d*Y8d4hwuzcXY; zCmaIVBS?v%yEc;Hm9WU`ayQ)R3;JGLE>y#b>0VKP;O>PRw}(J zfx+q5tLzDO)Q<+ec=2$K%wxM9qmH40!gd`$MZJ)R&@ge>`&_UcAR7@!Xm&6FIQd1i zOS3j1Xo1=TS&Kt#MGb5lS%`8BqjEEpWH)=rG)`jcR~@w&@fR4C+B1rXOnXe5>L}(= zG9aTBT={`Vv0)zheZ;;%1pulccSY||B-Tau#?S9cFkrB-7OxsMD#GovFevl3`^C*7h4UBOu=?;uMH!bNf?Gf3PDqoptf<06{v9x5u@hOi~!Nh7N zH>mTQ+)!g}v^MvfAm$L-6ENCyaMyj10PF+cgH85{b7*D8G5nP zX^0Y~O4AahN|mKb*7Uh#T9@;Z;6HB_y6tRS-ywtH{z2DZtXBhi@&{g#Xl}M)Hiik- zPy(w!X4omuA~^VJqM*Xm*zX%z-V9=#Mbz7hE2!V_hESygHC#3ya*B&Kc3sDM-E#Ju zci+ER?X_T@(Try>-VsK!09P&X2AJVg9@U?r(O{9tto#|i>am^RcTC2FUckX^9K=TQ zfR(6hwfSYz4hUhatMQlW1|oKx!uDcH(HU9L$0yVZs&yvyrQYR)6scnCi8lr?sMfq!-< z?mouTwgc!i-3s8rc5k$4viTsdD!h>97>&{91)5j^g5ZD`jj^6W=k4d&XC9g-9tGAaB z*(0C|@((s_8g@j(3IqsPE3@{cIsrBSLm)8?}KYiw;xV9$%w~;w~K+&Sl5_s4O7Ybh5*4d=pe-#O%&QqkxKHh%02M z#Hp~AOOzO6a*E<&9LA!|N)4~t5UviBY(CNT2^boc%zJ1f#$|tQAU20v5b42l4KW_l z)3=DVWX!mRG@I%ndBk*# za2StJcpjc+$hnqs!w?;q3-x%*`Hb^RL*VsyZGpIL#9|dGHr^d!kbU;M5yE*Y1PH7n zZBJLdJ+MW*F-lu^h|nGRc3vZtJNs}PyA`_PQYth&xOH5)0q`NGgMF^|eD8T-%B4wF z2DW&9u2jj);U#sSg4nwL?<(#lst@1ggi+kSxqFI{1v{GR&1v-x+3()i9oe3GRv|B zh;)$~$JD&T7<+b{Ok)cc@&)uW{LWF|K>-Q)z|z_t^_b_SNnHzjT6{n>Z3(hEdjhHM zxAdE#p&$yd8?^9F?_Od&0EDsdDEgo3j(7Yf|YO zw+Qz9rwVrVQUUol=8Xj0NxVAGPHeQH}?;c z7@M#9c8sj{yL$)rw5ZdVkQ+WXQ1|EVB%*K?_x^}@9^|Z@xcB3{woS~g(y>wLIELCL zZaa9Dqhh>ZLs7>tRO(7fBZ`TIMMnaeWo3oR4WmOLHwf~y$6e0=LU;`N0DhyjM;`LY zQsy)h+e*Y9F>R@h#G%DS7X%j<7&e)dONf&*jVFvxdRS-B5Zs(-pt!xt-1y9D+?8&Z zFPpdOQ5;~zBdeD?N3luMWJ_A*gBz?GPKLFmfU8V_Bi zlAHw*o(|+%Uk+Fc}Duly?A-0pnLAY+6wWh99j<{V;#v)kQTpCss|V) zmRwI`rkC%br!y>KQnMGKh{ka*5tk}rMUXM%*Lp-nvK)-rS*edOmNG#m(M`yil&cIX zK*Vd>BBkQh1;Q_E_zkao9`m$jIhcVwO3~7u(7KifGb<7HHktlrTVaBTMHPreqEgW| zKL$HT+w6wXp2!fK2uDs@CwRshI~r`4-&zBs8@qe=dr`HLw*@BTE)bR5PkG}?)!q(X z@%k2e3?i$FeVpzPU}z62U)%mYMFEkXZBT&Z@q0h@5(D59c7qxlW>mSfPLpQFhF=;n zmv9USmGdZuFYd^`G31mum}sG4DdJ<>>R@URmP(2@od~LCLBTKi>^l4bYz3&Ny>j=@ z%wxNyz*$i-jeKbBv^RGN97{zDj5{=ersFED)KmO426FWAc(?_&)Bpm#s&wrca`CYk zWb|9wQd!rf$ie!gTDuO*x4Nwy79-22RM92s~4Z#GL=0YA2IunyuV1y zsKQ|@WP6LcALQ*0W9S83;yy0n?Bm-XaL26la<4OlBcsf@xIr6m4BF-Lv*P0>07Q2g zRB8jZjVCVI`I9iUz&(mNTHCia8G1@9O^L#{XMyZEl~?KA2-G1^|ON{%-m2NI)+ zn3)ma%nYr}u-+gbGcHC&+al53Ra`Yy&z%U)tp5N7`iPm)mX}Xl_3|T|fu+mjW-kw) z+@S|OAyTiTsgu)ee1qkv%eXnxkiSh?$}?mLp;>L5cT-J--F~*FkT5`vDO}`MT(~|}f<(oW^+Kra^ zz~B*=ih*2>b?>27!4nwAS!gN}V5h{Z(^7!%R>QcAh`Q^%u(w&`aaW~ff)+b{({7vBhwTUo{6oN;1`66@Z^PyW zf%7hb=ohOY8^BT_jhzxrk9dQ0f*S%u+L*f6=DnPD8y8z0{CnEjYw^xN8Ax7mh_ zy;98t*y`oeyvr&Rbi6D+Pq+hn!aPEBFsWI%8;Au|s6Yv5KJvgj^8+h%887#&r7~Kq z7pH#z0IkBjYr0&0d<6>Fija;!Hj%5PWo5sl)fMpiVY z@wG1k?zzm|#E@9$h_WhRtE2N7xXV&+EVsn#24dprxaO7?G4Efe`Pvx+*&7~tf9yE} zph}Fc(S&`abo}VV>9qKn{+cFs(8YOxF_ra{%#!Tc7cs|$ozphhf{r(Yf4qJ*U1rm~oAz zM{ONXQ|M#6sfhwqsf+d>B%wJkaSlMJA&`V!l~BiFTjmY+2NA7aa2;a|V0k;cJ8vj@ z*1D_xehFS~`nPrQ)3gtWv)G2Ii1zfo;AU*o+94PsflEe!%5IBxHu1c{NsDYw$Pf1d zG5-L-I#s~x+6~JS?gMt#8~OMjoPPk91&NL+Ttlvm4D^<@3h6uto?nP-foF^d62rzQ zQ?h-9?gIwwcaNm?K9_mBQ>(@!h-7D!nFC<_mS~F_seX&heY2l=uvCHh=uLo|+u`c> z_^8l$m@kb@&U-K89bk-IO}odoj@X!$6Gj_MOVYr;;i(2`FNms45bi|Z5q9DjWYf%? zQ|tXsV;}qm`Vho-up>8R^ONHHMGi*D-xmkj{7xdGcORHd#vCK_HczIP7cz%3$;JA; z`nc;061nB>dJ)uX>_FfrF5Yv*AtgG17z3sWvLt;c@iEkphMZJ1I*cTooa{OL+$Eyr zG_j#3CEM zy-2~duHH+1*GzE0HVDe+$oySd1J7(1BtrD81}5V z!_D){_dqfCU2@BNyAu5msr{&n(D;|=e|@F;9}?X@1iwNGwmu2%_?PIH=$Gh=?eQ=E zf?xh6`+O4J2*3D?=zI}43-C)<9}!(X2-&y5osWVJvV0@b_z~@moe5Q>1s5+vGkg>K z*)30zza+g=WOePx_uKIRJK$FJz+2uOAM5Q0rjQNQ_K1bD(3ZXlZaxH~V0$I{d{MJM z3S0dt{{STpfc8omFzkZq@k@00rMi3(v-GEH;E(#0f8|bx(KBTDJ(YI9I3Bx7*89p;b}u1$>bdO%O&))biL~<#{S4i$ zX0$JtM`8~yKei&PmAE42&kHy@AMorp+JgWbR0!gydKbJloVDGdwAjZ3=}wV}aUrjwk6cfy%?S-3&cRr#0YX1P@wqI>A%%ZT6hX~@Jod)Rj<@_(d z6CABp&u*PK>7an?K-uhdh$6q_KcqF9^ZRe{3P!uT>zp4`1aX4;c0JIC4XSNjxvzuH z&=`^%r|Q4q(okk@miCMMjNLedze$ek9pRzcJx2tuR~My!<@kq4R0n8r+HnHF7Q11X5g4?mzxgL^AN+(gS;PaRqnU|`UMFafFm3+;g^s&D zF7b!&P8diFS&pfK5*UX_!BJ_BHa~8Rd&aoX@1eGrrCh1yDpFTTU1fS8wpQ;bdqYc< zm}d>k(={r0iUA(+9CtsbwCn!>p5U_J%a;?92UxMCcXg>=x_xfZjx#Nd^XYhx5S5DQ z9i>az`-2k{he-F!1Ka*WCW4*cC%WcNl<|vaC z%PQV%$1!ucUrDL|0M0)$$#Uh(moL*vNlyO19+zz@;y3Dg#uJFfEz$UDZ8YCmwgInn zBOM&aW;^I@{CvlG{n}K`z^br1!mbHX)>z&SAg9eUm%Mj=zk(RY{{V5Pgz$>xJ*CTn z8q}`yWb^6`cKTN5Lk&CZ<1u8yN`67;QP1*GFjj9kstrFgnU5ORg#Z04F1PewqTjON_XAI$Kv#ArDH{?uQ1W7)!S2V zL7;V&+ELnN&fXvr;-d7Gc$~&MZ+r)#*57R6d4N*Q9>?{BXBsk_oc4p> z5Y5bE9p=eW=ts-@{%Z9a5#C&7dd=c1({3C_`H!i4=(7#9Smrt@yG@gqK@A=RJjZ*P#bMtQ`09M=ezI4g zmHZW^%`ew_bE$PHDHE{MdEAPDtHinbm5(zt?vIodAKIayJhcA+Ke4 zULb19@u?r+*%0fHjnXA=^Wc?`uz?GN_x=si{5R0&$&@w>u5!Lvi? zJtt2^YtN%}cAQFtyt4=Y0Amva>G%nl%1>i25Ch;N?W@0`H%OV4+6P%(WohrA6{!QP z@M*D}rs&PS+B5J??A*_x{A20kQ}~(0eN1D-H}r7yH=ZNtG;GlH^XYYLj?skXedF>^ c?YbH}C)%G`_=b-Djw2Xv9p@VK^bpto+5Y8fKL7v# literal 0 HcmV?d00001 diff --git a/response.js b/response.js new file mode 100644 index 0000000..cd5ae0b --- /dev/null +++ b/response.js @@ -0,0 +1,13 @@ +const response = (statusCode, data, message, res) => { + res.status(statusCode).json({ + payload: data, + message: message, + pagination: { + prev: "", + next: "", + max: "", + }, + }); +}; + +export default response; diff --git a/routes/auth.js b/routes/auth.js new file mode 100644 index 0000000..980cd82 --- /dev/null +++ b/routes/auth.js @@ -0,0 +1,16 @@ +import express from "express"; +import { registerUser, loginUser, logoutUser, forgotPassword, resetPassword } from "../controllers/auth.js"; + +const router = express.Router(); + +router.post("/register", registerUser); + +router.post("/login", loginUser); + +router.post("/logout", logoutUser); + +router.post("/forgotPassword", forgotPassword) + +router.post("/resetPassword", resetPassword) + +export default router; \ No newline at end of file diff --git a/routes/index.js b/routes/index.js new file mode 100644 index 0000000..81a4379 --- /dev/null +++ b/routes/index.js @@ -0,0 +1,13 @@ +import express from "express"; +import user_routes from "./user.js"; +import auth_routes from "./auth.js"; +import subject_routes from "./subject.js"; +import topic_routes from "./topic.js"; + +const route = express(); +route.use(user_routes); +route.use(auth_routes); +route.use(subject_routes); +route.use(topic_routes); + +export default route; diff --git a/routes/subject.js b/routes/subject.js new file mode 100644 index 0000000..b4f1174 --- /dev/null +++ b/routes/subject.js @@ -0,0 +1,19 @@ +import express from "express"; +import handleUpload from '../middlewares/upload.js'; +import { getSubjects, getSubjectById, createSubject, updateSubjectById, deleteSubjectById } from "../controllers/subject.js"; +import { verifyLoginUser, adminOnly, teacherOnly } from "../middlewares/authUser.js"; + + +const router = express.Router(); + +router.get("/subject", verifyLoginUser, adminOnly, getSubjects); + +router.get("/subject/:id", getSubjectById); + +router.post("/subject", handleUpload, createSubject); + +router.put('/subject/:id', handleUpload, updateSubjectById); + +router.delete('/subject/:id', deleteSubjectById); + +export default router \ No newline at end of file diff --git a/routes/topic.js b/routes/topic.js new file mode 100644 index 0000000..623cae3 --- /dev/null +++ b/routes/topic.js @@ -0,0 +1,18 @@ +import express from "express"; +import { getTopics, getTopicById, createTopic, updateTopicById, deleteTopicById } from "../controllers/topic.js"; +import { verifyLoginUser, adminOnly, teacherOnly } from "../middlewares/authUser.js"; + + +const router = express.Router(); + +router.get("/topic", getTopics); + +router.get("/topic/:id", getTopicById); + +router.post("/topic", createTopic); + +router.put("/topic/:id", updateTopicById); + +router.delete("/topic/:id", deleteTopicById); + +export default router \ No newline at end of file diff --git a/routes/user.js b/routes/user.js new file mode 100644 index 0000000..af30c89 --- /dev/null +++ b/routes/user.js @@ -0,0 +1,16 @@ +import express from "express"; +import { getUsers, getUserById, updateUserById, deleteUserById } from "../controllers/user.js"; +import { verifyLoginUser, adminOnly, teacherOnly } from "../middlewares/authUser.js"; + + +const router = express.Router(); + +router.get("/user", verifyLoginUser, teacherOnly, getUsers); + +router.get("/user/:id", getUserById); + +router.post("/user/update/:id", updateUserById); + +router.delete("/user/delete/:id", deleteUserById); + +export default router