From 5ddc4dc299e2d2c009d6af3396d29fafeb75a18c Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Robin=20Mouni=C3=A9?= <robin.mounie@gmail.com> Date: Thu, 30 Jun 2022 12:14:29 +0200 Subject: [PATCH 1/8] Email in logs and keep the database : step-1-Install the new version without uninstall the oldest; step-2-Unistal the oldest --- notemyprogress/amd/build/emailform.js | 200 ++++++++++++++++++ notemyprogress/amd/build/emailform.min.js | 90 -------- notemyprogress/amd/build/emailform.min.js.map | 75 ------- notemyprogress/amd/src/emailform.js | 183 ++++++++-------- notemyprogress/classes/student.php | 2 +- notemyprogress/db/install.php | 47 ++++ notemyprogress/student.php | 3 +- 7 files changed, 349 insertions(+), 251 deletions(-) create mode 100644 notemyprogress/amd/build/emailform.js delete mode 100644 notemyprogress/amd/build/emailform.min.js delete mode 100644 notemyprogress/amd/build/emailform.min.js.map diff --git a/notemyprogress/amd/build/emailform.js b/notemyprogress/amd/build/emailform.js new file mode 100644 index 0000000..a351128 --- /dev/null +++ b/notemyprogress/amd/build/emailform.js @@ -0,0 +1,200 @@ +define([ + "local_notemyprogress/axios", + "local_notemyprogress/alertify", +], function (Axios, Alertify) { + const emailform = { + template: ` + <v-main mt-10> + <v-row> + <v-col sm="12"> + <v-dialog + v-model="dialog" + width="800" + @click:outside="closeDialog()" + @keydown.esc="closeDialog()" + > + <v-card> + <v-toolbar color="#118AB2" dark> + <span v-text="emailform_title"></span> + <v-spacer></v-spacer> + <v-btn icon @click="reset"> + <v-icon v-text="close_icon"></v-icon> + </v-btn> + </v-toolbar> + + <v-container> + <v-row> + <v-col cols="12" sm="12"> + + <v-chip class="ma-2" color="#118AB2" label dark> + <span v-text="recipients"></span> + </v-chip> + + <template v-for="(user, index, key) in selected_users"> + <v-chip class="ma-2"> + <v-avatar left> + <img :src="get_picture_url(user.id)"> + </v-avatar> + <span>{{user.firstname}} {{user.lastname}}</span> + </v-chip> + </template> + + </v-col> + </v-row> + + <v-row> + <v-col cols="12" sm="12"> + <v-form ref="form" v-model="valid_form"> + <v-text-field + v-model="strings.subject" + :label="subject_label" + :rules="subject_rules" + required + solo + ></v-text-field> + + <v-textarea + v-model="message" + :label="message_label" + :rules="message_rules" + required + solo + ></v-textarea> + + <v-btn @click="submit" :disabled="!valid_form"> + <span v-text="submit_button"></span> + </v-btn> + + <v-btn @click="reset"> + <span v-text="cancel_button"></span> + </v-btn> + + <v-spacer></v-spacer> + + </v-form> + </v-col> + </v-row> + </v-container> + + </v-card> + </v-dialog> + </v-col> + </v-row> + + <v-row> + <v-col sm="12"> + <div class="text-center"> + <v-dialog + v-model="loader_dialog" + persistent + width="300" + > + <v-card color="#118AB2" dark> + <v-card-text> + <span v-text="sending_text"></span> + <v-progress-linear + indeterminate + color="white" + class="mb-0" + ></v-progress-linear> + </v-card-text> + </v-card> + </v-dialog> + </div> + </v-col> + </v-row> + </v-main> + `, + props: [ + "dialog", + "selected_users", + "strings", + "moduleid", + "modulename", + "courseid", + "userid", + ], + data() { + return { + close_icon: "mdi-minus", + valid_form: true, + subject_label: this.strings.subject_label, + subject_rules: [(v) => !!v || this.strings.validation_subject_text], + message: "", + message_label: this.strings.message_label, + message_rules: [(v) => !!v || this.strings.validation_message_text], + submit_button: this.strings.submit_button, + cancel_button: this.strings.cancel_button, + emailform_title: this.strings.emailform_title, + sending_text: this.strings.sending_text, + recipients: this.strings.recipients_label, + loader_dialog: false, + mailsended_text: this.strings.mailsended_text, + }; + }, + methods: { + get_picture_url(userid) { + let url = `${M.cfg.wwwroot}/user/pix.php?file=/${userid}/f1.jpg`; + return url; + }, + + submit() { + let recipients = ""; + this.selected_users.forEach((item) => { + recipients = recipients.concat(item.id, ","); + }); + this.loader_dialog = true; + this.errors = []; + let data = { + action: "sendmail", + subject: this.strings.subject, + recipients: recipients, + text: this.message, + userid: this.userid, + courseid: this.courseid, + moduleid: this.moduleid, + modulename: this.modulename, + }; + Axios({ + method: "get", + url: M.cfg.wwwroot + "/local/notemyprogress/ajax.php", + params: data, + }) + .then((response) => { + if (response.status == 200 && response.data.ok) { + this.$emit("update_dialog", false); + this.$refs.form.reset(); + Alertify.success(this.mailsended_text); + if (typeof this.$parent.$root.addLogsIntoDB === "function") { + this.$parent.$root.addLogsIntoDB( + "SendedTo : " + this.selected_users[0].email, + this.$parent.$root.email_object_name, + "email", + "Sent an email" + ); + } + } else { + Alertify.error(this.strings.api_error_network); + this.loader_dialog = false; + } + }) + .catch((e) => { + Alertify.error(this.strings.api_error_network); + }) + .finally(() => { + this.loader_dialog = false; + }); + }, + + reset() { + this.$emit("update_dialog", false); + this.$refs.form.resetValidation(); + }, + + closeDialog() { + this.$emit("update_dialog", false); + }, + }, + }; + return emailform; +}); diff --git a/notemyprogress/amd/build/emailform.min.js b/notemyprogress/amd/build/emailform.min.js deleted file mode 100644 index 3c4e153..0000000 --- a/notemyprogress/amd/build/emailform.min.js +++ /dev/null @@ -1,90 +0,0 @@ -define([ - "local_notemyprogress/axios", - "local_notemyprogress/alertify", -], function (e, n) { - return { - template: - '\n <v-main mt-10>\n <v-row>\n <v-col sm="12">\n <v-dialog\n v-model="dialog"\n width="800"\n @click:outside="closeDialog()"\n @keydown.esc="closeDialog()"\n >\n <v-card>\n <v-toolbar color="#118AB2" dark>\n <span v-text="emailform_title"></span>\n <v-spacer></v-spacer>\n <v-btn icon @click="reset">\n <v-icon v-text="close_icon"></v-icon>\n </v-btn>\n </v-toolbar>\n \n <v-container>\n <v-row>\n <v-col cols="12" sm="12">\n \n <v-chip class="ma-2" color="#118AB2" label dark>\n <span v-text="recipients"></span>\n </v-chip>\n \n <template v-for="(user, index, key) in selected_users">\n <v-chip class="ma-2">\n <v-avatar left>\n <img :src="get_picture_url(user.id)">\n </v-avatar>\n <span>{{user.firstname}} {{user.lastname}}</span>\n </v-chip>\n </template>\n \n </v-col>\n </v-row>\n \n <v-row>\n <v-col cols="12" sm="12">\n <v-form ref="form" v-model="valid_form">\n <v-text-field\n v-model="strings.subject"\n :label="subject_label"\n :rules="subject_rules"\n required\n solo\n ></v-text-field>\n \n <v-textarea\n v-model="message"\n :label="message_label"\n :rules="message_rules"\n required\n solo\n ></v-textarea>\n \n <v-btn @click="submit" :disabled="!valid_form">\n <span v-text="submit_button"></span>\n </v-btn>\n \n <v-btn @click="reset">\n <span v-text="cancel_button"></span>\n </v-btn>\n \n <v-spacer></v-spacer>\n \n </v-form>\n </v-col>\n </v-row>\n </v-container>\n \n </v-card>\n </v-dialog>\n </v-col>\n </v-row>\n \n <v-row>\n <v-col sm="12">\n <div class="text-center">\n <v-dialog\n v-model="loader_dialog"\n persistent\n width="300"\n >\n <v-card color="#118AB2" dark>\n <v-card-text>\n <span v-text="sending_text"></span>\n <v-progress-linear\n indeterminate\n color="white"\n class="mb-0"\n ></v-progress-linear>\n </v-card-text>\n </v-card>\n </v-dialog>\n </div>\n </v-col>\n </v-row>\n </v-main>\n ', - props: [ - "dialog", - "selected_users", - "strings", - "moduleid", - "modulename", - "courseid", - "userid", - ], - data() { - return { - close_icon: "mdi-minus", - valid_form: !0, - subject_label: this.strings.subject_label, - subject_rules: [(e) => !!e || this.strings.validation_subject_text], - message: "", - message_label: this.strings.message_label, - message_rules: [(e) => !!e || this.strings.validation_message_text], - submit_button: this.strings.submit_button, - cancel_button: this.strings.cancel_button, - emailform_title: this.strings.emailform_title, - sending_text: this.strings.sending_text, - recipients: this.strings.recipients_label, - loader_dialog: !1, - mailsended_text: this.strings.mailsended_text, - }; - }, - methods: { - get_picture_url: (e) => `${M.cfg.wwwroot}/user/pix.php?file=/${e}/f1.jpg`, - submit() { - let t = ""; - this.selected_users.forEach((e) => { - t = t.concat(e.id, ","); - }), - (this.loader_dialog = !0), - (this.errors = []); - let s = { - action: "sendmail", - subject: this.strings.subject, - recipients: t, - text: this.message, - userid: this.userid, - courseid: this.courseid, - moduleid: this.moduleid, - modulename: this.modulename, - }; - e({ - method: "get", - url: M.cfg.wwwroot + "/local/notemyprogress/ajax.php", - params: s, - }) - .then((e) => { - 200 == e.status && e.data.ok - ? (this.$emit("update_dialog", !1), - this.$refs.form.reset(), - n.success(this.mailsended_text), - "function" == typeof this.$parent.$root.addLogsIntoDB && - this.$parent.$root.addLogsIntoDB( - "sended", - this.$parent.$root.email_object_name, - "email", - "Sended an email" - )) - : (n.error(this.strings.api_error_network), - (this.loader_dialog = !1)); - }) - .catch((e) => { - n.error(this.strings.api_error_network); - }) - .finally(() => { - this.loader_dialog = !1; - }); - }, - reset() { - this.$emit("update_dialog", !1), this.$refs.form.resetValidation(); - }, - closeDialog() { - this.$emit("update_dialog", !1); - }, - }, - }; -}); -//# sourceMappingURL=emailform.min.js.map diff --git a/notemyprogress/amd/build/emailform.min.js.map b/notemyprogress/amd/build/emailform.min.js.map deleted file mode 100644 index 4a91fda..0000000 --- a/notemyprogress/amd/build/emailform.min.js.map +++ /dev/null @@ -1,75 +0,0 @@ -{ - "version": 3, - "sources": [ - "../src/emailform.js" - ], - "names": [ - "define", - "Axios", - "Alertify", - "template", - "props", - "data", - "close_icon", - "valid_form", - "subject_label", - "strings", - "subject_rules", - "v", - "validation_subject_text", - "message", - "message_label", - "message_rules", - "validation_message_text", - "submit_button", - "cancel_button", - "emailform_title", - "sending_text", - "recipients", - "recipients_label", - "loader_dialog", - "mailsended_text", - "methods", - "get_picture_url", - "userid", - "url", - "M", - "cfg", - "wwwroot", - "submit", - "selected_users", - "forEach", - "item", - "concat", - "id", - "errors", - "action", - "subject", - "text", - "courseid", - "moduleid", - "modulename", - "method", - "params", - "then", - "response", - "status", - "ok", - "$emit", - "$refs", - "form", - "reset", - "success", - "error", - "api_error_network", - "catch", - "finally", - "resetValidation", - "closeDialog" - ], - "mappings": "AAAAA,OAAM,gCAAC,CACH,0BADG,CAEH,6BAFG,CAAD,CAIF,SAAUC,CAAV,CAAiBC,CAAjB,CAA0B,CAqL1B,MApLsB,CAClBC,QAAQ,8/KADU,CAuGlBC,KAAK,CAAC,CAAC,QAAD,CAAW,gBAAX,CAA6B,SAA7B,CAAwC,UAAxC,CAAoD,YAApD,CAAkE,UAAlE,CAA8E,QAA9E,CAvGY,CAwGlBC,IAxGkB,gBAwGZ,YACF,MAAO,CACHC,UAAU,CAAE,WADT,CAEHC,UAAU,GAFP,CAGHC,aAAa,CAAE,KAAKC,OAAL,CAAaD,aAHzB,CAIHE,aAAa,CAAE,CACX,SAAAC,CAAC,QAAI,CAAC,CAACA,CAAF,EAAO,CAAI,CAACF,OAAL,CAAaG,uBAAxB,CADU,CAJZ,CAOHC,OAAO,CAAE,EAPN,CAQHC,aAAa,CAAE,KAAKL,OAAL,CAAaK,aARzB,CASHC,aAAa,CAAE,CACX,SAAAJ,CAAC,QAAI,CAAC,CAACA,CAAF,EAAO,CAAI,CAACF,OAAL,CAAaO,uBAAxB,CADU,CATZ,CAYHC,aAAa,CAAE,KAAKR,OAAL,CAAaQ,aAZzB,CAaHC,aAAa,CAAE,KAAKT,OAAL,CAAaS,aAbzB,CAcHC,eAAe,CAAE,KAAKV,OAAL,CAAaU,eAd3B,CAeHC,YAAY,CAAE,KAAKX,OAAL,CAAaW,YAfxB,CAgBHC,UAAU,CAAE,KAAKZ,OAAL,CAAaa,gBAhBtB,CAkBHC,aAAa,GAlBV,CAmBHC,eAAe,CAAE,KAAKf,OAAL,CAAae,eAnB3B,CAqBV,CA9HiB,CA+HlBC,OAAO,CAAG,CACNC,eADM,0BACUC,CADV,CACiB,CACnB,GAAIC,CAAAA,CAAG,WAAMC,CAAC,CAACC,GAAF,CAAMC,OAAZ,gCAA0CJ,CAA1C,WAAP,CACA,MAAOC,CAAAA,CACV,CAJK,CAMNI,MANM,kBAMI,YACFX,CAAU,CAAG,EADX,CAEN,KAAKY,cAAL,CAAoBC,OAApB,CAA4B,SAAAC,CAAI,CAAI,CAChCd,CAAU,CAACA,CAAU,CAACe,MAAX,CAAkBD,CAAI,CAACE,EAAvB,CAA0B,GAA1B,CACd,CAFD,EAGA,KAAKd,aAAL,IACA,KAAKe,MAAL,CAAc,EAAd,CACA,GAAIjC,CAAAA,CAAI,CAAG,CACPkC,MAAM,CAAG,UADF,CAEPC,OAAO,CAAG,KAAK/B,OAAL,CAAa+B,OAFhB,CAGPnB,UAAU,CAAGA,CAHN,CAIPoB,IAAI,CAAG,KAAK5B,OAJL,CAKPc,MAAM,CAAG,KAAKA,MALP,CAMPe,QAAQ,CAAG,KAAKA,QANT,CAOPC,QAAQ,CAAG,KAAKA,QAPT,CAQPC,UAAU,CAAG,KAAKA,UARX,CAAX,CAUA3C,CAAK,CAAC,CACF4C,MAAM,CAAC,KADL,CAEFjB,GAAG,CAAEC,CAAC,CAACC,GAAF,CAAMC,OAAN,CAAgB,8BAFnB,CAGFe,MAAM,CAAGzC,CAHP,CAAD,CAAL,CAIG0C,IAJH,CAIQ,SAACC,CAAD,CAAc,CAClB,GAAuB,GAAnB,EAAAA,CAAQ,CAACC,MAAT,EAA0BD,CAAQ,CAAC3C,IAAT,CAAc6C,EAA5C,CAAgD,CAC5C,CAAI,CAACC,KAAL,CAAW,eAAX,KACA,CAAI,CAACC,KAAL,CAAWC,IAAX,CAAgBC,KAAhB,GACApD,CAAQ,CAACqD,OAAT,CAAiB,CAAI,CAAC/B,eAAtB,CACH,CAJD,IAIO,CACHtB,CAAQ,CAACsD,KAAT,CAAe,CAAI,CAAC/C,OAAL,CAAagD,iBAA5B,EACA,CAAI,CAAClC,aAAL,GACH,CACJ,CAbD,EAaGmC,KAbH,CAaS,UAAO,CACZxD,CAAQ,CAACsD,KAAT,CAAe,CAAI,CAAC/C,OAAL,CAAagD,iBAA5B,CACH,CAfD,EAeGE,OAfH,CAeW,UAAM,CACb,CAAI,CAACpC,aAAL,GACH,CAjBD,CAkBH,CAzCK,CA2CN+B,KA3CM,iBA2CG,CACL,KAAKH,KAAL,CAAW,eAAX,KACA,KAAKC,KAAL,CAAWC,IAAX,CAAgBO,eAAhB,EACH,CA9CK,CAgDNC,WAhDM,uBAgDQ,CACV,KAAKV,KAAL,CAAW,eAAX,IACH,CAlDK,CA/HQ,CAqLzB,CA1LK,CAAN", - "sourcesContent": [ - "define([\r\n \"local_notemyprogress/axios\",\r\n \"local_notemyprogress/alertify\",\r\n ],\r\n function (Axios, Alertify){\r\n const emailform = {\r\n template:`\r\n <v-main mt-10>\r\n <v-row>\r\n <v-col sm=\"12\">\r\n <v-dialog\r\n v-model=\"dialog\"\r\n width=\"800\"\r\n @click:outside=\"closeDialog()\"\r\n @keydown.esc=\"closeDialog()\"\r\n >\r\n <v-card>\r\n <v-toolbar color=\"#118AB2\" dark>\r\n <span v-text=\"emailform_title\"></span>\r\n <v-spacer></v-spacer>\r\n <v-btn icon @click=\"reset\">\r\n <v-icon v-text=\"close_icon\"></v-icon>\r\n </v-btn>\r\n </v-toolbar>\r\n \r\n <v-container>\r\n <v-row>\r\n <v-col cols=\"12\" sm=\"12\">\r\n \r\n <v-chip class=\"ma-2\" color=\"#118AB2\" label dark>\r\n <span v-text=\"recipients\"></span>\r\n </v-chip>\r\n \r\n <template v-for=\"(user, index, key) in selected_users\">\r\n <v-chip class=\"ma-2\">\r\n <v-avatar left>\r\n <img :src=\"get_picture_url(user.id)\">\r\n </v-avatar>\r\n <span>{{user.firstname}} {{user.lastname}}</span>\r\n </v-chip>\r\n </template>\r\n \r\n </v-col>\r\n </v-row>\r\n \r\n <v-row>\r\n <v-col cols=\"12\" sm=\"12\">\r\n <v-form ref=\"form\" v-model=\"valid_form\">\r\n <v-text-field\r\n v-model=\"strings.subject\"\r\n :label=\"subject_label\"\r\n :rules=\"subject_rules\"\r\n required\r\n solo\r\n ></v-text-field>\r\n \r\n <v-textarea\r\n v-model=\"message\"\r\n :label=\"message_label\"\r\n :rules=\"message_rules\"\r\n required\r\n solo\r\n ></v-textarea>\r\n \r\n <v-btn @click=\"submit\" :disabled=\"!valid_form\">\r\n <span v-text=\"submit_button\"></span>\r\n </v-btn>\r\n \r\n <v-btn @click=\"reset\">\r\n <span v-text=\"cancel_button\"></span>\r\n </v-btn>\r\n \r\n <v-spacer></v-spacer>\r\n \r\n </v-form>\r\n </v-col>\r\n </v-row>\r\n </v-container>\r\n \r\n </v-card>\r\n </v-dialog>\r\n </v-col>\r\n </v-row>\r\n \r\n <v-row>\r\n <v-col sm=\"12\">\r\n <div class=\"text-center\">\r\n <v-dialog\r\n v-model=\"loader_dialog\"\r\n persistent\r\n width=\"300\"\r\n >\r\n <v-card color=\"#118AB2\" dark>\r\n <v-card-text>\r\n <span v-text=\"sending_text\"></span>\r\n <v-progress-linear\r\n indeterminate\r\n color=\"white\"\r\n class=\"mb-0\"\r\n ></v-progress-linear>\r\n </v-card-text>\r\n </v-card>\r\n </v-dialog>\r\n </div>\r\n </v-col>\r\n </v-row>\r\n </v-main>\r\n `,\r\n props:['dialog', 'selected_users', 'strings', 'moduleid', 'modulename', 'courseid', 'userid'],\r\n data(){\r\n return {\r\n close_icon: 'mdi-minus',\r\n valid_form: true,\r\n subject_label: this.strings.subject_label,\r\n subject_rules: [\r\n v => !!v || this.strings.validation_subject_text,\r\n ],\r\n message: '',\r\n message_label: this.strings.message_label,\r\n message_rules: [\r\n v => !!v || this.strings.validation_message_text,\r\n ],\r\n submit_button: this.strings.submit_button,\r\n cancel_button: this.strings.cancel_button,\r\n emailform_title: this.strings.emailform_title,\r\n sending_text: this.strings.sending_text,\r\n recipients: this.strings.recipients_label,\r\n\r\n loader_dialog: false,\r\n mailsended_text: this.strings.mailsended_text,\r\n }\r\n },\r\n methods : {\r\n get_picture_url(userid){\r\n let url = `${M.cfg.wwwroot}/user/pix.php?file=/${userid}/f1.jpg`;\r\n return url;\r\n },\r\n\r\n submit () {\r\n let recipients = \"\";\r\n this.selected_users.forEach(item => {\r\n recipients=recipients.concat(item.id,\",\");\r\n });\r\n this.loader_dialog = true;\r\n this.errors = [];\r\n let data = {\r\n action : \"sendmail\",\r\n subject : this.strings.subject,\r\n recipients : recipients,\r\n text : this.message,\r\n userid : this.userid,\r\n courseid : this.courseid,\r\n moduleid : this.moduleid,\r\n modulename : this.modulename,\r\n };\r\n Axios({\r\n method:'get',\r\n url: M.cfg.wwwroot + \"/local/notemyprogress/ajax.php\",\r\n params : data,\r\n }).then((response) => {\r\n if (response.status == 200 && response.data.ok) {\r\n this.$emit('update_dialog', false);\r\n this.$refs.form.reset();\r\n Alertify.success(this.mailsended_text);\r\n } else {\r\n Alertify.error(this.strings.api_error_network);\r\n this.loader_dialog = false;\r\n }\r\n }).catch((e) => {\r\n Alertify.error(this.strings.api_error_network);\r\n }).finally(() => {\r\n this.loader_dialog = false;\r\n });\r\n },\r\n\r\n reset () {\r\n this.$emit('update_dialog', false);\r\n this.$refs.form.resetValidation();\r\n },\r\n\r\n closeDialog() {\r\n this.$emit('update_dialog', false);\r\n }\r\n },\r\n }\r\n return emailform;\r\n})" - ], - "file": "emailform.min.js" -} diff --git a/notemyprogress/amd/src/emailform.js b/notemyprogress/amd/src/emailform.js index 9d6c011..2d67fb6 100644 --- a/notemyprogress/amd/src/emailform.js +++ b/notemyprogress/amd/src/emailform.js @@ -1,10 +1,9 @@ define([ - "local_notemyprogress/axios", - "local_notemyprogress/alertify", - ], - function (Axios, Alertify){ - const emailform = { - template:` + "local_notemyprogress/axios", + "local_notemyprogress/alertify", +], function (Axios, Alertify) { + const emailform = { + template: ` <v-main mt-10> <v-row> <v-col sm="12"> @@ -106,85 +105,101 @@ define([ </v-row> </v-main> `, - props:['dialog', 'selected_users', 'strings', 'moduleid', 'modulename', 'courseid', 'userid'], - data(){ - return { - close_icon: 'mdi-minus', - valid_form: true, - subject_label: this.strings.subject_label, - subject_rules: [ - v => !!v || this.strings.validation_subject_text, - ], - message: '', - message_label: this.strings.message_label, - message_rules: [ - v => !!v || this.strings.validation_message_text, - ], - submit_button: this.strings.submit_button, - cancel_button: this.strings.cancel_button, - emailform_title: this.strings.emailform_title, - sending_text: this.strings.sending_text, - recipients: this.strings.recipients_label, + props: [ + "dialog", + "selected_users", + "strings", + "moduleid", + "modulename", + "courseid", + "userid", + ], + data() { + return { + close_icon: "mdi-minus", + valid_form: true, + subject_label: this.strings.subject_label, + subject_rules: [(v) => !!v || this.strings.validation_subject_text], + message: "", + message_label: this.strings.message_label, + message_rules: [(v) => !!v || this.strings.validation_message_text], + submit_button: this.strings.submit_button, + cancel_button: this.strings.cancel_button, + emailform_title: this.strings.emailform_title, + sending_text: this.strings.sending_text, + recipients: this.strings.recipients_label, - loader_dialog: false, - mailsended_text: this.strings.mailsended_text, - } - }, - methods : { - get_picture_url(userid){ - let url = `${M.cfg.wwwroot}/user/pix.php?file=/${userid}/f1.jpg`; - return url; - }, + loader_dialog: false, + mailsended_text: this.strings.mailsended_text, + }; + }, + methods: { + get_picture_url(userid) { + let url = `${M.cfg.wwwroot}/user/pix.php?file=/${userid}/f1.jpg`; + return url; + }, - submit () { - let recipients = ""; - this.selected_users.forEach(item => { - recipients=recipients.concat(item.id,","); - }); - this.loader_dialog = true; - this.errors = []; - let data = { - action : "sendmail", - subject : this.strings.subject, - recipients : recipients, - text : this.message, - userid : this.userid, - courseid : this.courseid, - moduleid : this.moduleid, - modulename : this.modulename, - }; - Axios({ - method:'get', - url: M.cfg.wwwroot + "/local/notemyprogress/ajax.php", - params : data, - }).then((response) => { - if (response.status == 200 && response.data.ok) { - this.$emit('update_dialog', false); - this.$refs.form.reset(); - Alertify.success(this.mailsended_text); - if(typeof this.$parent.$root.addLogsIntoDB === "function") { - this.$parent.$root.addLogsIntoDB("sent", this.$parent.$root.email_object_name, "email", "Sent an email"); - } - } else { - Alertify.error(this.strings.api_error_network); - this.loader_dialog = false; - } - }).catch((e) => { - Alertify.error(this.strings.api_error_network); - }).finally(() => { - this.loader_dialog = false; - }); - }, + submit() { + let recipients = ""; + this.selected_users.forEach((item) => { + recipients = recipients.concat(item.id, ","); + }); + this.loader_dialog = true; + this.errors = []; + let data = { + action: "sendmail", + subject: this.strings.subject, + recipients: recipients, + text: this.message, + userid: this.userid, + courseid: this.courseid, + moduleid: this.moduleid, + modulename: this.modulename, + }; + Axios({ + method: "get", + url: M.cfg.wwwroot + "/local/notemyprogress/ajax.php", + params: data, + }) + .then((response) => { + if (response.status == 200 && response.data.ok) { + this.$emit("update_dialog", false); + this.$refs.form.reset(); + Alertify.success(this.mailsended_text); + if (typeof this.$parent.$root.addLogsIntoDB === "function") { + this.$parent.$root.addLogsIntoDB( + "SendedTo(" + + this.email_object_name + + "," + + this.email_users + + ")", + this.$parent.$root.email_object_name, + "email", + "Sent an email" + ); + } + } else { + Alertify.error(this.strings.api_error_network); + this.loader_dialog = false; + } + }) + .catch((e) => { + Alertify.error(this.strings.api_error_network); + }) + .finally(() => { + this.loader_dialog = false; + }); + }, - reset () { - this.$emit('update_dialog', false); - this.$refs.form.resetValidation(); - }, + reset() { + this.$emit("update_dialog", false); + this.$refs.form.resetValidation(); + }, - closeDialog() { - this.$emit('update_dialog', false); - } - }, - } - return emailform; -}) \ No newline at end of file + closeDialog() { + this.$emit("update_dialog", false); + }, + }, + }; + return emailform; +}); diff --git a/notemyprogress/classes/student.php b/notemyprogress/classes/student.php index b842328..a478ead 100644 --- a/notemyprogress/classes/student.php +++ b/notemyprogress/classes/student.php @@ -211,7 +211,7 @@ class student extends report if (!empty($weekcode)) { $week = self::find_week($weekcode); } - + //Framboise $work_sessions = self::get_work_sessions($week->weekstart, $week->weekend); $sessions = array_map(function ($user_sessions) { return $user_sessions->sessions; diff --git a/notemyprogress/db/install.php b/notemyprogress/db/install.php index 2b8a121..1dcd57d 100644 --- a/notemyprogress/db/install.php +++ b/notemyprogress/db/install.php @@ -140,5 +140,52 @@ function xmldb_local_notemyprogress_install() $answer->questionid = $questionid; $answer->enunciated = 'answers_number_four_option_four'; $DB->insert_record("notemyprogress_answers", $answer, true); + + // TODO : rename the table FlipLearning to NoteMyProgress to keep the data from the versions older than 4.0 + //* fliplearning_clustering -> notemyprogress_clustering + //* fliplearning_instances -> notemyprogress_instances + //* fliplearning_logs -> notemyprogress_logs + //* fliplearning_sections -> notemyprogress_sections + //* fliplearning_weeks -> notemyprogress_weeks + //? Algorithm idea : + //? Initial state : table generated normally and old tables potentially present + //? 1 : vefrifier if exist the old tables (Fliplearning) + //? 2 : If they exist drop the new similar tables + //? 3 : rename the old tables like the news that we have just deleted + try{ + $table1 = $DB->get_record_sql("SELECT count(*) from {fliplearning_clustering}"); + $DB->execute("DROP TABLE {notemyprogress_clustering}"); + $DB->execute("RENAME TABLE {fliplearning_clustering} TO {notemyprogress_clustering}"); + }catch(Exception $e){ + //this table do not exist + } + try{ + $table1 = $DB->get_record_sql("SELECT count(*) from {fliplearning_instances}"); + $DB->execute("DROP TABLE {notemyprogress_instances}"); + $DB->execute("RENAME TABLE {fliplearning_instances} TO {notemyprogress_instances}"); + }catch(Exception $e){ + //this table do not exist + } + try{ + $table1 = $DB->get_record_sql("SELECT count(*) from {fliplearning_logs}"); + $DB->execute("DROP TABLE {notemyprogress_logs}"); + $DB->execute("RENAME TABLE {fliplearning_logs} TO {notemyprogress_logs}"); + }catch(Exception $e){ + //this table do not exist + } + try{ + $table1 = $DB->get_record_sql("SELECT count(*) from {fliplearning_sections}"); + $DB->execute("DROP TABLE {notemyprogress_sections}"); + $DB->execute("RENAME TABLE {fliplearning_sections} TO {notemyprogress_sections}"); + }catch(Exception $e){ + //this table do not exist + } + try{ + $table1 = $DB->get_record_sql("SELECT count(*) from {fliplearning_weeks}"); + $DB->execute("DROP TABLE {notemyprogress_weeks}"); + $DB->execute("RENAME TABLE {fliplearning_weeks} TO {notemyprogress_weeks}"); + }catch(Exception $e){ + //this table do not exist + } } \ No newline at end of file diff --git a/notemyprogress/student.php b/notemyprogress/student.php index 21ee848..74ec104 100644 --- a/notemyprogress/student.php +++ b/notemyprogress/student.php @@ -76,7 +76,6 @@ $content = [ "user_grades_help_description_p1" => get_string("sg_user_grades_help_description_p1", "local_notemyprogress"), "user_grades_help_description_p2" => get_string("sg_user_grades_help_description_p2", "local_notemyprogress"), "user_grades_help_description_p3" => get_string("sg_user_grades_help_description_p3", "local_notemyprogress"), - "title" => get_string("menu_general", "local_notemyprogress"), "chart" => $reports->get_chart_langs(), "no_data" => get_string("no_data", "local_notemyprogress"), @@ -86,6 +85,7 @@ $content = [ "helplabel" => get_string("helplabel", "local_notemyprogress"), "exitbutton" => get_string("exitbutton", "local_notemyprogress"), "about" => get_string("nmp_about", "local_notemyprogress"), + "weeks" => array( get_string("nmp_week1", "local_notemyprogress"), get_string("nmp_week2", "local_notemyprogress"), @@ -94,6 +94,7 @@ $content = [ get_string("nmp_week5", "local_notemyprogress"), get_string("nmp_week6", "local_notemyprogress"), ), + "modules_strings" => array( "title" => get_string("nmp_modules_access_chart_title","local_notemyprogress"), "modules_no_viewed" => get_string("nmp_modules_no_viewed","local_notemyprogress"), -- GitLab From 0c1c4ee0268cc01ce2aec45df4637fae6ee4bc6c Mon Sep 17 00:00:00 2001 From: Yoshi5123 <alexis.duval2002@gmail.com> Date: Wed, 6 Jul 2022 09:44:55 +0200 Subject: [PATCH 2/8] Add cancel button on setweeks page --- notemyprogress/amd/build/setweeks.js | 440 ++++++++++++++++++ notemyprogress/amd/build/setweeks.min.js | 1 - notemyprogress/classes/student.php | 2 +- .../lang/en/local_notemyprogress.php | 28 +- notemyprogress/student.php | 2 - notemyprogress/styles.css | 3 + notemyprogress/templates/setweeks.mustache | 12 +- 7 files changed, 464 insertions(+), 24 deletions(-) create mode 100644 notemyprogress/amd/build/setweeks.js delete mode 100644 notemyprogress/amd/build/setweeks.min.js diff --git a/notemyprogress/amd/build/setweeks.js b/notemyprogress/amd/build/setweeks.js new file mode 100644 index 0000000..e146ee0 --- /dev/null +++ b/notemyprogress/amd/build/setweeks.js @@ -0,0 +1,440 @@ +define([ + "local_notemyprogress/vue", + "local_notemyprogress/vuetify", + "local_notemyprogress/axios", + "local_notemyprogress/sortablejs", + "local_notemyprogress/draggable", + "local_notemyprogress/datepicker", + "local_notemyprogress/moment", + "local_notemyprogress/alertify", + "local_notemyprogress/pageheader", +], function ( + Vue, + Vuetify, + Axios, + Sortable, + Draggable, + Datepicker, + Moment, + Alertify, + Pageheader +) { + "use strict"; + + function init(content) { + content = add_collapsabled_property_to_weeks(content); + Vue.use(Vuetify); + Vue.component("draggable", Draggable); + Vue.component("datepicker", Datepicker); + Vue.component("pageheader", Pageheader); + const app = new Vue({ + delimiters: ["[[", "]]"], + el: "#setweeks", + vuetify: new Vuetify(), + data: { + display_settings: false, + settings: content.settings, + new_group: false, + scroll_mode: false, + weeks_started_at: new Date( + Moment(Number(content.weeks[0].weekstart) * 1000) + ), // will be cloned in the cachedValues cache + strings: content.strings, + sections: content.sections, // will be cloned in the cachedValues cache + courseid: content.courseid, + userid: content.userid, + raw_weeks: content.weeks, // will be cloned in the cachedValues cache + disabled_dates: { + days: [0, 2, 3, 4, 5, 6], + }, + saving_loader: false, + error_messages: [], + save_successful: false, + form_identical: true, + }, + mounted() { + document.querySelector("#setweeks-loader").style.display = "none"; + document.querySelector("#setweeks").style.display = "block"; + this.cache_weeks_started_at = new Date(this.weeks_started_at.getTime()); + this.cache_sections = JSON.parse(JSON.stringify(this.sections)); + this.cache_raw_weeks = JSON.parse(JSON.stringify(this.raw_weeks)); + }, + computed: { + weeks() { + for (let i = 0; i < this.raw_weeks.length; i++) { + let week = this.raw_weeks[i]; + if (i == 0) { + let start_weeks = this.weeks_started_at; + week.weekstart = start_weeks; + week.weekend = this.get_end_week(this.weeks_started_at); + } else { + week.weekstart = this.get_start_week( + this.raw_weeks[i - 1].weekend + ); + week.weekend = this.get_end_week(week.weekstart); + } + } + return this.raw_weeks; + }, + cache_weeks() { + for (let i = 0; i < this.cache_raw_weeks.length; i++) { + let week = this.cache_raw_weeks[i]; + if (i == 0) { + let start_weeks = this.cache_weeks_started_at; + week.weekstart = start_weeks; + week.weekend = this.get_end_week(this.cache_weeks_started_at); + } else { + week.weekstart = this.get_start_week( + this.cache_raw_weeks[i - 1].weekend + ); + week.weekend = this.get_end_week(week.weekstart); + } + } + return this.cache_raw_weeks; + }, + }, + + methods: { + + form_changed(){ + this.form_identical = false; + }, + cache_save() { + this.cache_weeks_started_at = new Date(this.weeks_started_at.getTime()); + this.cache_sections = JSON.parse(JSON.stringify(this.sections)); + this.cache_raw_weeks = JSON.parse(JSON.stringify(this.raw_weeks)); + this.form_identical = true; + //this.watcher_called = false; + }, + cache_cancel() { + this.weeks_started_at = new Date(this.cache_weeks_started_at.getTime()); + this.sections = JSON.parse(JSON.stringify(this.cache_sections)); + this.raw_weeks = JSON.parse(JSON.stringify(this.cache_raw_weeks)); + this.form_identical = true; + //this.watcher_called = false; + //console.log("cache_cancel end"); + }, + + section_name(section) { + let name = null; + if ( + typeof section.section_name != "undefined" && + section.section_name.length > 0 + ) { + name = section.section_name; + } else { + name = section.name; + } + return name; + }, + + section_exist(section) { + let exist = true; + if ( + typeof section != "undefined" && + typeof section.exists != "undefined" && + section.exists == false + ) { + exist = false; + } + return exist; + }, + + format_name(name, position) { + return name + " " + (position + 1); + }, + + customFormatter(date) { + let weeks_start_at = Moment(date).format("YYYY-MM-DD"); + return weeks_start_at; + }, + + add_week() { + this.raw_weeks.push({ + name: this.strings.week, + position: this.weeks.length + 1, + weekstart: null, + weekend: null, + collapsabled: false, + hours_dedications: 0, + removable: true, + sections: [], + }); + this.form_changed(); + }, + + has_items(array) { + return array.length > 0; + }, + + remove_week(week, index) { + if (index == 0) { + return null; + } + this.close_delete_confirm(); + for (let i = 0; i < week.sections.length; i++) { + this.sections.push(week.sections[i]); + } + let element_index = this.raw_weeks.indexOf(week); + this.raw_weeks.splice(element_index, 1); + this.form_changed(); + }, + + ask_delete_confirm() { + this.delete_confirm = true; + }, + + close_delete_confirm() { + this.delete_confirm = false; + }, + + get_start_week(pass_week) { + let start_date = Moment(Moment(pass_week).add(1, "days")).format( + "YYYY-MM-DD" + ); + return start_date; + }, + + get_end_week(start_week) { + let end_date = Moment(Moment(start_week).add(6, "days")).format( + "YYYY-MM-DD" + ); + return end_date; + }, + + get_date_next_day(requested_day, date, output_format = null) { + requested_day = requested_day.toLowerCase(); + let current_day = Moment(date).format("dddd").toLowerCase(); + while (current_day != requested_day) { + date = Moment(date).add(1, "days"); + current_day = Moment(date).format("dddd").toLowerCase(); + } + if (output_format) { + date = date.format(output_format); + } else { + if (typeof date != "number") { + date = parseInt(date.format("x")); + } + } + return date; + }, + + position(index) { + index++; + return `${index} - `; + }, + + save_changes() { + this.save_successful = false; + this.error_messages = []; + if (this.empty_weeks()) { + this.saving_loader = false; + Alertify.error(this.strings.error_empty_week); + this.error_messages.push(this.strings.error_empty_week); + return false; + } + if (this.weeks_deleted_from_course()) { + this.saving_loader = false; + this.error_messages.push(this.strings.error_section_removed); + return false; + } + + Alertify.confirm( + this.strings.save_warning_content, + () => { + this.saving_loader = true; + var weeks = this.weeks; + weeks[0].weekstart = Moment(weeks[0].weekstart).format( + "YYYY-MM-DD" + ); + var data = { + action: "saveconfigweek", + userid: this.userid, + courseid: this.courseid, + newinstance: this.new_group, + weeks: this.minify_query(weeks), // Stringify is a hack to clone object :D + }; + + Axios({ + method: "get", + url: M.cfg.wwwroot + "/local/notemyprogress/ajax.php", + params: data, + }) + .then((response) => { + if (response.status == 200 && response.data.ok) { + this.settings = response.data.data.settings; + Alertify.success(this.strings.save_successful); + this.save_successful = true; + this.cache_save(); + } else { + Alertify.error(this.strings.error_network); + this.error_messages.push(this.strings.error_network); + } + }) + .catch((e) => { + console.log("catch1"); + Alertify.error(this.strings.error_network); + console.log("catch2"); + this.error_messages.push(this.strings.error_network); + console.log("catch3"); + }) + .finally(() => { + this.saving_loader = false; + //this.addLogsIntoDB("saved", "configuration", "weeks", "Saved a new configuration for the weeks !"); + }); + }, + () => { + // ON CANCEL + this.saving_loader = false; + Alertify.warning(this.strings.cancel_action); + } + ) + .set({ title: this.strings.save_warning_title }) + .set({ + labels: { + cancel: this.strings.confirm_cancel, + ok: this.strings.confirm_ok, + }, + }); + }, + + minify_query(weeks) { + var minify = []; + weeks.forEach((week) => { + var wk = new Object(); + wk.h = week.hours_dedications; + wk.s = week.weekstart; + wk.e = week.weekend; + wk.sections = []; + week.sections.forEach((section) => { + var s = new Object(); + s.sid = section.sectionid; + wk.sections.push(s); + }); + minify.push(wk); + }); + return JSON.stringify(minify); + }, + + empty_weeks() { + if (this.weeks.length >= 2 && this.weeks[0].sections.length < 1) { + return true; + } + for (let i = 0; i < this.weeks.length; i++) { + if (i > 0 && this.weeks[i].sections.length <= 0) { + return true; + } + } + return false; + }, + + weeks_deleted_from_course() { + for ( + var week_position = 0; + week_position < this.weeks.length; + week_position++ + ) { + for ( + var section_position = 0; + section_position < this.weeks[week_position].sections.length; + section_position++ + ) { + if ( + !this.section_exist( + this.weeks[week_position].sections[section_position] + ) + ) { + return true; + } + } + } + return false; + }, + + exists_mistakes() { + let exists_mistakes = this.error_messages.length > 0; + return exists_mistakes; + }, + + change_collapsabled(index) { + this.raw_weeks[index].collapsabled = + !this.raw_weeks[index].collapsabled; + this.form_changed(); + }, + + course_finished() { + let finished = false; + let last = this.weeks.length - 1; + let end = Moment(this.weeks[last].weekend).format("X"); + let now = Moment().format("X"); + if (now > end) { + finished = true; + } else { + finished = false; + } + return finished; + }, + + get_settings_status() { + let visible = true; + Object.keys(this.settings).map((key) => { + if (!this.settings[key]) { + visible = false; + } + }); + let status = visible + ? this.strings.plugin_visible + : this.strings.plugin_hidden; + return status; + }, + + get_help_content() { + var help_contents = []; + var help = new Object(); + help.title = this.strings.title; + help.description = this.strings.description; + help_contents.push(help); + return help_contents; + }, + + addLogsIntoDB(action, objectName, objectType, objectDescription) { + let data = { + courseid: content.courseid, + userid: content.userid, + action: "addLogs", + sectionname: "CONFIGURATION_COURSE_WEEK", + actiontype: action, + objectType: objectType, + objectName: objectName, + currentUrl: document.location.href, + objectDescription: objectDescription, + }; + Axios({ + method: "get", + url: M.cfg.wwwroot + "/local/notemyprogress/ajax.php", + params: data, + }) + .then((response) => { + if (response.status == 200 && response.data.ok) { + } + }) + .catch((e) => {}); + }, + }, + }); + } + + function add_collapsabled_property_to_weeks(content) { + for (let i = 0; i < content.weeks.length; i++) { + let week = content.weeks[i]; + if (typeof week.collapsabled == "undefined") { + week.collapsabled = false; + } + } + return content; + } + + return { + init: init, + }; +}); diff --git a/notemyprogress/amd/build/setweeks.min.js b/notemyprogress/amd/build/setweeks.min.js deleted file mode 100644 index b23f6f7..0000000 --- a/notemyprogress/amd/build/setweeks.min.js +++ /dev/null @@ -1 +0,0 @@ -define(["local_notemyprogress/vue","local_notemyprogress/vuetify","local_notemyprogress/axios","local_notemyprogress/sortablejs","local_notemyprogress/draggable","local_notemyprogress/datepicker","local_notemyprogress/moment","local_notemyprogress/alertify","local_notemyprogress/pageheader"],(function(Vue,Vuetify,Axios,Sortable,Draggable,Datepicker,Moment,Alertify,Pageheader){"use strict";function init(content){content=add_collapsabled_property_to_weeks(content),Vue.use(Vuetify),Vue.component("draggable",Draggable),Vue.component("datepicker",Datepicker),Vue.component("pageheader",Pageheader);const app=new Vue({delimiters:["[[","]]"],el:"#setweeks",vuetify:new Vuetify,data:{display_settings:!1,settings:content.settings,new_group:!1,scroll_mode:!1,weeks_started_at:new Date(Moment(1e3*Number(content.weeks[0].weekstart))),strings:content.strings,sections:content.sections,courseid:content.courseid,userid:content.userid,raw_weeks:content.weeks,disabled_dates:{days:[0,2,3,4,5,6]},saving_loader:!1,error_messages:[],save_successful:!1},mounted(){document.querySelector("#setweeks-loader").style.display="none",document.querySelector("#setweeks").style.display="block"},computed:{weeks(){for(let i=0;i<this.raw_weeks.length;i++){let week=this.raw_weeks[i];if(0==i){let start_weeks=this.weeks_started_at;week.weekstart=start_weeks,week.weekend=this.get_end_week(this.weeks_started_at)}else week.weekstart=this.get_start_week(this.raw_weeks[i-1].weekend),week.weekend=this.get_end_week(week.weekstart)}return this.raw_weeks}},methods:{section_name(section){let name=null;return name=void 0!==section.section_name&§ion.section_name.length>0?section.section_name:section.name,name},section_exist(section){let exist=!0;return void 0!==section&&void 0!==section.exists&&0==section.exists&&(exist=!1),exist},format_name:(name,position)=>name+" "+(position+1),customFormatter(date){let weeks_start_at;return Moment(date).format("YYYY-MM-DD")},add_week(){this.raw_weeks.push({name:this.strings.week,position:this.weeks.length+1,weekstart:null,weekend:null,collapsabled:!1,hours_dedications:0,removable:!0,sections:[]})},has_items:array=>array.length>0,remove_week(week,index){if(0==index)return null;this.close_delete_confirm();for(let i=0;i<week.sections.length;i++)this.sections.push(week.sections[i]);let element_index=this.raw_weeks.indexOf(week);this.raw_weeks.splice(element_index,1)},ask_delete_confirm(){this.delete_confirm=!0},close_delete_confirm(){this.delete_confirm=!1},get_start_week(pass_week){let start_date;return Moment(Moment(pass_week).add(1,"days")).format("YYYY-MM-DD")},get_end_week(start_week){let end_date;return Moment(Moment(start_week).add(6,"days")).format("YYYY-MM-DD")},get_date_next_day(requested_day,date,output_format=null){requested_day=requested_day.toLowerCase();let current_day=Moment(date).format("dddd").toLowerCase();for(;current_day!=requested_day;)date=Moment(date).add(1,"days"),current_day=Moment(date).format("dddd").toLowerCase();return output_format?date=date.format(output_format):"number"!=typeof date&&(date=parseInt(date.format("x"))),date},position:index=>`${++index} - `,save_changes(){return this.save_successful=!1,this.error_messages=[],this.empty_weeks()?(this.saving_loader=!1,Alertify.error(this.strings.error_empty_week),this.error_messages.push(this.strings.error_empty_week),!1):this.weeks_deleted_from_course()?(this.saving_loader=!1,this.error_messages.push(this.strings.error_section_removed),!1):void Alertify.confirm(this.strings.save_warning_content,()=>{this.saving_loader=!0;var weeks=this.weeks;weeks[0].weekstart=Moment(weeks[0].weekstart).format("YYYY-MM-DD");var data={action:"saveconfigweek",userid:this.userid,courseid:this.courseid,newinstance:this.new_group,weeks:this.minify_query(weeks)};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{console.log("then1"),200==response.status&&response.data.ok?(console.log("then1.2"),this.settings=response.data.data.settings,console.log("then1.3"),Alertify.success(this.strings.save_successful),console.log("then1.4"),this.save_successful=!0,console.log("then1.5")):(console.log("then1.6"),Alertify.error(this.strings.error_network),console.log("then1.7"),this.error_messages.push(this.strings.error_network),console.log("then1.8"))}).catch(e=>{console.log("catch1"),Alertify.error(this.strings.error_network),console.log("catch2"),this.error_messages.push(this.strings.error_network),console.log("catch3")}).finally(()=>{console.log("finally1"),this.saving_loader=!1,console.log("finally2")})},()=>{this.saving_loader=!1,Alertify.warning(this.strings.cancel_action)}).set({title:this.strings.save_warning_title}).set({labels:{cancel:this.strings.confirm_cancel,ok:this.strings.confirm_ok}})},minify_query(weeks){var minify=[];return weeks.forEach(week=>{var wk=new Object;wk.h=week.hours_dedications,wk.s=week.weekstart,wk.e=week.weekend,wk.sections=[],week.sections.forEach(section=>{var s=new Object;s.sid=section.sectionid,wk.sections.push(s)}),minify.push(wk)}),JSON.stringify(minify)},empty_weeks(){if(this.weeks.length>=2&&this.weeks[0].sections.length<1)return!0;for(let i=0;i<this.weeks.length;i++)if(i>0&&this.weeks[i].sections.length<=0)return!0;return!1},weeks_deleted_from_course(){for(var week_position=0;week_position<this.weeks.length;week_position++)for(var section_position=0;section_position<this.weeks[week_position].sections.length;section_position++)if(!this.section_exist(this.weeks[week_position].sections[section_position]))return!0;return!1},exists_mistakes(){let exists_mistakes;return this.error_messages.length>0},change_collapsabled(index){this.raw_weeks[index].collapsabled=!this.raw_weeks[index].collapsabled},course_finished(){let finished=!1,last=this.weeks.length-1,end=Moment(this.weeks[last].weekend).format("X"),now;return finished=Moment().format("X")>end,finished},get_settings_status(){let visible=!0,status;return Object.keys(this.settings).map(key=>{this.settings[key]||(visible=!1)}),visible?this.strings.plugin_visible:this.strings.plugin_hidden},get_help_content(){var help_contents=[],help=new Object;return help.title=this.strings.title,help.description=this.strings.description,help_contents.push(help),help_contents},addLogsIntoDB(action,objectName,objectType,objectDescription){let data={courseid:content.courseid,userid:content.userid,action:"addLogs",sectionname:"CONFIGURATION_COURSE_WEEK",actiontype:action,objectType:objectType,objectName:objectName,currentUrl:document.location.href,objectDescription:objectDescription};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok}).catch(e=>{})}}})}function add_collapsabled_property_to_weeks(content){for(let i=0;i<content.weeks.length;i++){let week=content.weeks[i];void 0===week.collapsabled&&(week.collapsabled=!1)}return content}return{init:init}})); \ No newline at end of file diff --git a/notemyprogress/classes/student.php b/notemyprogress/classes/student.php index a478ead..b842328 100644 --- a/notemyprogress/classes/student.php +++ b/notemyprogress/classes/student.php @@ -211,7 +211,7 @@ class student extends report if (!empty($weekcode)) { $week = self::find_week($weekcode); } - //Framboise + $work_sessions = self::get_work_sessions($week->weekstart, $week->weekend); $sessions = array_map(function ($user_sessions) { return $user_sessions->sessions; diff --git a/notemyprogress/lang/en/local_notemyprogress.php b/notemyprogress/lang/en/local_notemyprogress.php index 1a02809..2881fe6 100644 --- a/notemyprogress/lang/en/local_notemyprogress.php +++ b/notemyprogress/lang/en/local_notemyprogress.php @@ -1099,13 +1099,13 @@ $string['group_allstudent'] = "All students"; $string['nmp_use_navbar_menu'] = 'Activate new menu'; $string['nmp_use_navbar_menu_desc'] = 'Display the plugin menu in the top navigation bar, otherwise it will include the menu in the navigation block.'; /* Gamification */ -$string['tg_tab1']="Chart"; -$string['tg_tab2']="Ranking"; -$string['tg_tab3']="My profile"; -$string['EnableGame']="Disable/Enable :"; -$string['studentRanking1']="Do you want to appear in the Ranking Board ?"; -$string['studentRanking2']=" /!\ All the registered in this course having accepted you will see. Accepting is final:"; -$string['studentRanking3']="Accept"; +$string['tg_tab1'] = "Chart"; +$string['tg_tab2'] = "Ranking"; +$string['tg_tab3'] = "My profile"; +$string['EnableGame'] = "Disable/Enable :"; +$string['studentRanking1'] = "Do you want to appear in the Ranking Board ?"; +$string['studentRanking2'] = " /!\ All the registered in this course having accepted you will see. Accepting is final:"; +$string['studentRanking3'] = "Accept"; $string['gamification_denied'] = 'gamification has been desactivated by your teacher'; $string['tg_colon'] = '{$a->a}: {$a->b}'; $string['tg_section_title'] = 'Course gamification settings'; @@ -1147,8 +1147,8 @@ $string['tg_section_settings_rules'] = 'Rules setting'; $string['tg_section_settings_add_rule'] = 'Add new rule'; $string['tg_section_settings_earn'] = 'For this event win:'; $string['tg_section_settings_select_event'] = 'Select an event'; -$string['gm_Chart_Title']='Spreading chart'; -$string['gm_Chart_Y']='Students'; +$string['gm_Chart_Title'] = 'Spreading chart'; +$string['gm_Chart_Y'] = 'Students'; $string['tg_timenow'] = 'Just now'; $string['tg_timeseconds'] = '{$a}s ago'; @@ -1168,9 +1168,7 @@ $string['nmp_api_invalid_transaction'] = 'The request is incorrect'; $string['nmp_api_invalid_profile'] = 'You cannot do this action, your profile is incorrect'; $string['nmp_api_save_successful'] = 'The data has been successfully saved on the server'; $string['nmp_api_cancel_action'] = 'You have canceled the action'; -$string['overview']='Overview : '; -$string['game_point_error']='Points are required'; -$string['game_event_error']='Event is required'; -$string['game_name_error']='Name required'; - - +$string['overview'] = 'Overview : '; +$string['game_point_error'] = 'Points are required'; +$string['game_event_error'] = 'Event is required'; +$string['game_name_error'] = 'Name required'; diff --git a/notemyprogress/student.php b/notemyprogress/student.php index 74ec104..34b5ad1 100644 --- a/notemyprogress/student.php +++ b/notemyprogress/student.php @@ -85,7 +85,6 @@ $content = [ "helplabel" => get_string("helplabel", "local_notemyprogress"), "exitbutton" => get_string("exitbutton", "local_notemyprogress"), "about" => get_string("nmp_about", "local_notemyprogress"), - "weeks" => array( get_string("nmp_week1", "local_notemyprogress"), get_string("nmp_week2", "local_notemyprogress"), @@ -94,7 +93,6 @@ $content = [ get_string("nmp_week5", "local_notemyprogress"), get_string("nmp_week6", "local_notemyprogress"), ), - "modules_strings" => array( "title" => get_string("nmp_modules_access_chart_title","local_notemyprogress"), "modules_no_viewed" => get_string("nmp_modules_no_viewed","local_notemyprogress"), diff --git a/notemyprogress/styles.css b/notemyprogress/styles.css index f0f7e48..921d06b 100644 --- a/notemyprogress/styles.css +++ b/notemyprogress/styles.css @@ -37,6 +37,9 @@ font-weight: bold; } +.btn-save { + margin: 10px; +} diff --git a/notemyprogress/templates/setweeks.mustache b/notemyprogress/templates/setweeks.mustache index c496251..ba32f28 100644 --- a/notemyprogress/templates/setweeks.mustache +++ b/notemyprogress/templates/setweeks.mustache @@ -72,9 +72,9 @@ <v-layout mb-3 mt-3> - <v-flex row justify-space-around align-center> + <v-flex row justify-space-around align-center > <strong v-text="strings.start"></strong> - <datepicker + <datepicker @input = "form_changed()" v-if="!week.removable" v-model="weeks_started_at" :use-utc="false" @@ -93,13 +93,14 @@ <v-layout justify-space-between align-center class="hours-expected-selector"> <span v-text="strings.time_dedication" class="pr-5"></span> - <v-text-field type="number" min="0" max="99" outlined v-model="raw_weeks[index].hours_dedications"></v-text-field> + <v-text-field @input = "form_changed()" type="number" min="0" max="99" outlined v-model="raw_weeks[index].hours_dedications"></v-text-field> </v-layout> </template> </v-flex> </v-layout> <draggable + @change = "form_changed()" v-if="!week.collapsabled" class="set-weeks-list" tag="ul" @@ -147,8 +148,9 @@ <v-alert v-for="(message, index, key) in error_messages" :key="key" dense outlined type="error" v-text="message" class="mb-2"></v-alert> </v-row> - <v-row class="justify-center"> - <v-btn @click="save_changes()" v-text="strings.save" class="white--text" color="#118AB2"></v-btn> + <v-row class="justify-center btn-save" > + <v-btn :disabled="form_identical" @click="cache_cancel()" v-text="strings.confirm_cancel" class="white--text" color="#118AB2"></v-btn> + <v-btn :disabled="form_identical" @click="save_changes()" v-text="strings.save" class="white--text" color="#118AB2"></v-btn> <v-progress-linear v-if="saving_loader" indeterminate color="cyan" ></v-progress-linear> </v-row> -- GitLab From 9beefd6b7ffe1803a4a26f2968e8043abcabf2d4 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Robin=20Mouni=C3=A9?= <robin.mounie@gmail.com> Date: Thu, 7 Jul 2022 09:54:07 +0200 Subject: [PATCH 3/8] =?UTF-8?q?r=C3=A9parationInterfaceSetWeek?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- .../lang/en/local_notemyprogress.php | 2 +- .../lang/fr/local_notemyprogress.php | 2 +- notemyprogress/setweeks.php | 1 + notemyprogress/templates/setweeks.mustache | 70 ++++++++++++------- 4 files changed, 48 insertions(+), 27 deletions(-) diff --git a/notemyprogress/lang/en/local_notemyprogress.php b/notemyprogress/lang/en/local_notemyprogress.php index 1a02809..97f9f1b 100644 --- a/notemyprogress/lang/en/local_notemyprogress.php +++ b/notemyprogress/lang/en/local_notemyprogress.php @@ -116,7 +116,7 @@ $string['setweeks_save_warning_title'] = "Are you sure you want to save the chan $string['setweeks_save_warning_content'] = "If you change the configuration of weeks where the course has already started, data may be lost..."; $string['setweeks_confirm_ok'] = "Save"; $string['setweeks_confirm_cancel'] = "Cancel"; -$string['setweeks_error_empty_week'] = "You cannot save changes with an empty week. Please delete it and try again."; +$string['setweeks_error_empty_week'] = "You cannot save changes with an week without content. Please delete it and try again."; $string['setweeks_new_group_title'] = "New instance of configuration"; $string['setweeks_new_group_text'] = "We have detected that your course is finished, if you wish to set up the weeks to work with new students you need to activate the button below. This will separate the data of current students from previous courses, avoiding mixing them up. "; $string['setweeks_new_group_button_label'] = "Save the configuration as a new instance"; diff --git a/notemyprogress/lang/fr/local_notemyprogress.php b/notemyprogress/lang/fr/local_notemyprogress.php index beeef18..dc056c7 100644 --- a/notemyprogress/lang/fr/local_notemyprogress.php +++ b/notemyprogress/lang/fr/local_notemyprogress.php @@ -783,7 +783,7 @@ $string['setweeks_save_warning_title'] = "Êtes-vous sûr de vouloir sauvegarder $string['setweeks_save_warning_content'] = "Si vous modifiez la configuration des semaines alors que le cours a déjà commencé, il est possible que des données soient perdues..."; $string['setweeks_confirm_ok'] = "Sauvegarder"; $string['setweeks_confirm_cancel'] = "Annuler"; -$string['setweeks_error_empty_week'] = "Impossible de sauvegarder les changements avec une semaine vide. Veuillez l'effacer et réessayer."; +$string['setweeks_error_empty_week'] = "Impossible de sauvegarder les changements avec une semaine sans sections. Veuillez l'effacer et réessayer."; $string['setweeks_new_group_title'] = "Nouvelle instance de configuration"; $string['setweeks_new_group_text'] = "Nous avons détecté que votre cours est terminé, si vous souhaitez configurer les semaines pour travailler avec de nouveaux étudiants, vous devez activer le bouton ci-dessous. Cela vous permettra de séparer les données des étudiants actuels de celles des cours précédents, en évitant de les mélanger"; $string['setweeks_new_group_button_label'] = "Enregistrer configuration comme nouvelle instance"; diff --git a/notemyprogress/setweeks.php b/notemyprogress/setweeks.php index 28089c2..7069b36 100644 --- a/notemyprogress/setweeks.php +++ b/notemyprogress/setweeks.php @@ -80,6 +80,7 @@ $content = [ "helplabel" => get_string("helplabel","local_notemyprogress"), "exitbutton" => get_string("exitbutton","local_notemyprogress"), "title_conditions" => get_string("title_conditions","local_notemyprogress"), + "nothing"=>"something", ], 'sections' => $configweeks->get_sections_without_week(), 'userid' => $USER->id, diff --git a/notemyprogress/templates/setweeks.mustache b/notemyprogress/templates/setweeks.mustache index c496251..e4eb2dc 100644 --- a/notemyprogress/templates/setweeks.mustache +++ b/notemyprogress/templates/setweeks.mustache @@ -25,21 +25,35 @@ </v-layout> <v-layout column justify-center> - <span v-text="strings.title_conditions" class="notemyprogress-sub-title text-center"></span> - <ul class="ul-setting d-flex justify-center"> - <li class="li-setting"> - <span :class="['setting-icon',{'setting-valid' : settings.has_students}]"></span> - <span v-text="strings.requirements_has_users"></span> - </li> - <li class="li-setting mr-2 ml-2"> - <span :class="['setting-icon',{'setting-valid' : settings.course_start}]"></span> - <span v-text="strings.requirements_course_start"></span> - </li> - <li class="li-setting"> - <span :class="['setting-icon',{'setting-valid' : settings.weeks}]"></span> - <span v-text="strings.requirements_has_sections"></span> - </li> - </ul> + <v-row class="justify-content-center"> + <v-col cols="12" md="4" class="d-flex"> + <v-card class="flex d-flex pl-3"> + <v-icon v-if="settings.has_students" color="green" v-text="'mdi-check-circle'"></v-icon> + <v-icon v-else color="red" v-text="'mdi-information'"></v-icon> + <v-card-text class="text-left" style="align-self: center;"> + <p class="body-2 mb-0" v-text="strings.requirements_has_users"></p> + </v-card-text> + </v-card> + </v-col> + <v-col cols="12" md="4" class="d-flex"> + <v-card class="flex d-flex pl-3"> + <v-icon v-if="settings.course_start" color="green" v-text="'mdi-check-circle'"></v-icon> + <v-icon v-else color="red" v-text="'mdi-information'"></v-icon> + <v-card-text class="text-left" style="align-self: center;"> + <p class="body-2 mb-0" v-text="strings.requirements_course_start"></p> + </v-card-text> + </v-card> + </v-col> + <v-col cols="12" md="4" class="d-flex"> + <v-card class="flex d-flex pl-3"> + <v-icon v-if="settings.weeks" color="green" v-text="'mdi-check-circle'"></v-icon> + <v-icon v-else color="red" v-text="'mdi-information'"></v-icon> + <v-card-text class="text-left" style="align-self: center;"> + <p class="body-2 mb-0" v-text="strings.requirements_has_sections"></p> + </v-card-text> + </v-card> + </v-col> + </v-row> </v-layout> <v-divider></v-divider> @@ -73,16 +87,20 @@ <v-layout mb-3 mt-3> <v-flex row justify-space-around align-center> - <strong v-text="strings.start"></strong> - <datepicker - v-if="!week.removable" - v-model="weeks_started_at" - :use-utc="false" - :disabled-dates="disabled_dates" - :format="customFormatter" - :monday-first="true"> - </datepicker> + + <strong v-text=" strings.start"></strong> + <datepicker + class="blue lighten-4" + v-if="!week.removable" + v-model="weeks_started_at" + :use-utc="false" + :disabled-dates="disabled_dates" + :format="customFormatter" + :monday-first="true"> + </datepicker> <span v-else v-text="week.weekstart"></span> + <strong v-text="nothing"></strong> + </v-flex> <v-flex row justify-space-around align-center> @@ -93,7 +111,9 @@ <v-layout justify-space-between align-center class="hours-expected-selector"> <span v-text="strings.time_dedication" class="pr-5"></span> - <v-text-field type="number" min="0" max="99" outlined v-model="raw_weeks[index].hours_dedications"></v-text-field> + <v-row> + <v-text-field type="number" min="0" max="99" outlined v-model="raw_weeks[index].hours_dedications"></v-text-field> + </v-row> </v-layout> </template> </v-flex> -- GitLab From 0597e3ef3f460f8243667c9e3e4cd9fcae340b34 Mon Sep 17 00:00:00 2001 From: Yoshi5123 <alexis.duval2002@gmail.com> Date: Thu, 7 Jul 2022 11:41:22 +0200 Subject: [PATCH 4/8] Labels hidden and multiple sections in planning of resources --- notemyprogress/amd/build/setweeks.js | 440 ------------------ notemyprogress/amd/build/setweeks.min.js | 1 + notemyprogress/classes/lib_trait.php | 10 +- notemyprogress/classes/metareflexion.php | 17 +- notemyprogress/classes/phpml/ModelManager.php | 2 +- .../SupportVectorMachine.php | 6 +- notemyprogress/classes/report.php | 1 - .../src/PackageVersions/Installer.php | 4 +- 8 files changed, 24 insertions(+), 457 deletions(-) delete mode 100644 notemyprogress/amd/build/setweeks.js create mode 100644 notemyprogress/amd/build/setweeks.min.js diff --git a/notemyprogress/amd/build/setweeks.js b/notemyprogress/amd/build/setweeks.js deleted file mode 100644 index e146ee0..0000000 --- a/notemyprogress/amd/build/setweeks.js +++ /dev/null @@ -1,440 +0,0 @@ -define([ - "local_notemyprogress/vue", - "local_notemyprogress/vuetify", - "local_notemyprogress/axios", - "local_notemyprogress/sortablejs", - "local_notemyprogress/draggable", - "local_notemyprogress/datepicker", - "local_notemyprogress/moment", - "local_notemyprogress/alertify", - "local_notemyprogress/pageheader", -], function ( - Vue, - Vuetify, - Axios, - Sortable, - Draggable, - Datepicker, - Moment, - Alertify, - Pageheader -) { - "use strict"; - - function init(content) { - content = add_collapsabled_property_to_weeks(content); - Vue.use(Vuetify); - Vue.component("draggable", Draggable); - Vue.component("datepicker", Datepicker); - Vue.component("pageheader", Pageheader); - const app = new Vue({ - delimiters: ["[[", "]]"], - el: "#setweeks", - vuetify: new Vuetify(), - data: { - display_settings: false, - settings: content.settings, - new_group: false, - scroll_mode: false, - weeks_started_at: new Date( - Moment(Number(content.weeks[0].weekstart) * 1000) - ), // will be cloned in the cachedValues cache - strings: content.strings, - sections: content.sections, // will be cloned in the cachedValues cache - courseid: content.courseid, - userid: content.userid, - raw_weeks: content.weeks, // will be cloned in the cachedValues cache - disabled_dates: { - days: [0, 2, 3, 4, 5, 6], - }, - saving_loader: false, - error_messages: [], - save_successful: false, - form_identical: true, - }, - mounted() { - document.querySelector("#setweeks-loader").style.display = "none"; - document.querySelector("#setweeks").style.display = "block"; - this.cache_weeks_started_at = new Date(this.weeks_started_at.getTime()); - this.cache_sections = JSON.parse(JSON.stringify(this.sections)); - this.cache_raw_weeks = JSON.parse(JSON.stringify(this.raw_weeks)); - }, - computed: { - weeks() { - for (let i = 0; i < this.raw_weeks.length; i++) { - let week = this.raw_weeks[i]; - if (i == 0) { - let start_weeks = this.weeks_started_at; - week.weekstart = start_weeks; - week.weekend = this.get_end_week(this.weeks_started_at); - } else { - week.weekstart = this.get_start_week( - this.raw_weeks[i - 1].weekend - ); - week.weekend = this.get_end_week(week.weekstart); - } - } - return this.raw_weeks; - }, - cache_weeks() { - for (let i = 0; i < this.cache_raw_weeks.length; i++) { - let week = this.cache_raw_weeks[i]; - if (i == 0) { - let start_weeks = this.cache_weeks_started_at; - week.weekstart = start_weeks; - week.weekend = this.get_end_week(this.cache_weeks_started_at); - } else { - week.weekstart = this.get_start_week( - this.cache_raw_weeks[i - 1].weekend - ); - week.weekend = this.get_end_week(week.weekstart); - } - } - return this.cache_raw_weeks; - }, - }, - - methods: { - - form_changed(){ - this.form_identical = false; - }, - cache_save() { - this.cache_weeks_started_at = new Date(this.weeks_started_at.getTime()); - this.cache_sections = JSON.parse(JSON.stringify(this.sections)); - this.cache_raw_weeks = JSON.parse(JSON.stringify(this.raw_weeks)); - this.form_identical = true; - //this.watcher_called = false; - }, - cache_cancel() { - this.weeks_started_at = new Date(this.cache_weeks_started_at.getTime()); - this.sections = JSON.parse(JSON.stringify(this.cache_sections)); - this.raw_weeks = JSON.parse(JSON.stringify(this.cache_raw_weeks)); - this.form_identical = true; - //this.watcher_called = false; - //console.log("cache_cancel end"); - }, - - section_name(section) { - let name = null; - if ( - typeof section.section_name != "undefined" && - section.section_name.length > 0 - ) { - name = section.section_name; - } else { - name = section.name; - } - return name; - }, - - section_exist(section) { - let exist = true; - if ( - typeof section != "undefined" && - typeof section.exists != "undefined" && - section.exists == false - ) { - exist = false; - } - return exist; - }, - - format_name(name, position) { - return name + " " + (position + 1); - }, - - customFormatter(date) { - let weeks_start_at = Moment(date).format("YYYY-MM-DD"); - return weeks_start_at; - }, - - add_week() { - this.raw_weeks.push({ - name: this.strings.week, - position: this.weeks.length + 1, - weekstart: null, - weekend: null, - collapsabled: false, - hours_dedications: 0, - removable: true, - sections: [], - }); - this.form_changed(); - }, - - has_items(array) { - return array.length > 0; - }, - - remove_week(week, index) { - if (index == 0) { - return null; - } - this.close_delete_confirm(); - for (let i = 0; i < week.sections.length; i++) { - this.sections.push(week.sections[i]); - } - let element_index = this.raw_weeks.indexOf(week); - this.raw_weeks.splice(element_index, 1); - this.form_changed(); - }, - - ask_delete_confirm() { - this.delete_confirm = true; - }, - - close_delete_confirm() { - this.delete_confirm = false; - }, - - get_start_week(pass_week) { - let start_date = Moment(Moment(pass_week).add(1, "days")).format( - "YYYY-MM-DD" - ); - return start_date; - }, - - get_end_week(start_week) { - let end_date = Moment(Moment(start_week).add(6, "days")).format( - "YYYY-MM-DD" - ); - return end_date; - }, - - get_date_next_day(requested_day, date, output_format = null) { - requested_day = requested_day.toLowerCase(); - let current_day = Moment(date).format("dddd").toLowerCase(); - while (current_day != requested_day) { - date = Moment(date).add(1, "days"); - current_day = Moment(date).format("dddd").toLowerCase(); - } - if (output_format) { - date = date.format(output_format); - } else { - if (typeof date != "number") { - date = parseInt(date.format("x")); - } - } - return date; - }, - - position(index) { - index++; - return `${index} - `; - }, - - save_changes() { - this.save_successful = false; - this.error_messages = []; - if (this.empty_weeks()) { - this.saving_loader = false; - Alertify.error(this.strings.error_empty_week); - this.error_messages.push(this.strings.error_empty_week); - return false; - } - if (this.weeks_deleted_from_course()) { - this.saving_loader = false; - this.error_messages.push(this.strings.error_section_removed); - return false; - } - - Alertify.confirm( - this.strings.save_warning_content, - () => { - this.saving_loader = true; - var weeks = this.weeks; - weeks[0].weekstart = Moment(weeks[0].weekstart).format( - "YYYY-MM-DD" - ); - var data = { - action: "saveconfigweek", - userid: this.userid, - courseid: this.courseid, - newinstance: this.new_group, - weeks: this.minify_query(weeks), // Stringify is a hack to clone object :D - }; - - Axios({ - method: "get", - url: M.cfg.wwwroot + "/local/notemyprogress/ajax.php", - params: data, - }) - .then((response) => { - if (response.status == 200 && response.data.ok) { - this.settings = response.data.data.settings; - Alertify.success(this.strings.save_successful); - this.save_successful = true; - this.cache_save(); - } else { - Alertify.error(this.strings.error_network); - this.error_messages.push(this.strings.error_network); - } - }) - .catch((e) => { - console.log("catch1"); - Alertify.error(this.strings.error_network); - console.log("catch2"); - this.error_messages.push(this.strings.error_network); - console.log("catch3"); - }) - .finally(() => { - this.saving_loader = false; - //this.addLogsIntoDB("saved", "configuration", "weeks", "Saved a new configuration for the weeks !"); - }); - }, - () => { - // ON CANCEL - this.saving_loader = false; - Alertify.warning(this.strings.cancel_action); - } - ) - .set({ title: this.strings.save_warning_title }) - .set({ - labels: { - cancel: this.strings.confirm_cancel, - ok: this.strings.confirm_ok, - }, - }); - }, - - minify_query(weeks) { - var minify = []; - weeks.forEach((week) => { - var wk = new Object(); - wk.h = week.hours_dedications; - wk.s = week.weekstart; - wk.e = week.weekend; - wk.sections = []; - week.sections.forEach((section) => { - var s = new Object(); - s.sid = section.sectionid; - wk.sections.push(s); - }); - minify.push(wk); - }); - return JSON.stringify(minify); - }, - - empty_weeks() { - if (this.weeks.length >= 2 && this.weeks[0].sections.length < 1) { - return true; - } - for (let i = 0; i < this.weeks.length; i++) { - if (i > 0 && this.weeks[i].sections.length <= 0) { - return true; - } - } - return false; - }, - - weeks_deleted_from_course() { - for ( - var week_position = 0; - week_position < this.weeks.length; - week_position++ - ) { - for ( - var section_position = 0; - section_position < this.weeks[week_position].sections.length; - section_position++ - ) { - if ( - !this.section_exist( - this.weeks[week_position].sections[section_position] - ) - ) { - return true; - } - } - } - return false; - }, - - exists_mistakes() { - let exists_mistakes = this.error_messages.length > 0; - return exists_mistakes; - }, - - change_collapsabled(index) { - this.raw_weeks[index].collapsabled = - !this.raw_weeks[index].collapsabled; - this.form_changed(); - }, - - course_finished() { - let finished = false; - let last = this.weeks.length - 1; - let end = Moment(this.weeks[last].weekend).format("X"); - let now = Moment().format("X"); - if (now > end) { - finished = true; - } else { - finished = false; - } - return finished; - }, - - get_settings_status() { - let visible = true; - Object.keys(this.settings).map((key) => { - if (!this.settings[key]) { - visible = false; - } - }); - let status = visible - ? this.strings.plugin_visible - : this.strings.plugin_hidden; - return status; - }, - - get_help_content() { - var help_contents = []; - var help = new Object(); - help.title = this.strings.title; - help.description = this.strings.description; - help_contents.push(help); - return help_contents; - }, - - addLogsIntoDB(action, objectName, objectType, objectDescription) { - let data = { - courseid: content.courseid, - userid: content.userid, - action: "addLogs", - sectionname: "CONFIGURATION_COURSE_WEEK", - actiontype: action, - objectType: objectType, - objectName: objectName, - currentUrl: document.location.href, - objectDescription: objectDescription, - }; - Axios({ - method: "get", - url: M.cfg.wwwroot + "/local/notemyprogress/ajax.php", - params: data, - }) - .then((response) => { - if (response.status == 200 && response.data.ok) { - } - }) - .catch((e) => {}); - }, - }, - }); - } - - function add_collapsabled_property_to_weeks(content) { - for (let i = 0; i < content.weeks.length; i++) { - let week = content.weeks[i]; - if (typeof week.collapsabled == "undefined") { - week.collapsabled = false; - } - } - return content; - } - - return { - init: init, - }; -}); diff --git a/notemyprogress/amd/build/setweeks.min.js b/notemyprogress/amd/build/setweeks.min.js new file mode 100644 index 0000000..4fcb9b6 --- /dev/null +++ b/notemyprogress/amd/build/setweeks.min.js @@ -0,0 +1 @@ +define(["local_notemyprogress/vue","local_notemyprogress/vuetify","local_notemyprogress/axios","local_notemyprogress/sortablejs","local_notemyprogress/draggable","local_notemyprogress/datepicker","local_notemyprogress/moment","local_notemyprogress/alertify","local_notemyprogress/pageheader"],(function(Vue,Vuetify,Axios,Sortable,Draggable,Datepicker,Moment,Alertify,Pageheader){"use strict";function init(content){content=add_collapsabled_property_to_weeks(content),Vue.use(Vuetify),Vue.component("draggable",Draggable),Vue.component("datepicker",Datepicker),Vue.component("pageheader",Pageheader);const app=new Vue({delimiters:["[[","]]"],el:"#setweeks",vuetify:new Vuetify,data:{display_settings:!1,settings:content.settings,new_group:!1,scroll_mode:!1,weeks_started_at:new Date(Moment(1e3*Number(content.weeks[0].weekstart))),strings:content.strings,sections:content.sections,courseid:content.courseid,userid:content.userid,raw_weeks:content.weeks,disabled_dates:{days:[0,2,3,4,5,6]},saving_loader:!1,error_messages:[],save_successful:!1,form_identical:!0},mounted(){document.querySelector("#setweeks-loader").style.display="none",document.querySelector("#setweeks").style.display="block",this.cache_weeks_started_at=new Date(this.weeks_started_at.getTime()),this.cache_sections=JSON.parse(JSON.stringify(this.sections)),this.cache_raw_weeks=JSON.parse(JSON.stringify(this.raw_weeks))},computed:{weeks(){for(let i=0;i<this.raw_weeks.length;i++){let week=this.raw_weeks[i];if(0==i){let start_weeks=this.weeks_started_at;week.weekstart=start_weeks,week.weekend=this.get_end_week(this.weeks_started_at)}else week.weekstart=this.get_start_week(this.raw_weeks[i-1].weekend),week.weekend=this.get_end_week(week.weekstart)}return this.raw_weeks},cache_weeks(){for(let i=0;i<this.cache_raw_weeks.length;i++){let week=this.cache_raw_weeks[i];if(0==i){let start_weeks=this.cache_weeks_started_at;week.weekstart=start_weeks,week.weekend=this.get_end_week(this.cache_weeks_started_at)}else week.weekstart=this.get_start_week(this.cache_raw_weeks[i-1].weekend),week.weekend=this.get_end_week(week.weekstart)}return this.cache_raw_weeks}},methods:{form_changed(){this.form_identical=!1},cache_save(){this.cache_weeks_started_at=new Date(this.weeks_started_at.getTime()),this.cache_sections=JSON.parse(JSON.stringify(this.sections)),this.cache_raw_weeks=JSON.parse(JSON.stringify(this.raw_weeks)),this.form_identical=!0},cache_cancel(){this.weeks_started_at=new Date(this.cache_weeks_started_at.getTime()),this.sections=JSON.parse(JSON.stringify(this.cache_sections)),this.raw_weeks=JSON.parse(JSON.stringify(this.cache_raw_weeks)),this.form_identical=!0},section_name(section){let name=null;return name=void 0!==section.section_name&§ion.section_name.length>0?section.section_name:section.name,name},section_exist(section){let exist=!0;return void 0!==section&&void 0!==section.exists&&0==section.exists&&(exist=!1),exist},format_name:(name,position)=>name+" "+(position+1),customFormatter(date){let weeks_start_at;return Moment(date).format("YYYY-MM-DD")},add_week(){this.raw_weeks.push({name:this.strings.week,position:this.weeks.length+1,weekstart:null,weekend:null,collapsabled:!1,hours_dedications:0,removable:!0,sections:[]}),this.form_changed()},has_items:array=>array.length>0,remove_week(week,index){if(0==index)return null;this.close_delete_confirm();for(let i=0;i<week.sections.length;i++)this.sections.push(week.sections[i]);let element_index=this.raw_weeks.indexOf(week);this.raw_weeks.splice(element_index,1),this.form_changed()},ask_delete_confirm(){this.delete_confirm=!0},close_delete_confirm(){this.delete_confirm=!1},get_start_week(pass_week){let start_date;return Moment(Moment(pass_week).add(1,"days")).format("YYYY-MM-DD")},get_end_week(start_week){let end_date;return Moment(Moment(start_week).add(6,"days")).format("YYYY-MM-DD")},get_date_next_day(requested_day,date,output_format=null){requested_day=requested_day.toLowerCase();let current_day=Moment(date).format("dddd").toLowerCase();for(;current_day!=requested_day;)date=Moment(date).add(1,"days"),current_day=Moment(date).format("dddd").toLowerCase();return output_format?date=date.format(output_format):"number"!=typeof date&&(date=parseInt(date.format("x"))),date},position:index=>`${++index} - `,save_changes(){return this.save_successful=!1,this.error_messages=[],this.empty_weeks()?(this.saving_loader=!1,Alertify.error(this.strings.error_empty_week),this.error_messages.push(this.strings.error_empty_week),!1):this.weeks_deleted_from_course()?(this.saving_loader=!1,this.error_messages.push(this.strings.error_section_removed),!1):void Alertify.confirm(this.strings.save_warning_content,()=>{this.saving_loader=!0;var weeks=this.weeks;weeks[0].weekstart=Moment(weeks[0].weekstart).format("YYYY-MM-DD");var data={action:"saveconfigweek",userid:this.userid,courseid:this.courseid,newinstance:this.new_group,weeks:this.minify_query(weeks)};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok?(this.settings=response.data.data.settings,Alertify.success(this.strings.save_successful),this.save_successful=!0,this.cache_save()):(Alertify.error(this.strings.error_network),this.error_messages.push(this.strings.error_network))}).catch(e=>{console.log("catch1"),Alertify.error(this.strings.error_network),console.log("catch2"),this.error_messages.push(this.strings.error_network),console.log("catch3")}).finally(()=>{this.saving_loader=!1})},()=>{this.saving_loader=!1,Alertify.warning(this.strings.cancel_action)}).set({title:this.strings.save_warning_title}).set({labels:{cancel:this.strings.confirm_cancel,ok:this.strings.confirm_ok}})},minify_query(weeks){var minify=[];return weeks.forEach(week=>{var wk=new Object;wk.h=week.hours_dedications,wk.s=week.weekstart,wk.e=week.weekend,wk.sections=[],week.sections.forEach(section=>{var s=new Object;s.sid=section.sectionid,wk.sections.push(s)}),minify.push(wk)}),JSON.stringify(minify)},empty_weeks(){if(this.weeks.length>=2&&this.weeks[0].sections.length<1)return!0;for(let i=0;i<this.weeks.length;i++)if(i>0&&this.weeks[i].sections.length<=0)return!0;return!1},weeks_deleted_from_course(){for(var week_position=0;week_position<this.weeks.length;week_position++)for(var section_position=0;section_position<this.weeks[week_position].sections.length;section_position++)if(!this.section_exist(this.weeks[week_position].sections[section_position]))return!0;return!1},exists_mistakes(){let exists_mistakes;return this.error_messages.length>0},change_collapsabled(index){this.raw_weeks[index].collapsabled=!this.raw_weeks[index].collapsabled,this.form_changed()},course_finished(){let finished=!1,last=this.weeks.length-1,end=Moment(this.weeks[last].weekend).format("X"),now;return finished=Moment().format("X")>end,finished},get_settings_status(){let visible=!0,status;return Object.keys(this.settings).map(key=>{this.settings[key]||(visible=!1)}),visible?this.strings.plugin_visible:this.strings.plugin_hidden},get_help_content(){var help_contents=[],help=new Object;return help.title=this.strings.title,help.description=this.strings.description,help_contents.push(help),help_contents},addLogsIntoDB(action,objectName,objectType,objectDescription){let data={courseid:content.courseid,userid:content.userid,action:"addLogs",sectionname:"CONFIGURATION_COURSE_WEEK",actiontype:action,objectType:objectType,objectName:objectName,currentUrl:document.location.href,objectDescription:objectDescription};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok}).catch(e=>{})}}})}function add_collapsabled_property_to_weeks(content){for(let i=0;i<content.weeks.length;i++){let week=content.weeks[i];void 0===week.collapsabled&&(week.collapsabled=!1)}return content}return{init:init}})); \ No newline at end of file diff --git a/notemyprogress/classes/lib_trait.php b/notemyprogress/classes/lib_trait.php index 11ca18e..26792f8 100644 --- a/notemyprogress/classes/lib_trait.php +++ b/notemyprogress/classes/lib_trait.php @@ -641,18 +641,24 @@ trait lib_trait //Planning + public function get_course_module_type($typeid){ + global $DB; + $sql = "select name from {modules} m where m.id = ? "; + $type = $DB->get_record_sql($sql, array($typeid)); + return $type->name; + } + public function get_resource_type($cm) { global $DB; $query = "SELECT f.mimetype FROM {files} f JOIN {context} c ON c.id = f.contextid WHERE c.instanceid = ? AND contextlevel = ? AND f.mimetype <> 'NULL' AND f.filesize > 0"; - $file = $DB->get_record_sql($query, array($cm, CONTEXT_MODULE)); + $file = $DB->get_record_sql($query, array($cm, 70)); if (!isset($file->mimetype)) { $type = resourcetype::get_default_type(); } else { $type = resourcetype::get_type($file->mimetype); } - return $type; } diff --git a/notemyprogress/classes/metareflexion.php b/notemyprogress/classes/metareflexion.php index aa9b7b2..8bed2a1 100644 --- a/notemyprogress/classes/metareflexion.php +++ b/notemyprogress/classes/metareflexion.php @@ -179,18 +179,23 @@ class metareflexion */ public function find_current_week_new($reports) { + $current_week = new stdClass(); + $current_week->weekly_cm = []; $array_current_week = array(); - $current_wk_schedule = self::get_schedules($this->current_week->weekcode); - foreach ($this->current_week->sections as $key => $section) { $course_modules = self::get_sequence_section($section->sectionid); if ($course_modules["0"] === false){ } else{ foreach ($course_modules as $key => $cm) { - //if ($cm->modname == "resource") { - $cm->modname = self::get_resource_type($cm->id); + //$cm->modname = self::get_resource_type($cm->id); + $cm->modname = self::get_course_module_type($cm->module); + //$cm->modname = self::get_resource_type($cm->id); + if ($cm->modname != "label") { + array_push($current_week->weekly_cm, $cm); + } + // if ($current_wk_schedule) { // $days_committed_for_module = $this->get_days_committed($cm->id); // foreach ($days_committed_for_module as $key => $day) { @@ -200,9 +205,7 @@ class metareflexion } } } - - $current_week = new stdClass(); $current_week->weekly_schedules_id = null; $current_week->weekcode = $this->current_week->weekcode; @@ -231,8 +234,6 @@ class metareflexion $current_week->weekly_schedules_days = $weekly_schedules_days; $current_week->weekly_schedules_hours = 0; - - $current_week->weekly_cm = $course_modules; $goals_cat = $this->get_goals_cat(); //$goals_committed = array(); if ($current_wk_schedule) { diff --git a/notemyprogress/classes/phpml/ModelManager.php b/notemyprogress/classes/phpml/ModelManager.php index b8fc257..e0f5be5 100644 --- a/notemyprogress/classes/phpml/ModelManager.php +++ b/notemyprogress/classes/phpml/ModelManager.php @@ -20,7 +20,7 @@ class ModelManager throw new SerializeException(sprintf('Class "%s" cannot be serialized.', gettype($estimator))); } - $result = //file_put_contents($filepath, $serialized, LOCK_EX); + $result = file_put_contents($filepath, $serialized, LOCK_EX); if ($result === false) { throw new FileException(sprintf('File "%s" cannot be saved.', basename($filepath))); } diff --git a/notemyprogress/classes/phpml/SupportVectorMachine/SupportVectorMachine.php b/notemyprogress/classes/phpml/SupportVectorMachine/SupportVectorMachine.php index 0ccd0c8..c28a0e4 100644 --- a/notemyprogress/classes/phpml/SupportVectorMachine/SupportVectorMachine.php +++ b/notemyprogress/classes/phpml/SupportVectorMachine/SupportVectorMachine.php @@ -150,7 +150,7 @@ class SupportVectorMachine $this->targets = array_merge($this->targets, $targets); $trainingSet = DataTransformer::trainingSet($this->samples, $this->targets, in_array($this->type, [Type::EPSILON_SVR, Type::NU_SVR], true)); - //file_put_contents($trainingSetFileName = $this->varPath . uniqid('phpml', true), $trainingSet); + file_put_contents($trainingSetFileName = $this->varPath . uniqid('phpml', true), $trainingSet); $modelFileName = $trainingSetFileName . '-model'; $command = $this->buildTrainCommand($trainingSetFileName, $modelFileName); @@ -226,8 +226,8 @@ class SupportVectorMachine private function runSvmPredict(array $samples, bool $probabilityEstimates): string { $testSet = DataTransformer::testSet($samples); - //file_put_contents($testSetFileName = $this->varPath . uniqid('phpml', true), $testSet); - //file_put_contents($modelFileName = $testSetFileName . '-model', $this->model); + file_put_contents($testSetFileName = $this->varPath . uniqid('phpml', true), $testSet); + file_put_contents($modelFileName = $testSetFileName . '-model', $this->model); $outputFileName = $testSetFileName . '-output'; $command = $this->buildPredictCommand( diff --git a/notemyprogress/classes/report.php b/notemyprogress/classes/report.php index 5728f7f..d97cbba 100644 --- a/notemyprogress/classes/report.php +++ b/notemyprogress/classes/report.php @@ -1686,7 +1686,6 @@ abstract class report */ private function summary_process($days) { - file_put_contents('D:\Alexis\Stage_IRIT\NMP\debug\log.txt', print_r($days, TRUE) . "\r\n"); foreach ($days as $day) { $day->percentage = 0; $day->count_students = count($day->students); diff --git a/notemyprogress/server/vendor/composer/package-versions-deprecated/src/PackageVersions/Installer.php b/notemyprogress/server/vendor/composer/package-versions-deprecated/src/PackageVersions/Installer.php index 00dec61..e7597b9 100644 --- a/notemyprogress/server/vendor/composer/package-versions-deprecated/src/PackageVersions/Installer.php +++ b/notemyprogress/server/vendor/composer/package-versions-deprecated/src/PackageVersions/Installer.php @@ -23,7 +23,7 @@ use function array_merge; use function chmod; use function dirname; use function file_exists; -use function //file_put_contents; +use function file_put_contents; use function is_writable; use function iterator_to_array; use function rename; @@ -202,7 +202,7 @@ PHP; $io->write('<info>composer/package-versions-deprecated:</info> Generating version class...'); $installPathTmp = $installPath . '_' . uniqid('tmp', true); - //file_put_contents($installPathTmp, $versionClassSource); + file_put_contents($installPathTmp, $versionClassSource); chmod($installPathTmp, 0664); rename($installPathTmp, $installPath); -- GitLab From b98642c92d2a2a7ce57c2fcb637ed5da7c2de94d Mon Sep 17 00:00:00 2001 From: Yoshi5123 <alexis.duval2002@gmail.com> Date: Fri, 8 Jul 2022 11:10:53 +0200 Subject: [PATCH 5/8] Bug fix : Cancel feature and datepicker on setweeks page. Style of buttons and datepicker modified --- notemyprogress/styles.css | 866 +++++++++++---------- notemyprogress/templates/setweeks.mustache | 40 +- 2 files changed, 462 insertions(+), 444 deletions(-) diff --git a/notemyprogress/styles.css b/notemyprogress/styles.css index 921d06b..1bcf0d4 100644 --- a/notemyprogress/styles.css +++ b/notemyprogress/styles.css @@ -1,656 +1,680 @@ -.color-white{ color: white !important; } +.color-white { + color: white !important; +} @font-face { - font-family: poppins; - src: url(./fonts/Poppins-Regular.otf); + font-family: poppins; + src: url(./fonts/Poppins-Regular.otf); } .v-application { - font-family: poppins, sans-serif !important; + font-family: poppins, sans-serif !important; } -#nmplogs{ - display: none; +#nmplogs { + display: none; } /*Estilos Para Menú Desplegable Navbar*/ .popover-region-notemyprogress .popover-region-container { - width: 250px; - height: auto; - max-height: 500px; - overflow-y: auto; + width: 250px; + height: auto; + max-height: 500px; + overflow-y: auto; } .popover-region-notemyprogress:not(.collapsed) .count-container { - display: none; + display: none; } .popover-region-notemyprogress .popover-region-header-container { - box-sizing: border-box; - padding: 0.5em 0.5em 0.5em 1em; - line-height: 1; - height: 2em; + box-sizing: border-box; + padding: 0.5em 0.5em 0.5em 1em; + line-height: 1; + height: 2em; } .popover-region-notemyprogress .popover-region-header-text { - font-size: inherit; - line-height: 1em; - font-weight: bold; + font-size: inherit; + line-height: 1em; + font-weight: bold; } -.btn-save { - margin: 10px; +.datepicker_week { + border-width: 1px; + border-style: solid; + border-color: black; } - - a.notemyprogress-navbar-menu-compose-link { - margin-right: 0.5em; + margin-right: 0.5em; } a.notemyprogress-navbar-menu-item { - display: block; - box-sizing: border-box; - width: 100%; - line-height: 1.5; - padding: 0.5em 1em; - border-bottom: 1px solid #e2e2e2; - white-space: nowrap; - overflow: hidden; - text-overflow: ellipsis; - color: #2b2d2f; + display: block; + box-sizing: border-box; + width: 100%; + line-height: 1.5; + padding: 0.5em 1em; + border-bottom: 1px solid #e2e2e2; + white-space: nowrap; + overflow: hidden; + text-overflow: ellipsis; + color: #2b2d2f; } a.notemyprogress-navbar-menu-item > .icon { - margin-right: 0.2em; - color: inherit; + margin-right: 0.2em; + color: inherit; } a.notemyprogress-navbar-menu-item:first-of-type > .icon { - margin-left: 0; + margin-left: 0; } a.notemyprogress-navbar-menu-item:focus, a.notemyprogress-navbar-menu-item:hover { - color: #2b2d2f; - text-decoration: none; - background-color: #f5f5f5; + color: #2b2d2f; + text-decoration: none; + background-color: #f5f5f5; } a.notemyprogress-navbar-menu-item:last-child { - border-bottom: 0; + border-bottom: 0; } a.notemyprogress-navbar-menu-item .badge { - float: right; - font-size: 0.75em; - margin-left: 0.25em; - margin-top: 0.25em; - line-height: 1; - padding: .25em .4em; + float: right; + font-size: 0.75em; + margin-left: 0.25em; + margin-top: 0.25em; + line-height: 1; + padding: 0.25em 0.4em; } .notemyprogress-navbar-menu-item-active { - font-weight: bold; + font-weight: bold; } a.notemyprogress-navbar-menu-item { - display: block; - box-sizing: border-box; - width: 100%; - line-height: 1.5; - padding: 0.5em 1em; - border-bottom: 1px solid #e2e2e2; - white-space: nowrap; - overflow: hidden; - text-overflow: ellipsis; - color: #2b2d2f; + display: block; + box-sizing: border-box; + width: 100%; + line-height: 1.5; + padding: 0.5em 1em; + border-bottom: 1px solid #e2e2e2; + white-space: nowrap; + overflow: hidden; + text-overflow: ellipsis; + color: #2b2d2f; } a.notemyprogress-navbar-menu-item > .icon { - margin-right: 0.2em; - color: inherit; + margin-right: 0.2em; + color: inherit; } a.notemyprogress-navbar-menu-item:first-of-type > .icon { - margin-left: 0; + margin-left: 0; } a.notemyprogress-navbar-menu-item:focus, a.notemyprogress-navbar-menu-item:hover { - color: #2b2d2f; - text-decoration: none; - background-color: #f5f5f5; + color: #2b2d2f; + text-decoration: none; + background-color: #f5f5f5; } a.notemyprogress-navbar-menu-item:last-child { - border-bottom: 0; + border-bottom: 0; } a.notemyprogress-navbar-menu-item .badge { - float: right; - font-size: 0.75em; - margin-left: 0.25em; - margin-top: 0.25em; - line-height: 1; - padding: .25em .4em; + float: right; + font-size: 0.75em; + margin-left: 0.25em; + margin-top: 0.25em; + line-height: 1; + padding: 0.25em 0.4em; } .notemyprogress-navbar-menu-item-active { - font-weight: bold; + font-weight: bold; } - /*Loader*/ .progressbar-notemyprogress { - position: relative; - height: 4px; - display: block; - width: 100%; - background-color: #afe7ee; - background-clip: padding-box; - margin: 0.5rem 0 1rem 0; - overflow: hidden; + position: relative; + height: 4px; + display: block; + width: 100%; + background-color: #afe7ee; + background-clip: padding-box; + margin: 0.5rem 0 1rem 0; + overflow: hidden; } .progressbar-notemyprogress .indeterminate { - background-color: #118AB2; + background-color: #118ab2; } .progressbar-notemyprogress .indeterminate:before { - content: ''; - position: absolute; - background-color: inherit; - top: 0; - left: 0; - bottom: 0; - will-change: left, right; - -webkit-animation: indeterminate 2.1s cubic-bezier(0.65, 0.815, 0.735, 0.395) infinite; - animation: indeterminate 2.1s cubic-bezier(0.65, 0.815, 0.735, 0.395) infinite; + content: ""; + position: absolute; + background-color: inherit; + top: 0; + left: 0; + bottom: 0; + will-change: left, right; + -webkit-animation: indeterminate 2.1s cubic-bezier(0.65, 0.815, 0.735, 0.395) + infinite; + animation: indeterminate 2.1s cubic-bezier(0.65, 0.815, 0.735, 0.395) infinite; } .progressbar-notemyprogress .indeterminate:after { - content: ''; - position: absolute; - background-color: inherit; - top: 0; - left: 0; - bottom: 0; - will-change: left, right; - -webkit-animation: indeterminate-short 2.1s cubic-bezier(0.165, 0.84, 0.44, 1) infinite; - animation: indeterminate-short 2.1s cubic-bezier(0.165, 0.84, 0.44, 1) infinite; - -webkit-animation-delay: 1.15s; - animation-delay: 1.15s; + content: ""; + position: absolute; + background-color: inherit; + top: 0; + left: 0; + bottom: 0; + will-change: left, right; + -webkit-animation: indeterminate-short 2.1s cubic-bezier(0.165, 0.84, 0.44, 1) + infinite; + animation: indeterminate-short 2.1s cubic-bezier(0.165, 0.84, 0.44, 1) + infinite; + -webkit-animation-delay: 1.15s; + animation-delay: 1.15s; } .progressbar-notemyprogress .indeterminate:before { - content: ''; - position: absolute; - background-color: inherit; - top: 0; - left: 0; - bottom: 0; - will-change: left, right; - -webkit-animation: indeterminate 2.1s cubic-bezier(0.65, 0.815, 0.735, 0.395) infinite; - animation: indeterminate 2.1s cubic-bezier(0.65, 0.815, 0.735, 0.395) infinite; + content: ""; + position: absolute; + background-color: inherit; + top: 0; + left: 0; + bottom: 0; + will-change: left, right; + -webkit-animation: indeterminate 2.1s cubic-bezier(0.65, 0.815, 0.735, 0.395) + infinite; + animation: indeterminate 2.1s cubic-bezier(0.65, 0.815, 0.735, 0.395) infinite; } .progressbar-notemyprogress .indeterminate:after { - content: ''; - position: absolute; - background-color: inherit; - top: 0; - left: 0; - bottom: 0; - will-change: left, right; - -webkit-animation: indeterminate-short 2.1s cubic-bezier(0.165, 0.84, 0.44, 1) infinite; - animation: indeterminate-short 2.1s cubic-bezier(0.165, 0.84, 0.44, 1) infinite; - -webkit-animation-delay: 1.15s; - animation-delay: 1.15s; + content: ""; + position: absolute; + background-color: inherit; + top: 0; + left: 0; + bottom: 0; + will-change: left, right; + -webkit-animation: indeterminate-short 2.1s cubic-bezier(0.165, 0.84, 0.44, 1) + infinite; + animation: indeterminate-short 2.1s cubic-bezier(0.165, 0.84, 0.44, 1) + infinite; + -webkit-animation-delay: 1.15s; + animation-delay: 1.15s; } @-webkit-keyframes indeterminate { - 0% { - left: -35%; - right: 100%; } - 60% { - left: 100%; - right: -90%; } - 100% { - left: 100%; - right: -90%; } + 0% { + left: -35%; + right: 100%; + } + 60% { + left: 100%; + right: -90%; + } + 100% { + left: 100%; + right: -90%; + } } @keyframes indeterminate { - 0% { - left: -35%; - right: 100%; } - 60% { - left: 100%; - right: -90%; } - 100% { - left: 100%; - right: -90%; } + 0% { + left: -35%; + right: 100%; + } + 60% { + left: 100%; + right: -90%; + } + 100% { + left: 100%; + right: -90%; + } } @-webkit-keyframes indeterminate-short { - 0% { - left: -200%; - right: 100%; } - 60% { - left: 107%; - right: -8%; } - 100% { - left: 107%; - right: -8%; } + 0% { + left: -200%; + right: 100%; + } + 60% { + left: 107%; + right: -8%; + } + 100% { + left: 107%; + right: -8%; + } } @keyframes indeterminate-short { - 0% { - left: -200%; - right: 100%; } - 60% { - left: 107%; - right: -8%; } - 100% { - left: 107%; - right: -8%; } + 0% { + left: -200%; + right: 100%; + } + 60% { + left: 107%; + right: -8%; + } + 100% { + left: 107%; + right: -8%; + } } -#notemyprogress-display-weeks{ - border: 1px solid #c6c6c6; - overflow: hidden; - border-radius: 4px; - background: white; +#notemyprogress-display-weeks { + border: 1px solid #c6c6c6; + overflow: hidden; + border-radius: 4px; + background: white; } -#notemyprogress-display-weeks .page{ - background: white; - color: #444444; - cursor: pointer; - font-size: 1rem; - border-left: 1px solid #c6c6c6; - transition: all .5 ease !important; +#notemyprogress-display-weeks .page { + background: white; + color: #444444; + cursor: pointer; + font-size: 1rem; + border-left: 1px solid #c6c6c6; + transition: all 0.5 ease !important; } -#notemyprogress-display-weeks .selected-page{ - background: #118AB2 !important; - color: white; +#notemyprogress-display-weeks .selected-page { + background: #118ab2 !important; + color: white; } -#notemyprogress-display-weeks .page:hover{ - background: #eeeeee; +#notemyprogress-display-weeks .page:hover { + background: #eeeeee; } -#notemyprogress-display-weeks .selected-page:hover{ - opacity: .85; +#notemyprogress-display-weeks .selected-page:hover { + opacity: 0.85; } -.flex-grow-0{ - flex-grow: 0 !important; +.flex-grow-0 { + flex-grow: 0 !important; } -.ajs-header{ - font-weight: bold; - border-bottom: 1px solid #eeeeee; +.ajs-header { + font-weight: bold; + border-bottom: 1px solid #eeeeee; } .alertify-notifier .ajs-message.ajs-error, .alertify-notifier .ajs-message.ajs-success, -.alertify-notifier .ajs-message.ajs-warning{ - font-family: poppins,Roboto,sans-serif !important; - color: #ffffff; - font-size: 1rem; - display: flex; - justify-content: center; - align-content: center; - padding: .7rem; +.alertify-notifier .ajs-message.ajs-warning { + font-family: poppins, Roboto, sans-serif !important; + color: #ffffff; + font-size: 1rem; + display: flex; + justify-content: center; + align-content: center; + padding: 0.7rem; } -.nmp-btn-primary:hover, .nmp-btn-secondary:hover, .ajs-button:hover{ - opacity: .75; +.nmp-btn-primary:hover, +.nmp-btn-secondary:hover, +.ajs-button:hover { + opacity: 0.75; } -.nmp-btn-primary, .ajs-button{ - font-size: .8rem !important; - height: 35px !important; - align-items: center !important; - background-color: #0086c4 !important; - background: #0086c4 !important; - color: white !important; - text-shadow: none !important; - border-radius: 2px !important; - text-decoration: none !important; - padding: .5rem 1rem !important; - text-transform: uppercase !important; - box-shadow: 0 3px 1px -2px rgba(0,0,0,.2), 0 2px 2px 0 rgba(0,0,0,.14), 0 1px 5px 0 rgba(0,0,0,.12) !important; - letter-spacing: .0892857143em !important; - transition: all .3s ease !important; +.nmp-btn-primary, +.ajs-button { + font-size: 0.8rem !important; + height: 35px !important; + align-items: center !important; + background-color: #0086c4 !important; + background: #0086c4 !important; + color: white !important; + text-shadow: none !important; + border-radius: 2px !important; + text-decoration: none !important; + padding: 0.5rem 1rem !important; + text-transform: uppercase !important; + box-shadow: 0 3px 1px -2px rgba(0, 0, 0, 0.2), 0 2px 2px 0 rgba(0, 0, 0, 0.14), + 0 1px 5px 0 rgba(0, 0, 0, 0.12) !important; + letter-spacing: 0.0892857143em !important; + transition: all 0.3s ease !important; } -.ajs-primary .ajs-buttons{ - justify-content: flex-end !important; +.ajs-primary .ajs-buttons { + justify-content: flex-end !important; } -.alertify-notifier .ajs-message.ajs-error{ - background: #c14040f2; - border: 1px solid #6b0909; +.alertify-notifier .ajs-message.ajs-error { + background: #c14040f2; + border: 1px solid #6b0909; } -.alertify-notifier .ajs-message.ajs-success{ - background: #5bbd72f2; - border: 1px solid #00731bf2; +.alertify-notifier .ajs-message.ajs-success { + background: #5bbd72f2; + border: 1px solid #00731bf2; } -.alertify-notifier .ajs-message.ajs-warning{ - background: #ffa533; - border: 1px solid #ab5f00; +.alertify-notifier .ajs-message.ajs-warning { + background: #ffa533; + border: 1px solid #ab5f00; } /*Setweeks*/ -.notemyprogress *,.notemyprogress *:focus{ - outline: none !important; +.notemyprogress *, +.notemyprogress *:focus { + outline: none !important; } -.notemyprogress-page-title{ - font-size: .875rem !important; - color: white !important; - background-color: #118AB2 !important; - text-transform: uppercase !important; - border-bottom: 1px solid #d9d5d4 !important; - padding: 0 !important; - height: auto; +.notemyprogress-page-title { + font-size: 0.875rem !important; + color: white !important; + background-color: #118ab2 !important; + text-transform: uppercase !important; + border-bottom: 1px solid #d9d5d4 !important; + padding: 0 !important; + height: auto; } -.notemyprogress-sub-title{ - color: #646466 !important; - font-weight: bold; - text-transform: uppercase !important; - font-size: .95rem !important; +.notemyprogress-sub-title { + color: #646466 !important; + font-weight: bold; + text-transform: uppercase !important; + font-size: 0.95rem !important; } -.notemyprogress-help-button{ - height: 100%; - transition: all .3s ease; - -moz-user-select: none; - -khtml-user-select: none; - -webkit-user-select: none; - -ms-user-select: none; - user-select: none; +.notemyprogress-help-button { + height: 100%; + transition: all 0.3s ease; + -moz-user-select: none; + -khtml-user-select: none; + -webkit-user-select: none; + -ms-user-select: none; + user-select: none; } -.notemyprogress-help-button:hover{ - background: #27A6E2 !important; - cursor: pointer !important; +.notemyprogress-help-button:hover { + background: #27a6e2 !important; + cursor: pointer !important; } -.ul-setting{ - list-style: none !important; - padding: 0 !important; - margin: 0 !important; - margin-top: 1rem !important; +.ul-setting { + list-style: none !important; + padding: 0 !important; + margin: 0 !important; + margin-top: 1rem !important; } -.li-setting{ - display: flex; - align-items: center; - background: white; - padding: .5rem !important; - border: 1px solid #e3e3e3; - border-radius: 4px; - margin-bottom: .5rem; - max-width: 300px; +.li-setting { + display: flex; + align-items: center; + background: white; + padding: 0.5rem !important; + border: 1px solid #e3e3e3; + border-radius: 4px; + margin-bottom: 0.5rem; + max-width: 300px; } -.setting-icon{ - min-width: 15px !important; - min-height: 15px !important; - background: #e4e4e4; - border-radius: 50%; - margin: 0 1rem 0 .5rem; - border: 1px solid #8e8e8e; +.setting-icon { + min-width: 15px !important; + min-height: 15px !important; + background: #e4e4e4; + border-radius: 50%; + margin: 0 1rem 0 0.5rem; + border: 1px solid #8e8e8e; } -.setting-valid{ - background: #b6f95d !important; - border: 1px solid #7eaf3d !important; +.setting-valid { + background: #b6f95d !important; + border: 1px solid #7eaf3d !important; } -.v-divider{ - margin: 2rem 5% !important; +.v-divider { + margin: 2rem 5% !important; } -.theme--light.v-divider{ - border-color: #d9d5d4 !important; +.theme--light.v-divider { + border-color: #d9d5d4 !important; } -#setweeks{ - display: none; - -webkit-user-select: none; - -moz-user-select: none; - -ms-user-select: none; - user-select: none; +#setweeks { + display: none; + -webkit-user-select: none; + -moz-user-select: none; + -ms-user-select: none; + user-select: none; } -.no-select-content{ - -webkit-user-select: none; - -moz-user-select: none; - -ms-user-select: none; - user-select: none; +.no-select-content { + -webkit-user-select: none; + -moz-user-select: none; + -ms-user-select: none; + user-select: none; } #setweeks i { - color: #0086c4; + color: #0086c4; } -#setweeks .visibility{ - color: #888888 !important; +#setweeks .visibility { + color: #888888 !important; } -#setweeks .hidden-button{ - opacity: 0 !important; - cursor: default !important; +#setweeks .hidden-button { + opacity: 0 !important; + cursor: default !important; } -#setweeks .scroll_box{ - max-height: 400px; - overflow-y: scroll; - overflow-x: hidden; +#setweeks .scroll_box { + max-height: 400px; + overflow-y: scroll; + overflow-x: hidden; } -#setweeks .weeks-container{ - background: white !important; - border: 1px solid #e3e3e3; +#setweeks .weeks-container { + background: white !important; + border: 1px solid #e3e3e3; } -#setweeks .week-container:not(:first-child){ - border-top: 1px dashed #e3e3e3; +#setweeks .week-container:not(:first-child) { + border-top: 1px dashed #e3e3e3; } #setweeks .single-button, -#notes .single-button{ - background: #f3f3f3; - border-radius: 50%; - font-size: .3rem !important; - padding: .3rem; - transition: all .5s ease; - border: 1px solid transparent; - -moz-user-select: none; - -khtml-user-select: none; - -webkit-user-select: none; - -ms-user-select: none; - user-select: none; -} - -#notes .single-button{ - height: 40px; - width: 40px; - display: flex; - justify-content: center; - align-items: center; - min-width: 40px; - min-height: 40px; +#notes .single-button { + background: #f3f3f3; + border-radius: 50%; + font-size: 0.3rem !important; + padding: 0.3rem; + transition: all 0.5s ease; + border: 1px solid transparent; + -moz-user-select: none; + -khtml-user-select: none; + -webkit-user-select: none; + -ms-user-select: none; + user-select: none; +} + +#notes .single-button { + height: 40px; + width: 40px; + display: flex; + justify-content: center; + align-items: center; + min-width: 40px; + min-height: 40px; } #setweeks .single-button:hover, -#notes .single-button:hover{ - cursor: pointer; - background: #ffffff; - border: 1px solid #0086c4; +#notes .single-button:hover { + cursor: pointer; + background: #ffffff; + border: 1px solid #0086c4; } -#setweeks .hours-expected-selector input{ - height: 100%; - padding: 0; +#setweeks .hours-expected-selector input { + height: 100%; + padding: 0; } -#setweeks .set-weeks-list{ - list-style: none; - margin: 0; - padding: 0; - color: #444444; - background-color: #fff; - border: 1px solid #e3e3e3; - width: 100%; - min-height: 100px; - height: auto; +#setweeks .set-weeks-list { + list-style: none; + margin: 0; + padding: 0; + color: #444444; + background-color: #fff; + border: 1px solid #e3e3e3; + width: 100%; + min-height: 100px; + height: auto; } -#setweeks .set-weeks-list li{ - padding: .6rem 1rem; +#setweeks .set-weeks-list li { + padding: 0.6rem 1rem; } -#setweeks .set-weeks-list li:not(:first-child){ - border-top: 1px solid #ececec; +#setweeks .set-weeks-list li:not(:first-child) { + border-top: 1px solid #ececec; } -#setweeks .set-weeks-list-item{ - cursor: move; - text-transform: capitalize; - background: white !important; - transition: all .5s ease; +#setweeks .set-weeks-list-item { + cursor: move; + text-transform: capitalize; + background: white !important; + transition: all 0.5s ease; } -#setweeks .set-weeks-list-item:hover{ - background: #f3f3f3 !important; +#setweeks .set-weeks-list-item:hover { + background: #f3f3f3 !important; } /* Header */ -#nmp-group-selector{ - flex-grow: 0; +#nmp-group-selector { + flex-grow: 0; } #nmp-group-selector * { - margin-top: 0 !important; - margin-bottom: 0 !important; + margin-top: 0 !important; + margin-bottom: 0 !important; } -#nmp-group-selector , #nmp-group-selector i, #nmp-group-selector .v-select__selections{ - color: white !important; - border-color: white !important; +#nmp-group-selector, +#nmp-group-selector i, +#nmp-group-selector .v-select__selections { + color: white !important; + border-color: white !important; } -#nmp-group-selector .v-select__selections{ - font-size: .8rem; - font-weight: 400; - min-width: 100%; - justify-content: center; +#nmp-group-selector .v-select__selections { + font-size: 0.8rem; + font-weight: 400; + min-width: 100%; + justify-content: center; } -#nmp-group-selector .theme--light.v-text-field>.v-input__control>.v-input__slot:before{ - border-color: transparent !important; +#nmp-group-selector + .theme--light.v-text-field + > .v-input__control + > .v-input__slot:before { + border-color: transparent !important; } -#nmp-group-selector input, #nmp-group-selector .v-messages{ - display: none !important; +#nmp-group-selector input, +#nmp-group-selector .v-messages { + display: none !important; } -.headline{ - color: black !important; +.headline { + color: black !important; } -.help-dialog-title{ - background: #118AB2 !important; - color: white !important; +.help-dialog-title { + background: #118ab2 !important; + color: white !important; } -.help-dialog-content{ - background: white !important; - color: #444444 !important; +.help-dialog-content { + background: white !important; + color: #444444 !important; } -.help-dialog-footer{ - background: #f5f5f5 !important; +.help-dialog-footer { + background: #f5f5f5 !important; } -.help-dialog-footer .nmp-btn-secondary{ - background: white !important; +.help-dialog-footer .nmp-btn-secondary { + background: white !important; } -.help-modal-title{ - text-transform: uppercase !important; +.help-modal-title { + text-transform: uppercase !important; } -.text-justify{ - text-align: justify !important; +.text-justify { + text-align: justify !important; } - /* Work Session */ -.round-avatar{ - border-radius: 50%; - border: 1px solid #e0e0e0; - margin: 2px; +.round-avatar { + border-radius: 50%; + border: 1px solid #e0e0e0; + margin: 2px; } #access_content { - height: 600px; + height: 600px; } -#inverted_time, #hour_sessions, #sessions_count { - height: 500px; +#inverted_time, +#hour_sessions, +#sessions_count { + height: 500px; } - - - - - - - /* Custom Tooltip */ .tooltips { - position: relative; - display: inline-block; + position: relative; + display: inline-block; } .tooltips .tooltiptext { - visibility: hidden; - width: 220px; - background-color: #555; - color: #fff; - text-align: center; - border-radius: 6px; - padding: 5px 0; - position: absolute; - z-index: 1; - bottom: 125%; - left: 50%; - margin-left: -115px; - opacity: 0; - transition: opacity 0.3s; + visibility: hidden; + width: 220px; + background-color: #555; + color: #fff; + text-align: center; + border-radius: 6px; + padding: 5px 0; + position: absolute; + z-index: 1; + bottom: 125%; + left: 50%; + margin-left: -115px; + opacity: 0; + transition: opacity 0.3s; } .tooltips .tooltiptext::after { - content: ""; - position: absolute; - top: 100%; - left: 50%; - margin-left: -5px; - border-width: 5px; - border-style: solid; - border-color: #555 transparent transparent transparent; + content: ""; + position: absolute; + top: 100%; + left: 50%; + margin-left: -5px; + border-width: 5px; + border-style: solid; + border-color: #555 transparent transparent transparent; } .tooltips:hover .tooltiptext { - visibility: visible; - opacity: 1; -} \ No newline at end of file + visibility: visible; + opacity: 1; +} diff --git a/notemyprogress/templates/setweeks.mustache b/notemyprogress/templates/setweeks.mustache index 764df64..2f7bcc4 100644 --- a/notemyprogress/templates/setweeks.mustache +++ b/notemyprogress/templates/setweeks.mustache @@ -80,17 +80,12 @@ </span> </v-layout> - <v-layout justify-space-between> - <v-flex> <template v-if="!week.collapsabled"> - - <v-layout mb-3 mt-3> - - <v-flex row justify-space-around align-center> - + <v-row mb-3 mt-3> + <v-col> <strong v-text=" strings.start"></strong> - <datepicker - class="blue lighten-4" + <datepicker class="datepicker_week" + @input = "form_changed()" v-if="!week.removable" v-model="weeks_started_at" :use-utc="false" @@ -99,23 +94,20 @@ :monday-first="true"> </datepicker> <span v-else v-text="week.weekstart"></span> - <strong v-text="nothing"></strong> - - </v-flex> - - <v-flex row justify-space-around align-center> + </v-col> + <v-col> <strong v-text="strings.end"></strong> <span v-text="week.weekend"></span> - </v-flex> - </v-layout> + </v-col> + </v-row> - <v-layout justify-space-between align-center class="hours-expected-selector"> + <v-row mb-3 mt-3> + <v-col> <span v-text="strings.time_dedication" class="pr-5"></span> <v-text-field @input = "form_changed()" type="number" min="0" max="99" outlined v-model="raw_weeks[index].hours_dedications"></v-text-field> - </v-layout> + </v-row> + </v-col> </template> - </v-flex> - </v-layout> <draggable @change = "form_changed()" @@ -166,9 +158,11 @@ <v-alert v-for="(message, index, key) in error_messages" :key="key" dense outlined type="error" v-text="message" class="mb-2"></v-alert> </v-row> - <v-row class="justify-center btn-save" > - <v-btn :disabled="form_identical" @click="cache_cancel()" v-text="strings.confirm_cancel" class="white--text" color="#118AB2"></v-btn> - <v-btn :disabled="form_identical" @click="save_changes()" v-text="strings.save" class="white--text" color="#118AB2"></v-btn> + <v-row class="justify-center btn-save" pa-10 > + <div> + <v-btn :disabled="form_identical" @click="cache_cancel()" v-text="strings.confirm_cancel" class="white--text" color="#118AB2"></v-btn> + <v-btn :disabled="form_identical" @click="save_changes()" v-text="strings.save" class="white--text" color="#118AB2"></v-btn> + </div> <v-progress-linear v-if="saving_loader" indeterminate color="cyan" ></v-progress-linear> </v-row> -- GitLab From 5c13b15a7b25835a1072e682de27b0fc717249f7 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Robin=20Mouni=C3=A9?= <robin.mounie@gmail.com> Date: Wed, 13 Jul 2022 11:47:35 +0200 Subject: [PATCH 6/8] minimification --- notemyprogress/amd/build/student_gamification.min.js | 1 + notemyprogress/amd/{build => src}/student_gamification.js | 0 notemyprogress/db/install.php | 2 +- 3 files changed, 2 insertions(+), 1 deletion(-) create mode 100644 notemyprogress/amd/build/student_gamification.min.js rename notemyprogress/amd/{build => src}/student_gamification.js (100%) diff --git a/notemyprogress/amd/build/student_gamification.min.js b/notemyprogress/amd/build/student_gamification.min.js new file mode 100644 index 0000000..74a6754 --- /dev/null +++ b/notemyprogress/amd/build/student_gamification.min.js @@ -0,0 +1 @@ +define(["local_notemyprogress/vue","local_notemyprogress/vuetify","local_notemyprogress/axios","local_notemyprogress/alertify","local_notemyprogress/pageheader","local_notemyprogress/chartdynamic"],(function(Vue,Vuetify,Axios,Alertify,PageHeader,ChartDynamic){"use strict";function init(content){Vue.use(Vuetify),Vue.component("pageheader",PageHeader),Vue.component("chart",ChartDynamic);const app=new Vue({delimiters:["[[","]]"],el:"#student_gamification",vuetify:new Vuetify,data:{strings:content.strings,token:content.token,render_has:content.profile_render,indicators:content.indicators,levelInfo:content.indicators.levelInfo,activity:content.indicators.activity,courseid:content.indicators.cid,userid:content.indicators.uid,ranking:content.ranking,tab:null,levelsData:content.levels_data.levelsdata,settings:content.levels_data.settings,error_messages:[],save_successful:!1},beforeMount(){let data={courseid:this.courseid,userid:this.userid,action:"studentGamificationViewed"};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data})},computed:{},methods:{get_help_content(){let help_contents=[],help=new Object;return help.title=this.strings.help_title,help.description=this.strings.help_description,help_contents.push(help),help_contents},update_dialog(value){this.dialog=value},update_help_dialog(value){this.help_dialog=value},openHelpSectionModalEvent(){this.saveInteraction(this.pluginSectionName,"viewed","section_help_dialog",3)},get_timezone(){let information;return`${this.strings.change_timezone} ${this.timezone}`},saveInteraction(component,interaction,target,interactiontype){let data={action:"saveinteraction",pluginsection:this.pluginSectionName,component:component,interaction:interaction,target:target,url:window.location.href,interactiontype:interactiontype,token:content.token};Axios({method:"post",url:`${M.cfg.wwwroot}/local/notemyprogress/ajax.php`,data:data}).then(r=>{}).catch(e=>{})},table_headers(){let headers;return[{text:this.strings.ranking_text,value:"ranking"},{text:this.strings.level,value:"level"},{text:this.strings.student,value:"student"},{text:this.strings.total,value:"total"},{text:this.strings.progress,value:"progress_percentage"}]},activateRanking(){location.reload();let data={action:"rankable",pluginsection:this.pluginSectionName,url:window.location.href,token:content.token,courseid:this.courseid,userid:this.userid};Axios({method:"post",url:`${M.cfg.wwwroot}/local/notemyprogress/ajax.php?courseid=`+this.courseid+"&userid="+this.userid,params:data}).then(r=>{}).catch(e=>{})},chart_spread(){let chart=new Object;return chart.chart={type:"column",backgroundColor:null},chart.title={text:this.strings.chartTitle},chart.colors=["#118AB2"],chart.xAxis={type:"category",labels:{rotation:-45,style:{fontSize:"13px",fontFamily:"Verdana, sans-serif"}}},chart.yAxis={min:0,title:{text:this.strings.chartYaxis}},chart.legend={enabled:!1},chart.series=[{name:null,data:this.strings.chart_data,dataLabels:{enabled:!0,rotation:-90,color:"#FFFFFF",align:"right",format:"{point.y:.1f}",y:10,style:{fontSize:"13px",fontFamily:"Verdana, sans-serif"}}}],console.log("series: "),console.log(this.chart_data),chart},setGraphicsEventListeners(){console.log("Listeners set");let graphics=document.querySelectorAll(".highcharts-container");graphics.length<1?setTimeout(app.setGraphicsEventListeners,500):(graphics[0].id="SpreadChart",graphics.forEach(graph=>{graph.addEventListener("mouseenter",app.addLogsViewGraphic)}))},addLogsViewGraphic(e){event.stopPropagation();var action="",objectName="",objectType="",objectDescription="";switch(e.target.id){case"SpreadChart":action="viewed",objectName="spreading_chart",objectType="chart",objectDescription="Bar chart that shows the level repartition in gamification";break;default:action="viewed",objectName="",objectType="chart",objectDescription="A chart"}app.addLogsIntoDB(action,objectName,objectType,objectDescription)},addLogsIntoDB(action,objectName,objectType,objectDescription){let data={courseid:content.courseid,userid:content.userid,action:"addLogs",sectionname:"STUDENTS_GAMIFICATION",actiontype:action,objectType:objectType,objectName:objectName,currentUrl:document.location.href,objectDescription:objectDescription};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok}).catch(e=>{})}}})}return{init:init}})); \ No newline at end of file diff --git a/notemyprogress/amd/build/student_gamification.js b/notemyprogress/amd/src/student_gamification.js similarity index 100% rename from notemyprogress/amd/build/student_gamification.js rename to notemyprogress/amd/src/student_gamification.js diff --git a/notemyprogress/db/install.php b/notemyprogress/db/install.php index 1dcd57d..7f2b634 100644 --- a/notemyprogress/db/install.php +++ b/notemyprogress/db/install.php @@ -149,7 +149,7 @@ function xmldb_local_notemyprogress_install() //* fliplearning_weeks -> notemyprogress_weeks //? Algorithm idea : //? Initial state : table generated normally and old tables potentially present - //? 1 : vefrifier if exist the old tables (Fliplearning) + //? 1 : Check if exist the old tables (Fliplearning) //? 2 : If they exist drop the new similar tables //? 3 : rename the old tables like the news that we have just deleted try{ -- GitLab From 30f269756b7408cfcc06bee3d9683223da806402 Mon Sep 17 00:00:00 2001 From: Yoshi5123 <alexis.duval2002@gmail.com> Date: Fri, 15 Jul 2022 16:33:53 +0200 Subject: [PATCH 7/8] Auto evaluation and bugs fixes --- notemyprogress/ajax.php | 40 ++- .../amd/build/auto_evaluation.min.js | 1 + notemyprogress/amd/build/emailform.js | 200 -------------- notemyprogress/amd/build/emailform.min.js | 1 + notemyprogress/amd/build/metareflexion.min.js | 2 +- notemyprogress/amd/build/setweeks.min.js | 2 +- notemyprogress/amd/src/auto_evaluation.js | 197 ++++++++++++++ notemyprogress/amd/src/metareflexion.js | 245 ++++++++---------- notemyprogress/amd/src/setweeks.js | 74 ++++-- notemyprogress/auto_evaluation.php | 133 ++++++++++ notemyprogress/classes/auto_evaluation.php | 100 +++++++ notemyprogress/classes/student.php | 15 ++ notemyprogress/db/access.php | 8 + notemyprogress/db/install.php | 34 ++- notemyprogress/db/install.xml | 23 ++ .../lang/en/local_notemyprogress.php | 46 +++- .../lang/es/local_notemyprogress.php | 75 ++++-- .../lang/fr/local_notemyprogress.php | 70 +++-- notemyprogress/lib.php | 17 +- notemyprogress/metareflexion.php | 1 + notemyprogress/setweeks.php | 12 +- .../templates/auto_evaluation.mustache | 36 +++ 22 files changed, 893 insertions(+), 439 deletions(-) create mode 100644 notemyprogress/amd/build/auto_evaluation.min.js delete mode 100644 notemyprogress/amd/build/emailform.js create mode 100644 notemyprogress/amd/build/emailform.min.js create mode 100644 notemyprogress/amd/src/auto_evaluation.js create mode 100644 notemyprogress/auto_evaluation.php create mode 100644 notemyprogress/classes/auto_evaluation.php create mode 100644 notemyprogress/templates/auto_evaluation.mustache diff --git a/notemyprogress/ajax.php b/notemyprogress/ajax.php index 15a22dd..1b082dd 100644 --- a/notemyprogress/ajax.php +++ b/notemyprogress/ajax.php @@ -64,6 +64,7 @@ $dayscommitted = optional_param('days', false, PARAM_TEXT); $goalscommitted = optional_param('goals', false, PARAM_TEXT); $hourscommitted = optional_param('hours', false, PARAM_INT); $idmetareflexion = optional_param('metareflexionid', false, PARAM_INT); +$auto_eval_answers = optional_param('auto_eval_answers', false, PARAM_RAW); $lastweekid = optional_param('lastweekid', false, PARAM_RAW); $classroom_hours = optional_param('classroom_hours', false, PARAM_RAW); @@ -298,7 +299,23 @@ if($action == 'saveconfigweek') {//Exemple: if the action passed is saveconfigwe if($courseid && $userid) { $func = "local_notemyprogress_viewed_student_lvl"; } -} +}elseif($action == 'saveautoeval') { + array_push($params, $userid); + array_push($params, $courseid); + array_push($params, $auto_eval_answers); + + if($userid && $auto_eval_answers){ + $func = "local_notemyprogress_save_auto_eval"; + } +}elseif($action == 'updateautoeval') { + array_push($params, $userid); + array_push($params, $courseid); + array_push($params, $auto_eval_answers); + + if($userid && $auto_eval_answers){ + $func = "local_notemyprogress_update_auto_eval"; + } +} if (isset($params) && isset($func)) { call_user_func_array($func, $params); @@ -308,6 +325,27 @@ if (isset($params) && isset($func)) { local_notemyprogress_ajax_response(array($message));//,$action,$courseid, $userid ,$rules , $levels, $settings, $url,$func), 442); } + +function local_notemyprogress_save_auto_eval($userid,$courseid, $auto_eval_answers) +{ + $logs = new \local_notemyprogress\logs($courseid, $userid); + $logs->addLogsNMP("Saved", "section", "Auto_Evaluation", "auto_evaluation", $url, "AutoEvaluationSaved"); + $auto_evaluation = new \local_notemyprogress\auto_evaluation($userid); + $auto_evaluation->auto_eval_answers = json_decode($auto_eval_answers) ; + $response = $auto_evaluation->save_answers(); + local_notemyprogress_ajax_response(array('responseautoevaluation' => $response)); +} + +function local_notemyprogress_update_auto_eval($userid,$courseid, $auto_eval_answers) +{ + $logs = new \local_notemyprogress\logs($courseid, $userid); + $logs->addLogsNMP("Updated", "section", "Auto_Evaluation", "auto_evaluation", $url, "AutoEvaluationUpdated"); + $auto_evaluation = new \local_notemyprogress\auto_evaluation($userid); + $auto_evaluation->auto_eval_answers = json_decode($auto_eval_answers) ; + $response = $auto_evaluation->update_answers(); + local_notemyprogress_ajax_response(array('responseautoevaluation' => $response)); +} + function local_sr_metareflexion_get_week($weekcode, $courseid, $userid, $profile) { diff --git a/notemyprogress/amd/build/auto_evaluation.min.js b/notemyprogress/amd/build/auto_evaluation.min.js new file mode 100644 index 0000000..37bd67a --- /dev/null +++ b/notemyprogress/amd/build/auto_evaluation.min.js @@ -0,0 +1 @@ +define(["local_notemyprogress/vue","local_notemyprogress/vuetify","local_notemyprogress/axios","local_notemyprogress/moment","local_notemyprogress/pagination","local_notemyprogress/chartstatic","local_notemyprogress/pageheader","local_notemyprogress/modulesform","local_notemyprogress/helpdialog","local_notemyprogress/alertify"],(function(Vue,Vuetify,Axios,Moment,Pagination,ChartStatic,PageHeader,ModulesForm,HelpDialog,Alertify){"use strict";function init(content){Vue.use(Vuetify),Vue.component("pagination",Pagination),Vue.component("chart",ChartStatic),Vue.component("pageheader",PageHeader),Vue.component("modulesform",ModulesForm),Vue.component("helpdialog",HelpDialog);let vue=new Vue({delimiters:["[[","]]"],el:"#auto_evaluation",vuetify:new Vuetify,data:()=>({strings:content.strings,groups:content.groups,userid:content.userid,courseid:content.courseid,timezone:content.timezone,render_has:content.profile_render,loading:!1,errors:[],pages:content.pages,indicators:content.indicators,resources_access_colors:content.resources_access_colors,inverted_time_colors:content.inverted_time_colors,inverted_time:content.indicators.inverted_time,hours_sessions:content.indicators.hours_sessions,sections:content.indicators.sections,sections_map:null,week_progress:0,resource_access_categories:[],resource_access_data:[],modules_dialog:!1,help_dialog:!1,help_contents:[],auto_eval_answers:content.auto_eval_answers,saving_loader:!1,auto_eval_saved:content.auto_eval_saved}),beforeMount(){},mounted(){document.querySelector("#auto_evaluation-loader").style.display="none",document.querySelector("#auto_evaluation").style.display="block"},methods:{action_save_auto_evaluation(){this.auto_eval_saved?(console.log("update"),this.update_auto_eval()):(console.log("save"),this.save_auto_eval())},save_auto_eval(){var data={action:"saveautoeval",userid:this.userid,courseid:this.courseid,auto_eval_answers:this.auto_eval_answers};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok?(this.auto_eval_saved=!0,console.log("if"),Alertify.success(this.strings.message_save_successful)):(console.log("else"),Alertify.error(this.strings.api_error_network))}).catch(e=>{console.log("catch"),this.saving_loader=!1,Alertify.error(this.strings.api_error_network)}).finally(()=>{console.log("finally"),this.saving_loader=!1})},update_auto_eval(){var data={action:"updateautoeval",userid:this.userid,courseid:this.courseid,auto_eval_answers:this.auto_eval_answers};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok?(console.log("if"),Alertify.success(this.strings.message_update_successful)):(console.log("else"),Alertify.error(this.strings.api_error_network))}).catch(e=>{console.log("catch"),this.saving_loader=!1,Alertify.error(this.strings.api_error_network)}).finally(()=>{console.log("finally"),this.saving_loader=!1})},addLogsIntoDB(action,objectName,objectType,objectDescription){let data={courseid:content.courseid,userid:content.userid,action:"addLogs",sectionname:"STUDENT_STUDY_SESSIONS",actiontype:action,objectType:objectType,objectName:objectName,currentUrl:document.location.href,objectDescription:objectDescription};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok}).catch(e=>{})},get_help_content(){var help_contents=[],help=new Object;return help.title=this.strings.page_title_auto_eval,help.description=this.strings.description_auto_eval,help_contents.push(help),help_contents}}})}return{init:init}})); \ No newline at end of file diff --git a/notemyprogress/amd/build/emailform.js b/notemyprogress/amd/build/emailform.js deleted file mode 100644 index a351128..0000000 --- a/notemyprogress/amd/build/emailform.js +++ /dev/null @@ -1,200 +0,0 @@ -define([ - "local_notemyprogress/axios", - "local_notemyprogress/alertify", -], function (Axios, Alertify) { - const emailform = { - template: ` - <v-main mt-10> - <v-row> - <v-col sm="12"> - <v-dialog - v-model="dialog" - width="800" - @click:outside="closeDialog()" - @keydown.esc="closeDialog()" - > - <v-card> - <v-toolbar color="#118AB2" dark> - <span v-text="emailform_title"></span> - <v-spacer></v-spacer> - <v-btn icon @click="reset"> - <v-icon v-text="close_icon"></v-icon> - </v-btn> - </v-toolbar> - - <v-container> - <v-row> - <v-col cols="12" sm="12"> - - <v-chip class="ma-2" color="#118AB2" label dark> - <span v-text="recipients"></span> - </v-chip> - - <template v-for="(user, index, key) in selected_users"> - <v-chip class="ma-2"> - <v-avatar left> - <img :src="get_picture_url(user.id)"> - </v-avatar> - <span>{{user.firstname}} {{user.lastname}}</span> - </v-chip> - </template> - - </v-col> - </v-row> - - <v-row> - <v-col cols="12" sm="12"> - <v-form ref="form" v-model="valid_form"> - <v-text-field - v-model="strings.subject" - :label="subject_label" - :rules="subject_rules" - required - solo - ></v-text-field> - - <v-textarea - v-model="message" - :label="message_label" - :rules="message_rules" - required - solo - ></v-textarea> - - <v-btn @click="submit" :disabled="!valid_form"> - <span v-text="submit_button"></span> - </v-btn> - - <v-btn @click="reset"> - <span v-text="cancel_button"></span> - </v-btn> - - <v-spacer></v-spacer> - - </v-form> - </v-col> - </v-row> - </v-container> - - </v-card> - </v-dialog> - </v-col> - </v-row> - - <v-row> - <v-col sm="12"> - <div class="text-center"> - <v-dialog - v-model="loader_dialog" - persistent - width="300" - > - <v-card color="#118AB2" dark> - <v-card-text> - <span v-text="sending_text"></span> - <v-progress-linear - indeterminate - color="white" - class="mb-0" - ></v-progress-linear> - </v-card-text> - </v-card> - </v-dialog> - </div> - </v-col> - </v-row> - </v-main> - `, - props: [ - "dialog", - "selected_users", - "strings", - "moduleid", - "modulename", - "courseid", - "userid", - ], - data() { - return { - close_icon: "mdi-minus", - valid_form: true, - subject_label: this.strings.subject_label, - subject_rules: [(v) => !!v || this.strings.validation_subject_text], - message: "", - message_label: this.strings.message_label, - message_rules: [(v) => !!v || this.strings.validation_message_text], - submit_button: this.strings.submit_button, - cancel_button: this.strings.cancel_button, - emailform_title: this.strings.emailform_title, - sending_text: this.strings.sending_text, - recipients: this.strings.recipients_label, - loader_dialog: false, - mailsended_text: this.strings.mailsended_text, - }; - }, - methods: { - get_picture_url(userid) { - let url = `${M.cfg.wwwroot}/user/pix.php?file=/${userid}/f1.jpg`; - return url; - }, - - submit() { - let recipients = ""; - this.selected_users.forEach((item) => { - recipients = recipients.concat(item.id, ","); - }); - this.loader_dialog = true; - this.errors = []; - let data = { - action: "sendmail", - subject: this.strings.subject, - recipients: recipients, - text: this.message, - userid: this.userid, - courseid: this.courseid, - moduleid: this.moduleid, - modulename: this.modulename, - }; - Axios({ - method: "get", - url: M.cfg.wwwroot + "/local/notemyprogress/ajax.php", - params: data, - }) - .then((response) => { - if (response.status == 200 && response.data.ok) { - this.$emit("update_dialog", false); - this.$refs.form.reset(); - Alertify.success(this.mailsended_text); - if (typeof this.$parent.$root.addLogsIntoDB === "function") { - this.$parent.$root.addLogsIntoDB( - "SendedTo : " + this.selected_users[0].email, - this.$parent.$root.email_object_name, - "email", - "Sent an email" - ); - } - } else { - Alertify.error(this.strings.api_error_network); - this.loader_dialog = false; - } - }) - .catch((e) => { - Alertify.error(this.strings.api_error_network); - }) - .finally(() => { - this.loader_dialog = false; - }); - }, - - reset() { - this.$emit("update_dialog", false); - this.$refs.form.resetValidation(); - }, - - closeDialog() { - this.$emit("update_dialog", false); - }, - }, - }; - return emailform; -}); diff --git a/notemyprogress/amd/build/emailform.min.js b/notemyprogress/amd/build/emailform.min.js new file mode 100644 index 0000000..51fb972 --- /dev/null +++ b/notemyprogress/amd/build/emailform.min.js @@ -0,0 +1 @@ +define(["local_notemyprogress/axios","local_notemyprogress/alertify"],(function(Axios,Alertify){const emailform={template:'\n <v-main mt-10>\n <v-row>\n <v-col sm="12">\n <v-dialog\n v-model="dialog"\n width="800"\n @click:outside="closeDialog()"\n @keydown.esc="closeDialog()"\n >\n <v-card>\n <v-toolbar color="#118AB2" dark>\n <span v-text="emailform_title"></span>\n <v-spacer></v-spacer>\n <v-btn icon @click="reset">\n <v-icon v-text="close_icon"></v-icon>\n </v-btn>\n </v-toolbar>\n \n <v-container>\n <v-row>\n <v-col cols="12" sm="12">\n \n <v-chip class="ma-2" color="#118AB2" label dark>\n <span v-text="recipients"></span>\n </v-chip>\n \n <template v-for="(user, index, key) in selected_users">\n <v-chip class="ma-2">\n <v-avatar left>\n <img :src="get_picture_url(user.id)">\n </v-avatar>\n <span>{{user.firstname}} {{user.lastname}}</span>\n </v-chip>\n </template>\n \n </v-col>\n </v-row>\n \n <v-row>\n <v-col cols="12" sm="12">\n <v-form ref="form" v-model="valid_form">\n <v-text-field\n v-model="strings.subject"\n :label="subject_label"\n :rules="subject_rules"\n required\n solo\n ></v-text-field>\n \n <v-textarea\n v-model="message"\n :label="message_label"\n :rules="message_rules"\n required\n solo\n ></v-textarea>\n \n <v-btn @click="submit" :disabled="!valid_form">\n <span v-text="submit_button"></span>\n </v-btn>\n \n <v-btn @click="reset">\n <span v-text="cancel_button"></span>\n </v-btn>\n \n <v-spacer></v-spacer>\n \n </v-form>\n </v-col>\n </v-row>\n </v-container>\n \n </v-card>\n </v-dialog>\n </v-col>\n </v-row>\n \n <v-row>\n <v-col sm="12">\n <div class="text-center">\n <v-dialog\n v-model="loader_dialog"\n persistent\n width="300"\n >\n <v-card color="#118AB2" dark>\n <v-card-text>\n <span v-text="sending_text"></span>\n <v-progress-linear\n indeterminate\n color="white"\n class="mb-0"\n ></v-progress-linear>\n </v-card-text>\n </v-card>\n </v-dialog>\n </div>\n </v-col>\n </v-row>\n </v-main>\n ',props:["dialog","selected_users","strings","moduleid","modulename","courseid","userid"],data(){return{close_icon:"mdi-minus",valid_form:!0,subject_label:this.strings.subject_label,subject_rules:[v=>!!v||this.strings.validation_subject_text],message:"",message_label:this.strings.message_label,message_rules:[v=>!!v||this.strings.validation_message_text],submit_button:this.strings.submit_button,cancel_button:this.strings.cancel_button,emailform_title:this.strings.emailform_title,sending_text:this.strings.sending_text,recipients:this.strings.recipients_label,loader_dialog:!1,mailsended_text:this.strings.mailsended_text}},methods:{get_picture_url(userid){let url;return`${M.cfg.wwwroot}/user/pix.php?file=/${userid}/f1.jpg`},submit(){let recipients="";this.selected_users.forEach(item=>{recipients=recipients.concat(item.id,",")}),this.loader_dialog=!0,this.errors=[];let data={action:"sendmail",subject:this.strings.subject,recipients:recipients,text:this.message,userid:this.userid,courseid:this.courseid,moduleid:this.moduleid,modulename:this.modulename};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok?(this.$emit("update_dialog",!1),this.$refs.form.reset(),Alertify.success(this.mailsended_text),"function"==typeof this.$parent.$root.addLogsIntoDB&&this.$parent.$root.addLogsIntoDB("SendedTo : "+this.selected_users[0].email,this.$parent.$root.email_object_name,"email","Sent an email")):(Alertify.error(this.strings.api_error_network),this.loader_dialog=!1)}).catch(e=>{Alertify.error(this.strings.api_error_network)}).finally(()=>{this.loader_dialog=!1})},reset(){this.$emit("update_dialog",!1),this.$refs.form.resetValidation()},closeDialog(){this.$emit("update_dialog",!1)}}};return emailform})); \ No newline at end of file diff --git a/notemyprogress/amd/build/metareflexion.min.js b/notemyprogress/amd/build/metareflexion.min.js index 90d499c..63faf8f 100644 --- a/notemyprogress/amd/build/metareflexion.min.js +++ b/notemyprogress/amd/build/metareflexion.min.js @@ -1 +1 @@ -define(["local_notemyprogress/vue","local_notemyprogress/vuetify","local_notemyprogress/axios","local_notemyprogress/alertify","local_notemyprogress/pagination","local_notemyprogress/chartdynamic","local_notemyprogress/pageheader"],(function(Vue,Vuetify,Axios,Alertify,Pagination,ChartStatic,Pageheader){"use strict";function init(content){Vue.use(Vuetify),Vue.component("pagination",Pagination),Vue.component("chart",ChartStatic),Vue.component("pageheader",Pageheader);const vue=new Vue({delimiters:["[[","]]"],el:"#metareflexion",vuetify:new Vuetify,data:{test:!0,module_groups:content.module_groups,indicators:content.indicators,resources_access_colors:content.resources_access_colors,inverted_time_colors:content.inverted_time_colors,inverted_time:content.indicators.inverted_time,hours_sessions:content.indicators.hours_sessions,sections:content.indicators.sections,sections_map:null,week_progress:0,resource_access_categories:[],resource_access_data:[],modules_dialog:!1,help_dialog:!1,help_contents:[],disabled_form:!1,groups:content.groups,students_planification:content.students_planification,selected_week:null,paginator_week:null,saved_planification:!1,strings:content.strings,userid:content.userid,courseid:content.courseid,loading:!1,compare_with_course:!1,current_week:content.cmcurrentweeknew,week_schedule:content.week_schedule,data_report_meta_days:content.data_report_days,data_report_meta_hours:content.data_report_hours,data_report_meta_goals:content.data_report_goals,data_report_meta_questions:content.data_report_hours_questions,data_report_meta_last_week:content.report_last_week,status_planning:content.status_planning,course_report_hours:content.course_report_hours,past_week:content.lastweek,render_has:content.profile_render,dialog:!1,days_week:[content.strings.currentweek_day_lun,content.strings.currentweek_day_mar,content.strings.currentweek_day_mie,content.strings.currentweek_day_jue,content.strings.currentweek_day_vie,content.strings.currentweek_day_sab,content.strings.currentweek_day_dom],active_tab:0,icons:{calendar:content.calendar_icon},tabs_header:[{name:content.strings.tab_1,id:1,teacher_can_view:!1,student_can_view:!0},{name:content.strings.tab_2,id:2,teacher_can_view:!1,student_can_view:!0}],hours_committed:0,id_committed:null,pages:content.pages,active_tab:null,chart_metareflexion_options:{maintainAspectRatio:!1,legend:{display:!1},scales:{xAxes:[{ticks:{beginAtZero:!0,callback:function(value){if(Number.isInteger(value))return value},suggestedMin:0,suggestedMax:5}}]}},img_no_data:content.image_no_data},mounted(){document.querySelector("#sr-loader").style.display="none",document.querySelector("#metareflexion").style.display="block",this.past_week.classroom_hours||(this.past_week.classroom_hours=0),this.past_week.classroom_hours||(this.past_week.hours_off_course=0),this.pages.forEach(page=>{page.selected&&(this.selected_week=page,this.paginator_week=page)}),setTimeout((function(){vue.setGraphicsEventListeners()}),500),vue.setGraphicsEventListeners()},computed:{progress(){var count_all=0,count_finished=0;Object.keys(this.module_groups).map(key=>{let group=this.module_groups[key];count_all+=group.count_all,count_finished+=group.count_finished});let average=100*count_finished/count_all;return average=Number.isNaN(average)?0:average.toFixed(0),average},isDisabledBtnLastWeek(){return null===this.data_report_meta_questions.questions[1].answer_selected||null===this.data_report_meta_questions.questions[2].answer_selected||null===this.data_report_meta_questions.questions[3].answer_selected||null===this.data_report_meta_questions.questions[4].answer_selected},hasLastWeek(){var last_week=!1;return this.pages.forEach(page=>{page.is_current_week&&page.number>1&&(last_week=!0)}),last_week},isDisabledQuestions(){return null==this.paginator_week||!(this.week_schedule[this.paginator_week.weekcode]&&!this.paginator_week.is_current_week)}},methods:{get_modules(day,cmid){return this.current_week[0].weekly_schedules_days.days_planned[day].includes(cmid)},update_interactions(week){this.loading=!0,this.errors=[];let data={action:"worksessions",userid:this.userid,courseid:this.courseid,weekcode:week.weekcode,profile:this.render_has};return Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok?(this.hours_sessions=response.data.data.indicators.sessions,this.session_count=response.data.data.indicators.count,this.inverted_time=response.data.data.indicators.time):this.error_messages.push(this.strings.error_network)}).catch(e=>{this.errors.push(this.strings.api_error_network)}).finally(()=>{this.loading=!1,vue.addLogsIntoDB("viewed","week_"+week.weekcode,"week_section","Week section that allows you to obtain information on a specific week"),vue.setGraphicsEventListeners()}),this.data},convert_time(time){time*=3600;let h=this.strings.hours_short,m=this.strings.minutes_short,s=this.strings.seconds_short,hours=Math.floor(time/3600),minutes=Math.floor(time%3600/60),seconds=Math.floor(time%60),text;return text=hours>=1?minutes>=1?`${hours}${h} ${minutes}${m}`:`${hours}${h}`:minutes>=1?seconds>=1?`${minutes}${m} ${seconds}${s}`:`${minutes}${m}`:`${seconds}${s}`,text},get_help_content(){let contents=[];return contents.push({title:this.strings.section_help_title,description:this.strings.section_help_description}),contents},build_inverted_time_chart(){let chart=new Object,meta=new Object;meta=this.chartdata_hours_week_dedication();let invest=[{name:meta.labels[2],y:meta.datasets[0].data[2]},{name:meta.labels[0],y:meta.datasets[0].data[0]},{name:meta.labels[1],y:meta.datasets[0].data[1]}];return chart.chart={type:"bar",backgroundColor:null,style:{fontFamily:"poppins"}},chart.title={text:null},chart.colors=this.inverted_time_colors,chart.xAxis={type:"category",crosshair:!0},chart.yAxis={title:{text:this.strings.inverted_time_chart_x_axis}},chart.tooltip={shared:!0,useHTML:!0,formatter:function(){let category_name,time;return`<b>${this.points[0].key}: </b>${vue.convert_time(this.y)}`}},chart.legend={enabled:!1},chart.series=[{colorByPoint:!0,data:invest}],chart},get_goal(goal_id){return this.current_week[0].weekly_schedules_goals.includes(goal_id)},update_goal(goal_id,event){if(event)this.current_week[0].weekly_schedules_goals.push(goal_id);else{const i=this.current_week[0].weekly_schedules_goals.indexOf(goal_id);this.current_week[0].weekly_schedules_goals.splice(i,1)}},update_module(day,module_id,event){if(event)this.current_week[0].weekly_schedules_days.days_planned[day].push(module_id);else{const i=this.current_week[0].weekly_schedules_days.days_planned[day].indexOf(module_id);this.current_week[0].weekly_schedules_days.days_planned[day].splice(i,1)}},subtitle_reports_hours_label(){let label="";return label="teacher"==this.render_has?this.strings.subtitle_reports_hours_teacher:this.strings.subtitle_reports_hours_student,label},subtitle_reports_days_student_label(){let label="";return label="teacher"==this.render_has?this.strings.subtitle_reports_days_teacher:this.strings.subtitle_reports_days_student,label},translate_name(name,prefix){var index_name=prefix+name;return void 0!==this.strings[index_name]&&(name=this.strings[index_name]),name},get_interactions(week){this.loading=!0;var validresponse=!1;this.errors=[];var data={action:"metareflexionrepotgetweek",userid:this.userid,courseid:this.courseid,weekcode:week.weekcode,profile:this.render_has};return Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok?(this.paginator_week=week,validresponse=!0,this.data_report_meta_goals=response.data.data.interactions_goals,this.data_report_meta_days=response.data.data.interactions_days,this.data_report_meta_hours=response.data.data.interactions_hours,this.data_report_meta_questions=response.data.data.interactions_questions,this.course_report_hours=response.data.data.course_report_hours,this.status_planning=response.data.data.status_planning):this.errors.push(this.strings.api_error_network)}).catch(e=>{this.errors.push(this.strings.api_error_network)}).finally(()=>{this.loading=!1}),validresponse},get_interacions_last_week(week){this.loading=!0;var validresponse=!1;this.errors=[];var data={action:"metareflexionreportlastweek",userid:this.userid,courseid:this.courseid,weekcode:week.weekcode,profile:this.render_has};return Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok?(this.paginator_week=week,validresponse=!0,this.data_report_meta_classroom=response.data.data.average_hours_clases.average_classroom,this.data_report_meta_of_classroom=response.data.data.average_hours_clases.average_of_classroom,this.data_report_meta_last_week=response.data.data.report_last_week):this.errors.push(this.strings.api_error_network)}).catch(e=>{this.errors.push(this.strings.api_error_network)}).finally(()=>{this.loading=!1}),validresponse},get_week_dates(week){return`${week.weekstart} ${this.strings.tv_to} ${week.weekend}`},chartdata_hours_week_dedication(){var data=new Object;data.datasets=[];let inverted=`${this.strings.myself} ${this.strings.inverted_time}`,planified=`${this.strings.myself} ${this.strings.planified_time}`;data.labels=[inverted,planified];var dataset=new Object;return dataset.label="Horas",dataset.data=[parseFloat(this.data_report_meta_hours.hours_worked),parseInt(this.data_report_meta_hours.hours_planned)],dataset.backgroundColor=["#ffa700","#a0c2fa"],dataset.borderWidth=0,data.datasets.push(dataset),data.labels.splice(1,0,this.strings.inverted_time_course),dataset.data.splice(1,0,parseFloat(this.course_report_hours.hours_worked)),dataset.backgroundColor.splice(1,0,"#ffa700"),data},action_save_metareflexion(course_module){course_module.weekly_schedules_id?this.update_metareflexion(course_module):this.save_metareflexion_new(course_module),this.get_interaction_group(this.paginator_week)},updated_metareflexion(){this.selected_week.weekcode==this.paginator_week.weekcode&&this.saved_planification&&(this.get_interactions(this.paginator_week),this.saved_planification=!1)},get_selected_days(week){var filtered_days=[];return Object.keys(week).forEach((day,index)=>{week[day]&&filtered_days.push(day)}),filtered_days.join()},update_metareflexion(course_module){var data={action:"updatemetareflexion",metareflexionid:course_module.weekly_schedules_id,hours:this.current_week[0].weekly_schedules_hours.hours_planned,goals:this.current_week[0].weekly_schedules_goals,days:JSON.stringify(this.current_week[0].weekly_schedules_days.days_planned),courseid:this.courseid,weekcode:course_module.weekcode,userid:this.userid};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok&&(Alertify.success(this.strings.update_planification_success),course_module.modalopened=!1)}).catch(e=>{this.saving_loader=!1,Alertify.error("The note could not be saved...")})},save_metareflexion_new(course_module){var data={action:"savemetareflexion",userid:this.userid,courseid:this.courseid,weekcode:course_module.weekcode,hours:this.current_week[0].weekly_schedules_hours.hours_planned,goals:this.current_week[0].weekly_schedules_goals,days:JSON.stringify(this.current_week[0].weekly_schedules_days.days_planned)};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok?(course_module.weekly_schedules_id=response.data.data.responsemetareflexion.id,Alertify.success(this.strings.save_planification_success),course_module.modalopened=!1):Alertify.error(this.strings.api_error_network)}).catch(e=>{this.saving_loader=!1,Alertify.error(this.strings.api_error_network)}).finally(()=>{this.saving_loader=!1})},actions_last_week(){this.data_report_meta_questions.id?this.update_last_week():this.save_last_week()},save_last_week(){var data_params={action:"savelastweek",userid:this.userid,courseid:this.courseid.toString(),weekcode:this.paginator_week.weekcode,classroom_hours:this.data_report_meta_questions.classroom_hours,hours_off:this.data_report_meta_questions.hours_off_course,objectives_reached:this.data_report_meta_questions.questions[1].answer_selected,previous_class:this.data_report_meta_questions.questions[2].answer_selected,benefit:this.data_report_meta_questions.questions[3].answer_selected,feeling:this.data_report_meta_questions.questions[4].answer_selected};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data_params}).then(response=>{200==response.status&&response.data.ok&&(this.data_report_meta_questions.id=response.data.data.response_save_last_week.id,Alertify.success(this.strings.last_week_created))}).catch(e=>{Alertify.error(this.strings.api_error_network)})},update_last_week(){var data_params={action:"updatelastweek",userid:this.userid,courseid:this.courseid,lastweekid:this.data_report_meta_questions.id,classroom_hours:this.data_report_meta_questions.classroom_hours,hours_off:this.data_report_meta_questions.hours_off_course,objectives_reached:this.data_report_meta_questions.questions[1].answer_selected,previous_class:this.data_report_meta_questions.questions[2].answer_selected,benefit:this.data_report_meta_questions.questions[3].answer_selected,feeling:this.data_report_meta_questions.questions[4].answer_selected};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data_params}).then(response=>{200==response.status&&response.data.ok&&Alertify.success(this.strings.last_week_update)}).catch(e=>{Alertify.error(this.strings.api_error_network)})},get_icon(days_planned_trabajados,position){var icon_name="remove";return days_planned_trabajados.days_planned[position]&&(icon_name=days_planned_trabajados.days_worked[position]>0?"mdi-thumb-up-outline":"mdi-mdi-thumb-down-outline"),icon_name},get_help_content(){var helpcontents=[],help;if(0==this.active_tab)(help=new Object).title=this.strings.currentweek_card_title,help.description=this.strings.currentweek_description_student,helpcontents.push(help);else if(1==this.active_tab){var help;(help=new Object).title=this.strings.subtitle_reports_hours,help.description=this.strings.description_reports_hours_student,helpcontents.push(help),(help=new Object).description=this.strings.description_reports_goals_student,helpcontents.push(help),(help=new Object).title=this.strings.subtitle_reports_days,help.description=this.strings.description_reports_days_student,helpcontents.push(help),(help=new Object).description=this.strings.description_reports_meta_student,helpcontents.push(help)}return helpcontents},is_teacher(){let is_teacher;return"teacher"==this.render_has},must_renderize(tab){var render=!0;return render="teacher"==this.render_has?tab.teacher_can_view:tab.student_can_view},get_title_content(){var title_content_tab;return 0==this.active_tab?title_content_tab=this.strings.currentweek_card_title:1==this.active_tab&&(title_content_tab=this.strings.effectiveness_title),title_content_tab},planned_week_summary(){var summary=!1;return this.selected_week&&(summary=`<strong class="text-uppercase">${this.strings.pagination_name} ${this.selected_week.number}</strong>${this.strings.planning_week_start}\n ${this.selected_week.weekstart} ${this.strings.planning_week_end} ${this.selected_week.weekend}\n `),summary},get_interaction_group(week){this.get_interactions(week),this.get_interacions_last_week(week)},setGraphicsEventListeners(){let graphics=document.querySelectorAll(".highcharts-container");graphics.length<1?setTimeout(vue.setGraphicsEventListeners,500):(graphics[0].id="EfficiencyChart",graphics.forEach(graph=>{graph.addEventListener("mouseenter",vue.addLogsViewGraphic)}))},addLogsViewGraphic(e){event.stopPropagation();var action="",objectName="",objectType="",objectDescription="";switch(e.target.id){case"EfficiencyChart":action="viewed",objectName="reflection_chart",objectType="chart",objectDescription="A bar chart";break;default:action="viewed",objectName="",objectType="chart",objectDescription="A chart"}vue.addLogsIntoDB(action,objectName,objectType,objectDescription)},addLogsIntoDB(action,objectName,objectType,objectDescription){let data={courseid:content.courseid,userid:content.userid,action:"addLogs",sectionname:"META_REFLECTION",actiontype:action,objectType:objectType,objectName:objectName,currentUrl:document.location.href,objectDescription:objectDescription};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok}).catch(e=>{})}}})}return{init:init}})); \ No newline at end of file +define(["local_notemyprogress/vue","local_notemyprogress/vuetify","local_notemyprogress/axios","local_notemyprogress/alertify","local_notemyprogress/pagination","local_notemyprogress/chartdynamic","local_notemyprogress/pageheader"],(function(Vue,Vuetify,Axios,Alertify,Pagination,ChartStatic,Pageheader){"use strict";function init(content){Vue.use(Vuetify),Vue.component("pagination",Pagination),Vue.component("chart",ChartStatic),Vue.component("pageheader",Pageheader);const vue=new Vue({delimiters:["[[","]]"],el:"#metareflexion",vuetify:new Vuetify,data:{test:!0,module_groups:content.module_groups,indicators:content.indicators,resources_access_colors:content.resources_access_colors,inverted_time_colors:content.inverted_time_colors,inverted_time:content.indicators.inverted_time,hours_sessions:content.indicators.hours_sessions,sections:content.indicators.sections,sections_map:null,week_progress:0,resource_access_categories:[],resource_access_data:[],modules_dialog:!1,help_dialog:!1,help_contents:[],disabled_form:!1,groups:content.groups,students_planification:content.students_planification,selected_week:null,paginator_week:null,saved_planification:!1,strings:content.strings,userid:content.userid,courseid:content.courseid,loading:!1,compare_with_course:!1,current_week:content.cmcurrentweeknew,week_schedule:content.week_schedule,data_report_meta_days:content.data_report_days,data_report_meta_hours:content.data_report_hours,data_report_meta_goals:content.data_report_goals,data_report_meta_questions:content.data_report_hours_questions,data_report_meta_last_week:content.report_last_week,status_planning:content.status_planning,course_report_hours:content.course_report_hours,past_week:content.lastweek,render_has:content.profile_render,dialog:!1,days_week:[content.strings.currentweek_day_lun,content.strings.currentweek_day_mar,content.strings.currentweek_day_mie,content.strings.currentweek_day_jue,content.strings.currentweek_day_vie,content.strings.currentweek_day_sab,content.strings.currentweek_day_dom],active_tab:0,icons:{calendar:content.calendar_icon},tabs_header:[{name:content.strings.tab_1,id:1,teacher_can_view:!1,student_can_view:!0},{name:content.strings.tab_2,id:2,teacher_can_view:!1,student_can_view:!0}],hours_committed:0,id_committed:null,pages:content.pages,active_tab:null,chart_metareflexion_options:{maintainAspectRatio:!1,legend:{display:!1},scales:{xAxes:[{ticks:{beginAtZero:!0,callback:function(value){if(Number.isInteger(value))return value},suggestedMin:0,suggestedMax:5}}]}},img_no_data:content.image_no_data},mounted(){document.querySelector("#sr-loader").style.display="none",document.querySelector("#metareflexion").style.display="block",this.past_week.classroom_hours||(this.past_week.classroom_hours=0),this.past_week.classroom_hours||(this.past_week.hours_off_course=0),this.pages.forEach(page=>{page.selected&&(this.selected_week=page,this.paginator_week=page)}),setTimeout((function(){vue.setGraphicsEventListeners()}),500),vue.setGraphicsEventListeners()},computed:{progress(){var count_all=0,count_finished=0;Object.keys(this.module_groups).map(key=>{let group=this.module_groups[key];count_all+=group.count_all,count_finished+=group.count_finished});let average=100*count_finished/count_all;return average=Number.isNaN(average)?0:average.toFixed(0),average},isDisabledBtnLastWeek(){return null===this.data_report_meta_questions.questions[1].answer_selected||null===this.data_report_meta_questions.questions[2].answer_selected||null===this.data_report_meta_questions.questions[3].answer_selected||null===this.data_report_meta_questions.questions[4].answer_selected},hasLastWeek(){var last_week=!1;return this.pages.forEach(page=>{page.is_current_week&&page.number>1&&(last_week=!0)}),last_week},isDisabledQuestions(){return null==this.paginator_week||!(this.week_schedule[this.paginator_week.weekcode]&&!this.paginator_week.is_current_week)}},methods:{get_modules(day,cmid){return this.current_week[0].weekly_schedules_days.days_planned[day].includes(cmid)},update_interactions(week){this.loading=!0,this.errors=[];let data={action:"worksessions",userid:this.userid,courseid:this.courseid,weekcode:week.weekcode,profile:this.render_has};return Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok?(this.hours_sessions=response.data.data.indicators.sessions,this.session_count=response.data.data.indicators.count,this.inverted_time=response.data.data.indicators.time):this.error_messages.push(this.strings.error_network)}).catch(e=>{this.errors.push(this.strings.api_error_network)}).finally(()=>{this.loading=!1,vue.addLogsIntoDB("viewed","week_"+week.weekcode,"week_section","Week section that allows you to obtain information on a specific week"),vue.setGraphicsEventListeners()}),this.data},convert_time(time){time*=3600;let h=this.strings.hours_short,m=this.strings.minutes_short,s=this.strings.seconds_short,hours=Math.floor(time/3600),minutes=Math.floor(time%3600/60),seconds=Math.floor(time%60),text;return text=hours>=1?minutes>=1?`${hours}${h} ${minutes}${m}`:`${hours}${h}`:minutes>=1?seconds>=1?`${minutes}${m} ${seconds}${s}`:`${minutes}${m}`:`${seconds}${s}`,text},get_help_content(){let contents=[];return contents.push({title:this.strings.section_help_title,description:this.strings.section_help_description}),contents},build_inverted_time_chart(){let chart=new Object,meta=new Object;meta=this.chartdata_hours_week_dedication();let invest=[{name:meta.labels[2],y:meta.datasets[0].data[2]},{name:meta.labels[0],y:meta.datasets[0].data[0]},{name:meta.labels[1],y:meta.datasets[0].data[1]}];return chart.chart={type:"bar",backgroundColor:null,style:{fontFamily:"poppins"}},chart.title={text:null},chart.colors=this.inverted_time_colors,chart.xAxis={type:"category",crosshair:!0},chart.yAxis={title:{text:this.strings.inverted_time_chart_x_axis}},chart.tooltip={shared:!0,useHTML:!0,formatter:function(){let category_name,time;return`<b>${this.points[0].key}: </b>${vue.convert_time(this.y)}`}},chart.legend={enabled:!1},chart.series=[{colorByPoint:!0,data:invest}],chart},get_goal(goal_id){return this.current_week[0].weekly_schedules_goals.includes(goal_id)},update_goal(goal_id,event){if(event)this.current_week[0].weekly_schedules_goals.push(goal_id);else{const i=this.current_week[0].weekly_schedules_goals.indexOf(goal_id);this.current_week[0].weekly_schedules_goals.splice(i,1)}},update_module(day,module_id,event){if(event)this.current_week[0].weekly_schedules_days.days_planned[day].push(module_id);else{const i=this.current_week[0].weekly_schedules_days.days_planned[day].indexOf(module_id);this.current_week[0].weekly_schedules_days.days_planned[day].splice(i,1)}},subtitle_reports_hours_label(){let label="";return label="teacher"==this.render_has?this.strings.subtitle_reports_hours_teacher:this.strings.subtitle_reports_hours_student,label},subtitle_reports_days_student_label(){let label="";return label="teacher"==this.render_has?this.strings.subtitle_reports_days_teacher:this.strings.subtitle_reports_days_student,label},translate_name(name,prefix){var index_name=prefix+name;return void 0!==this.strings[index_name]&&(name=this.strings[index_name]),name},get_interactions(week){this.loading=!0;var validresponse=!1;this.errors=[];var data={action:"metareflexionrepotgetweek",userid:this.userid,courseid:this.courseid,weekcode:week.weekcode,profile:this.render_has};return Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok?(this.paginator_week=week,validresponse=!0,this.data_report_meta_goals=response.data.data.interactions_goals,this.data_report_meta_days=response.data.data.interactions_days,this.data_report_meta_hours=response.data.data.interactions_hours,this.data_report_meta_questions=response.data.data.interactions_questions,this.course_report_hours=response.data.data.course_report_hours,this.status_planning=response.data.data.status_planning):this.errors.push(this.strings.api_error_network)}).catch(e=>{this.errors.push(this.strings.api_error_network)}).finally(()=>{this.loading=!1}),validresponse},get_interacions_last_week(week){this.loading=!0;var validresponse=!1;this.errors=[];var data={action:"metareflexionreportlastweek",userid:this.userid,courseid:this.courseid,weekcode:week.weekcode,profile:this.render_has};return Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok?(this.paginator_week=week,validresponse=!0,this.data_report_meta_classroom=response.data.data.average_hours_clases.average_classroom,this.data_report_meta_of_classroom=response.data.data.average_hours_clases.average_of_classroom,this.data_report_meta_last_week=response.data.data.report_last_week):this.errors.push(this.strings.api_error_network)}).catch(e=>{this.errors.push(this.strings.api_error_network)}).finally(()=>{this.loading=!1}),validresponse},get_week_dates(week){return`${week.weekstart} ${this.strings.tv_to} ${week.weekend}`},chartdata_hours_week_dedication(){var data=new Object;data.datasets=[];let inverted=`${this.strings.myself} ${this.strings.inverted_time}`,planified=`${this.strings.myself} ${this.strings.planified_time}`;data.labels=[inverted,planified];var dataset=new Object;return dataset.label="Horas",dataset.data=[parseFloat(this.data_report_meta_hours.hours_worked),parseInt(this.data_report_meta_hours.hours_planned)],dataset.backgroundColor=["#ffa700","#a0c2fa"],dataset.borderWidth=0,data.datasets.push(dataset),data.labels.splice(1,0,this.strings.inverted_time_course),dataset.data.splice(1,0,parseFloat(this.course_report_hours.hours_worked)),dataset.backgroundColor.splice(1,0,"#ffa700"),data},action_save_metareflexion(course_module){course_module.weekly_schedules_id?this.update_metareflexion(course_module):this.save_metareflexion_new(course_module),this.get_interaction_group(this.paginator_week)},updated_metareflexion(){this.selected_week.weekcode==this.paginator_week.weekcode&&this.saved_planification&&(this.get_interactions(this.paginator_week),this.saved_planification=!1)},get_selected_days(week){var filtered_days=[];return Object.keys(week).forEach((day,index)=>{week[day]&&filtered_days.push(day)}),filtered_days.join()},update_metareflexion(course_module){var data={action:"updatemetareflexion",metareflexionid:course_module.weekly_schedules_id,hours:this.current_week[0].weekly_schedules_hours.hours_planned,goals:this.current_week[0].weekly_schedules_goals,days:JSON.stringify(this.current_week[0].weekly_schedules_days.days_planned),courseid:this.courseid,weekcode:course_module.weekcode,userid:this.userid};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok&&(Alertify.success(this.strings.update_planification_success),course_module.modalopened=!1)}).catch(e=>{this.saving_loader=!1,Alertify.error("The note could not be saved...")})},save_metareflexion_new(course_module){var data={action:"savemetareflexion",userid:this.userid,courseid:this.courseid,weekcode:course_module.weekcode,hours:this.current_week[0].weekly_schedules_hours.hours_planned,goals:this.current_week[0].weekly_schedules_goals,days:JSON.stringify(this.current_week[0].weekly_schedules_days.days_planned)};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok?(course_module.weekly_schedules_id=response.data.data.responsemetareflexion.id,Alertify.success(this.strings.save_planification_success),course_module.modalopened=!1):Alertify.error(this.strings.api_error_network)}).catch(e=>{this.saving_loader=!1,Alertify.error(this.strings.api_error_network)}).finally(()=>{this.saving_loader=!1})},actions_last_week(){this.data_report_meta_questions.id?this.update_last_week():this.save_last_week()},save_last_week(){var data_params={action:"savelastweek",userid:this.userid,courseid:this.courseid.toString(),weekcode:this.paginator_week.weekcode,classroom_hours:this.data_report_meta_questions.classroom_hours,hours_off:this.data_report_meta_questions.hours_off_course,objectives_reached:this.data_report_meta_questions.questions[1].answer_selected,previous_class:this.data_report_meta_questions.questions[2].answer_selected,benefit:this.data_report_meta_questions.questions[3].answer_selected,feeling:this.data_report_meta_questions.questions[4].answer_selected};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data_params}).then(response=>{200==response.status&&response.data.ok&&(this.data_report_meta_questions.id=response.data.data.response_save_last_week.id,Alertify.success(this.strings.last_week_created))}).catch(e=>{Alertify.error(this.strings.api_error_network)})},update_last_week(){var data_params={action:"updatelastweek",userid:this.userid,courseid:this.courseid,lastweekid:this.data_report_meta_questions.id,classroom_hours:this.data_report_meta_questions.classroom_hours,hours_off:this.data_report_meta_questions.hours_off_course,objectives_reached:this.data_report_meta_questions.questions[1].answer_selected,previous_class:this.data_report_meta_questions.questions[2].answer_selected,benefit:this.data_report_meta_questions.questions[3].answer_selected,feeling:this.data_report_meta_questions.questions[4].answer_selected};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data_params}).then(response=>{200==response.status&&response.data.ok&&Alertify.success(this.strings.last_week_update)}).catch(e=>{Alertify.error(this.strings.api_error_network)})},get_icon(days_planned_trabajados,position){var icon_name="remove";return days_planned_trabajados.days_planned[position]&&(icon_name=days_planned_trabajados.days_worked[position]>0?"mdi-thumb-up-outline":"mdi-mdi-thumb-down-outline"),icon_name},get_help_content(){var helpcontents=[],help;if(0==this.active_tab)(help=new Object).title=this.strings.currentweek_card_title,help.description=this.strings.currentweek_description_student,helpcontents.push(help);else if(1==this.active_tab){var help;(help=new Object).title=this.strings.subtitle_reports_hours,help.description=this.strings.description_reports_hours_student,helpcontents.push(help),(help=new Object).description=this.strings.description_reports_goals_student,helpcontents.push(help),(help=new Object).title=this.strings.subtitle_reports_days,help.description=this.strings.description_reports_days_student,helpcontents.push(help),(help=new Object).description=this.strings.description_reports_meta_student,helpcontents.push(help)}return helpcontents},is_teacher(){let is_teacher;return"teacher"==this.render_has},must_renderize(tab){var render=!0;return render="teacher"==this.render_has?tab.teacher_can_view:tab.student_can_view},get_title_content(){return this.strings.title_metareflexion},planned_week_summary(){var summary=!1;return this.selected_week&&(summary=`<strong class="text-uppercase">${this.strings.pagination_name} ${this.selected_week.number}</strong>${this.strings.planning_week_start}\n ${this.selected_week.weekstart} ${this.strings.planning_week_end} ${this.selected_week.weekend}\n `),summary},get_interaction_group(week){this.get_interactions(week),this.get_interacions_last_week(week)},setGraphicsEventListeners(){let graphics=document.querySelectorAll(".highcharts-container");graphics.length<1?setTimeout(vue.setGraphicsEventListeners,500):(graphics[0].id="EfficiencyChart",graphics.forEach(graph=>{graph.addEventListener("mouseenter",vue.addLogsViewGraphic)}))},addLogsViewGraphic(e){event.stopPropagation();var action="",objectName="",objectType="",objectDescription="";switch(e.target.id){case"EfficiencyChart":action="viewed",objectName="reflection_chart",objectType="chart",objectDescription="A bar chart";break;default:action="viewed",objectName="",objectType="chart",objectDescription="A chart"}vue.addLogsIntoDB(action,objectName,objectType,objectDescription)},addLogsIntoDB(action,objectName,objectType,objectDescription){let data={courseid:content.courseid,userid:content.userid,action:"addLogs",sectionname:"META_REFLECTION",actiontype:action,objectType:objectType,objectName:objectName,currentUrl:document.location.href,objectDescription:objectDescription};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok}).catch(e=>{})}}})}return{init:init}})); \ No newline at end of file diff --git a/notemyprogress/amd/build/setweeks.min.js b/notemyprogress/amd/build/setweeks.min.js index 4fcb9b6..21a15cc 100644 --- a/notemyprogress/amd/build/setweeks.min.js +++ b/notemyprogress/amd/build/setweeks.min.js @@ -1 +1 @@ -define(["local_notemyprogress/vue","local_notemyprogress/vuetify","local_notemyprogress/axios","local_notemyprogress/sortablejs","local_notemyprogress/draggable","local_notemyprogress/datepicker","local_notemyprogress/moment","local_notemyprogress/alertify","local_notemyprogress/pageheader"],(function(Vue,Vuetify,Axios,Sortable,Draggable,Datepicker,Moment,Alertify,Pageheader){"use strict";function init(content){content=add_collapsabled_property_to_weeks(content),Vue.use(Vuetify),Vue.component("draggable",Draggable),Vue.component("datepicker",Datepicker),Vue.component("pageheader",Pageheader);const app=new Vue({delimiters:["[[","]]"],el:"#setweeks",vuetify:new Vuetify,data:{display_settings:!1,settings:content.settings,new_group:!1,scroll_mode:!1,weeks_started_at:new Date(Moment(1e3*Number(content.weeks[0].weekstart))),strings:content.strings,sections:content.sections,courseid:content.courseid,userid:content.userid,raw_weeks:content.weeks,disabled_dates:{days:[0,2,3,4,5,6]},saving_loader:!1,error_messages:[],save_successful:!1,form_identical:!0},mounted(){document.querySelector("#setweeks-loader").style.display="none",document.querySelector("#setweeks").style.display="block",this.cache_weeks_started_at=new Date(this.weeks_started_at.getTime()),this.cache_sections=JSON.parse(JSON.stringify(this.sections)),this.cache_raw_weeks=JSON.parse(JSON.stringify(this.raw_weeks))},computed:{weeks(){for(let i=0;i<this.raw_weeks.length;i++){let week=this.raw_weeks[i];if(0==i){let start_weeks=this.weeks_started_at;week.weekstart=start_weeks,week.weekend=this.get_end_week(this.weeks_started_at)}else week.weekstart=this.get_start_week(this.raw_weeks[i-1].weekend),week.weekend=this.get_end_week(week.weekstart)}return this.raw_weeks},cache_weeks(){for(let i=0;i<this.cache_raw_weeks.length;i++){let week=this.cache_raw_weeks[i];if(0==i){let start_weeks=this.cache_weeks_started_at;week.weekstart=start_weeks,week.weekend=this.get_end_week(this.cache_weeks_started_at)}else week.weekstart=this.get_start_week(this.cache_raw_weeks[i-1].weekend),week.weekend=this.get_end_week(week.weekstart)}return this.cache_raw_weeks}},methods:{form_changed(){this.form_identical=!1},cache_save(){this.cache_weeks_started_at=new Date(this.weeks_started_at.getTime()),this.cache_sections=JSON.parse(JSON.stringify(this.sections)),this.cache_raw_weeks=JSON.parse(JSON.stringify(this.raw_weeks)),this.form_identical=!0},cache_cancel(){this.weeks_started_at=new Date(this.cache_weeks_started_at.getTime()),this.sections=JSON.parse(JSON.stringify(this.cache_sections)),this.raw_weeks=JSON.parse(JSON.stringify(this.cache_raw_weeks)),this.form_identical=!0},section_name(section){let name=null;return name=void 0!==section.section_name&§ion.section_name.length>0?section.section_name:section.name,name},section_exist(section){let exist=!0;return void 0!==section&&void 0!==section.exists&&0==section.exists&&(exist=!1),exist},format_name:(name,position)=>name+" "+(position+1),customFormatter(date){let weeks_start_at;return Moment(date).format("YYYY-MM-DD")},add_week(){this.raw_weeks.push({name:this.strings.week,position:this.weeks.length+1,weekstart:null,weekend:null,collapsabled:!1,hours_dedications:0,removable:!0,sections:[]}),this.form_changed()},has_items:array=>array.length>0,remove_week(week,index){if(0==index)return null;this.close_delete_confirm();for(let i=0;i<week.sections.length;i++)this.sections.push(week.sections[i]);let element_index=this.raw_weeks.indexOf(week);this.raw_weeks.splice(element_index,1),this.form_changed()},ask_delete_confirm(){this.delete_confirm=!0},close_delete_confirm(){this.delete_confirm=!1},get_start_week(pass_week){let start_date;return Moment(Moment(pass_week).add(1,"days")).format("YYYY-MM-DD")},get_end_week(start_week){let end_date;return Moment(Moment(start_week).add(6,"days")).format("YYYY-MM-DD")},get_date_next_day(requested_day,date,output_format=null){requested_day=requested_day.toLowerCase();let current_day=Moment(date).format("dddd").toLowerCase();for(;current_day!=requested_day;)date=Moment(date).add(1,"days"),current_day=Moment(date).format("dddd").toLowerCase();return output_format?date=date.format(output_format):"number"!=typeof date&&(date=parseInt(date.format("x"))),date},position:index=>`${++index} - `,save_changes(){return this.save_successful=!1,this.error_messages=[],this.empty_weeks()?(this.saving_loader=!1,Alertify.error(this.strings.error_empty_week),this.error_messages.push(this.strings.error_empty_week),!1):this.weeks_deleted_from_course()?(this.saving_loader=!1,this.error_messages.push(this.strings.error_section_removed),!1):void Alertify.confirm(this.strings.save_warning_content,()=>{this.saving_loader=!0;var weeks=this.weeks;weeks[0].weekstart=Moment(weeks[0].weekstart).format("YYYY-MM-DD");var data={action:"saveconfigweek",userid:this.userid,courseid:this.courseid,newinstance:this.new_group,weeks:this.minify_query(weeks)};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok?(this.settings=response.data.data.settings,Alertify.success(this.strings.save_successful),this.save_successful=!0,this.cache_save()):(Alertify.error(this.strings.error_network),this.error_messages.push(this.strings.error_network))}).catch(e=>{console.log("catch1"),Alertify.error(this.strings.error_network),console.log("catch2"),this.error_messages.push(this.strings.error_network),console.log("catch3")}).finally(()=>{this.saving_loader=!1})},()=>{this.saving_loader=!1,Alertify.warning(this.strings.cancel_action)}).set({title:this.strings.save_warning_title}).set({labels:{cancel:this.strings.confirm_cancel,ok:this.strings.confirm_ok}})},minify_query(weeks){var minify=[];return weeks.forEach(week=>{var wk=new Object;wk.h=week.hours_dedications,wk.s=week.weekstart,wk.e=week.weekend,wk.sections=[],week.sections.forEach(section=>{var s=new Object;s.sid=section.sectionid,wk.sections.push(s)}),minify.push(wk)}),JSON.stringify(minify)},empty_weeks(){if(this.weeks.length>=2&&this.weeks[0].sections.length<1)return!0;for(let i=0;i<this.weeks.length;i++)if(i>0&&this.weeks[i].sections.length<=0)return!0;return!1},weeks_deleted_from_course(){for(var week_position=0;week_position<this.weeks.length;week_position++)for(var section_position=0;section_position<this.weeks[week_position].sections.length;section_position++)if(!this.section_exist(this.weeks[week_position].sections[section_position]))return!0;return!1},exists_mistakes(){let exists_mistakes;return this.error_messages.length>0},change_collapsabled(index){this.raw_weeks[index].collapsabled=!this.raw_weeks[index].collapsabled,this.form_changed()},course_finished(){let finished=!1,last=this.weeks.length-1,end=Moment(this.weeks[last].weekend).format("X"),now;return finished=Moment().format("X")>end,finished},get_settings_status(){let visible=!0,status;return Object.keys(this.settings).map(key=>{this.settings[key]||(visible=!1)}),visible?this.strings.plugin_visible:this.strings.plugin_hidden},get_help_content(){var help_contents=[],help=new Object;return help.title=this.strings.title,help.description=this.strings.description,help_contents.push(help),help_contents},addLogsIntoDB(action,objectName,objectType,objectDescription){let data={courseid:content.courseid,userid:content.userid,action:"addLogs",sectionname:"CONFIGURATION_COURSE_WEEK",actiontype:action,objectType:objectType,objectName:objectName,currentUrl:document.location.href,objectDescription:objectDescription};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok}).catch(e=>{})}}})}function add_collapsabled_property_to_weeks(content){for(let i=0;i<content.weeks.length;i++){let week=content.weeks[i];void 0===week.collapsabled&&(week.collapsabled=!1)}return content}return{init:init}})); \ No newline at end of file +define(["local_notemyprogress/vue","local_notemyprogress/vuetify","local_notemyprogress/axios","local_notemyprogress/sortablejs","local_notemyprogress/draggable","local_notemyprogress/datepicker","local_notemyprogress/moment","local_notemyprogress/alertify","local_notemyprogress/pageheader"],(function(Vue,Vuetify,Axios,Sortable,Draggable,Datepicker,Moment,Alertify,Pageheader){"use strict";function init(content){content=add_collapsabled_property_to_weeks(content),Vue.use(Vuetify),Vue.component("draggable",Draggable),Vue.component("datepicker",Datepicker),Vue.component("pageheader",Pageheader);const app=new Vue({delimiters:["[[","]]"],el:"#setweeks",vuetify:new Vuetify,data:{display_settings:!1,settings:content.settings,new_group:!1,scroll_mode:!1,weeks_started_at:new Date(Moment(1e3*Number(content.weeks[0].weekstart))),strings:content.strings,sections:content.sections,courseid:content.courseid,userid:content.userid,raw_weeks:content.weeks,disabled_dates:{days:[0,2,3,4,5,6]},saving_loader:!1,error_messages:[],save_successful:!1,form_identical:!0},mounted(){document.querySelector("#setweeks-loader").style.display="none",document.querySelector("#setweeks").style.display="block",this.cache_weeks_started_at=new Date(this.weeks_started_at.getTime()),this.cache_sections=JSON.parse(JSON.stringify(this.sections)),this.cache_raw_weeks=JSON.parse(JSON.stringify(this.raw_weeks))},computed:{weeks(){for(let i=0;i<this.raw_weeks.length;i++){let week=this.raw_weeks[i];if(0==i){let start_weeks=this.weeks_started_at;week.weekstart=start_weeks,week.weekend=this.get_end_week(this.weeks_started_at)}else week.weekstart=this.get_start_week(this.raw_weeks[i-1].weekend),week.weekend=this.get_end_week(week.weekstart)}return this.raw_weeks},cache_weeks(){for(let i=0;i<this.cache_raw_weeks.length;i++){let week=this.cache_raw_weeks[i];if(0==i){let start_weeks=this.cache_weeks_started_at;week.weekstart=start_weeks,week.weekend=this.get_end_week(this.cache_weeks_started_at)}else week.weekstart=this.get_start_week(this.cache_raw_weeks[i-1].weekend),week.weekend=this.get_end_week(week.weekstart)}return this.cache_raw_weeks}},methods:{form_changed(){this.form_identical=!1},cache_save(){this.cache_weeks_started_at=new Date(this.weeks_started_at.getTime()),this.cache_sections=JSON.parse(JSON.stringify(this.sections)),this.cache_raw_weeks=JSON.parse(JSON.stringify(this.raw_weeks)),this.form_identical=!0},cache_cancel(){this.weeks_started_at=new Date(this.cache_weeks_started_at.getTime()),this.sections=JSON.parse(JSON.stringify(this.cache_sections)),this.raw_weeks=JSON.parse(JSON.stringify(this.cache_raw_weeks)),this.form_identical=!0},section_name(section){let name=null;return name=void 0!==section.section_name&§ion.section_name.length>0?section.section_name:section.name,name},section_exist(section){let exist=!0;return void 0!==section&&void 0!==section.exists&&0==section.exists&&(exist=!1),exist},format_name:(name,position)=>name+" "+(position+1),customFormatter(date){let weeks_start_at;return Moment(date).format("YYYY-MM-DD")},add_week(){this.raw_weeks.push({name:this.strings.week,position:this.weeks.length+1,weekstart:null,weekend:null,collapsabled:!1,hours_dedications:0,removable:!0,sections:[]}),this.form_changed()},has_items:array=>array.length>0,remove_week(week,index){if(0==index)return null;this.close_delete_confirm();for(let i=0;i<week.sections.length;i++)this.sections.push(week.sections[i]);let element_index=this.raw_weeks.indexOf(week);this.raw_weeks.splice(element_index,1),this.form_changed()},ask_delete_confirm(){this.delete_confirm=!0},close_delete_confirm(){this.delete_confirm=!1},get_start_week(pass_week){let start_date;return Moment(Moment(pass_week).add(1,"days")).format("YYYY-MM-DD")},get_end_week(start_week){let end_date;return Moment(Moment(start_week).add(6,"days")).format("YYYY-MM-DD")},get_date_next_day(requested_day,date,output_format=null){requested_day=requested_day.toLowerCase();let current_day=Moment(date).format("dddd").toLowerCase();for(;current_day!=requested_day;)date=Moment(date).add(1,"days"),current_day=Moment(date).format("dddd").toLowerCase();return output_format?date=date.format(output_format):"number"!=typeof date&&(date=parseInt(date.format("x"))),date},position:index=>`${++index} - `,save_changes(){return this.save_successful=!1,this.error_messages=[],this.empty_weeks()?(this.saving_loader=!1,Alertify.error(this.strings.error_empty_week),this.error_messages.push(this.strings.error_empty_week),!1):this.weeks_deleted_from_course()?(this.saving_loader=!1,this.error_messages.push(this.strings.error_section_removed),!1):void Alertify.confirm(this.strings.save_warning_content,()=>{this.saving_loader=!0;var weeks=this.weeks;weeks[0].weekstart=Moment(weeks[0].weekstart).format("YYYY-MM-DD");var data={action:"saveconfigweek",userid:this.userid,courseid:this.courseid,newinstance:this.new_group,weeks:this.minify_query(weeks)};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok?(this.settings=response.data.data.settings,this.settings.has_students&&this.settings.course_start&&this.settings.weeks?(Alertify.success(this.strings.save_successful),this.save_successful=!0,this.cache_save()):(Alertify.error(this.strings.error_conditions_setweek),this.error_messages.push(this.strings.error_conditions_setweek))):(Alertify.error(this.strings.error_network),this.error_messages.push(this.strings.error_network))}).catch(e=>{Alertify.error(this.strings.error_network),this.error_messages.push(this.strings.error_network)}).finally(()=>{this.saving_loader=!1})},()=>{this.saving_loader=!1,Alertify.warning(this.strings.cancel_action)}).set({title:this.strings.save_warning_title}).set({labels:{cancel:this.strings.confirm_cancel,ok:this.strings.confirm_ok}})},minify_query(weeks){var minify=[];return weeks.forEach(week=>{var wk=new Object;wk.h=week.hours_dedications,wk.s=week.weekstart,wk.e=week.weekend,wk.sections=[],week.sections.forEach(section=>{var s=new Object;s.sid=section.sectionid,wk.sections.push(s)}),minify.push(wk)}),JSON.stringify(minify)},empty_weeks(){if(this.weeks.length>=2&&this.weeks[0].sections.length<1)return!0;for(let i=0;i<this.weeks.length;i++)if(i>0&&this.weeks[i].sections.length<=0)return!0;return!1},weeks_deleted_from_course(){for(var week_position=0;week_position<this.weeks.length;week_position++)for(var section_position=0;section_position<this.weeks[week_position].sections.length;section_position++)if(!this.section_exist(this.weeks[week_position].sections[section_position]))return!0;return!1},exists_mistakes(){let exists_mistakes;return this.error_messages.length>0},change_collapsabled(index){this.raw_weeks[index].collapsabled=!this.raw_weeks[index].collapsabled,this.form_changed()},course_finished(){let finished=!1,last=this.weeks.length-1,end=Moment(this.weeks[last].weekend).format("X"),now;return finished=Moment().format("X")>end,finished},get_settings_status(){let visible=!0,status;return Object.keys(this.settings).map(key=>{this.settings[key]||(visible=!1)}),visible?this.strings.plugin_visible:this.strings.plugin_hidden},get_help_content(){var help_contents=[],help=new Object;return help.title=this.strings.title,help.description=this.strings.description,help_contents.push(help),help_contents},addLogsIntoDB(action,objectName,objectType,objectDescription){let data={courseid:content.courseid,userid:content.userid,action:"addLogs",sectionname:"CONFIGURATION_COURSE_WEEK",actiontype:action,objectType:objectType,objectName:objectName,currentUrl:document.location.href,objectDescription:objectDescription};Axios({method:"get",url:M.cfg.wwwroot+"/local/notemyprogress/ajax.php",params:data}).then(response=>{200==response.status&&response.data.ok}).catch(e=>{})}}})}function add_collapsabled_property_to_weeks(content){for(let i=0;i<content.weeks.length;i++){let week=content.weeks[i];void 0===week.collapsabled&&(week.collapsabled=!1)}return content}return{init:init}})); \ No newline at end of file diff --git a/notemyprogress/amd/src/auto_evaluation.js b/notemyprogress/amd/src/auto_evaluation.js new file mode 100644 index 0000000..977c3f0 --- /dev/null +++ b/notemyprogress/amd/src/auto_evaluation.js @@ -0,0 +1,197 @@ +define([ + "local_notemyprogress/vue", + "local_notemyprogress/vuetify", + "local_notemyprogress/axios", + "local_notemyprogress/moment", + "local_notemyprogress/pagination", + "local_notemyprogress/chartstatic", + "local_notemyprogress/pageheader", + "local_notemyprogress/modulesform", + "local_notemyprogress/helpdialog", + "local_notemyprogress/alertify", +], function ( + Vue, + Vuetify, + Axios, + Moment, + Pagination, + ChartStatic, + PageHeader, + ModulesForm, + HelpDialog, + Alertify +) { + "use strict"; + + function init(content) { + // //console.log(content); + Vue.use(Vuetify); + Vue.component("pagination", Pagination); + Vue.component("chart", ChartStatic); + Vue.component("pageheader", PageHeader); + Vue.component("modulesform", ModulesForm); + Vue.component("helpdialog", HelpDialog); + let vue = new Vue({ + delimiters: ["[[", "]]"], + el: "#auto_evaluation", + vuetify: new Vuetify(), + data() { + return { + strings: content.strings, + groups: content.groups, + userid: content.userid, + courseid: content.courseid, + timezone: content.timezone, + render_has: content.profile_render, + loading: false, + errors: [], + pages: content.pages, + + indicators: content.indicators, + resources_access_colors: content.resources_access_colors, + inverted_time_colors: content.inverted_time_colors, + inverted_time: content.indicators.inverted_time, + hours_sessions: content.indicators.hours_sessions, + sections: content.indicators.sections, + sections_map: null, + week_progress: 0, + resource_access_categories: [], + resource_access_data: [], + modules_dialog: false, + + help_dialog: false, + help_contents: [], + auto_eval_answers: content.auto_eval_answers, + saving_loader: false, + auto_eval_saved: content.auto_eval_saved, + }; + }, + beforeMount() {}, + mounted() { + document.querySelector("#auto_evaluation-loader").style.display = "none"; + document.querySelector("#auto_evaluation").style.display = "block"; + }, + methods: { + + action_save_auto_evaluation() { + if (this.auto_eval_saved) { + console.log("update") + this.update_auto_eval(); + } else { + console.log("save") + this.save_auto_eval(); + } + }, + + save_auto_eval() { + var data = { + action: "saveautoeval", + userid: this.userid, + courseid: this.courseid, + auto_eval_answers: this.auto_eval_answers + }; + + Axios({ + method: "get", + url: M.cfg.wwwroot + "/local/notemyprogress/ajax.php", + params: data, + }) + .then((response) => { + //console.log("then"); + if (response.status == 200 && response.data.ok) { + this.auto_eval_saved = true; + //console.log(response.data.data.responsemetareflexion.days); + console.log("if"); + Alertify.success(this.strings.message_save_successful); + //course_module.modalopened = false; + } else { + console.log("else"); + Alertify.error(this.strings.api_error_network); + } + }) + .catch((e) => { + console.log("catch"); + this.saving_loader = false; + Alertify.error(this.strings.api_error_network); + }) + .finally(() => { + console.log("finally"); + this.saving_loader = false; + }); + }, + + update_auto_eval() { + var data = { + action: "updateautoeval", + userid: this.userid, + courseid: this.courseid, + auto_eval_answers: this.auto_eval_answers + }; + + Axios({ + method: "get", + url: M.cfg.wwwroot + "/local/notemyprogress/ajax.php", + params: data, + }) + .then((response) => { + //console.log("then"); + if (response.status == 200 && response.data.ok) { + //console.log(response.data.data.responsemetareflexion.days); + console.log("if"); + Alertify.success(this.strings.message_update_successful); + //course_module.modalopened = false; + } else { + console.log("else"); + Alertify.error(this.strings.api_error_network); + } + }) + .catch((e) => { + console.log("catch"); + this.saving_loader = false; + Alertify.error(this.strings.api_error_network); + }) + .finally(() => { + console.log("finally"); + this.saving_loader = false; + }); + }, + + addLogsIntoDB(action, objectName, objectType, objectDescription) { + let data = { + courseid: content.courseid, + userid: content.userid, + action: "addLogs", + sectionname: "STUDENT_STUDY_SESSIONS", + actiontype: action, + objectType: objectType, + objectName: objectName, + currentUrl: document.location.href, + objectDescription: objectDescription, + }; + Axios({ + method: "get", + url: M.cfg.wwwroot + "/local/notemyprogress/ajax.php", + params: data, + }) + .then((response) => { + if (response.status == 200 && response.data.ok) { + } + }) + .catch((e) => {}); + }, + get_help_content() { + var help_contents = []; + var help = new Object(); + help.title = this.strings.page_title_auto_eval; + help.description = this.strings.description_auto_eval; + help_contents.push(help); + return help_contents; + }, + }, + }); + } + + return { + init: init, + }; +}); diff --git a/notemyprogress/amd/src/metareflexion.js b/notemyprogress/amd/src/metareflexion.js index 9dc457a..d1b0354 100644 --- a/notemyprogress/amd/src/metareflexion.js +++ b/notemyprogress/amd/src/metareflexion.js @@ -4,11 +4,8 @@ define([ "local_notemyprogress/axios", "local_notemyprogress/alertify", "local_notemyprogress/pagination", - //"local_notemyprogress/paginationcomponent", "local_notemyprogress/chartdynamic", - //"local_notemyprogress/chartcomponent", "local_notemyprogress/pageheader", - //"local_student_reports/pageheadercomponent", ], function ( Vue, Vuetify, @@ -35,106 +32,106 @@ define([ el: "#metareflexion", vuetify: new Vuetify(), data: { - test: true, - module_groups: content.module_groups, - indicators: content.indicators, - resources_access_colors: content.resources_access_colors, - inverted_time_colors: content.inverted_time_colors, - inverted_time: content.indicators.inverted_time, - hours_sessions: content.indicators.hours_sessions, - sections: content.indicators.sections, - sections_map: null, - week_progress: 0, - resource_access_categories: [], - resource_access_data: [], - modules_dialog: false, - help_dialog: false, - help_contents: [], - - disabled_form: false, - groups: content.groups, - students_planification: content.students_planification, - selected_week: null, - paginator_week: null, - saved_planification: false, - strings: content.strings, - userid: content.userid, - courseid: content.courseid, - loading: false, - compare_with_course: false, - current_week: content.cmcurrentweeknew, - week_schedule: content.week_schedule, - - data_report_meta_days: content.data_report_days, - data_report_meta_hours: content.data_report_hours, - data_report_meta_goals: content.data_report_goals, - - data_report_meta_questions: content.data_report_hours_questions, - - // data_report_meta_classroom: content.data_report_classroom.average_classroom, - //data_report_meta_of_classroom: content.data_report_classroom.average_of_classroom, - data_report_meta_last_week: content.report_last_week, - - status_planning: content.status_planning, - course_report_hours: content.course_report_hours, - past_week: content.lastweek, - render_has: content.profile_render, - dialog: false, - days_week: [ - content.strings.currentweek_day_lun, - content.strings.currentweek_day_mar, - content.strings.currentweek_day_mie, - content.strings.currentweek_day_jue, - content.strings.currentweek_day_vie, - content.strings.currentweek_day_sab, - content.strings.currentweek_day_dom, - ], - active_tab: 0, - icons: { - calendar: content.calendar_icon, + test: true, + module_groups: content.module_groups, + indicators: content.indicators, + resources_access_colors: content.resources_access_colors, + inverted_time_colors: content.inverted_time_colors, + inverted_time: content.indicators.inverted_time, + hours_sessions: content.indicators.hours_sessions, + sections: content.indicators.sections, + sections_map: null, + week_progress: 0, + resource_access_categories: [], + resource_access_data: [], + modules_dialog: false, + help_dialog: false, + help_contents: [], + + disabled_form: false, + groups: content.groups, + students_planification: content.students_planification, + selected_week: null, + paginator_week: null, + saved_planification: false, + strings: content.strings, + userid: content.userid, + courseid: content.courseid, + loading: false, + compare_with_course: false, + current_week: content.cmcurrentweeknew, + week_schedule: content.week_schedule, + + data_report_meta_days: content.data_report_days, + data_report_meta_hours: content.data_report_hours, + data_report_meta_goals: content.data_report_goals, + + data_report_meta_questions: content.data_report_hours_questions, + + // data_report_meta_classroom: content.data_report_classroom.average_classroom, + //data_report_meta_of_classroom: content.data_report_classroom.average_of_classroom, + data_report_meta_last_week: content.report_last_week, + + status_planning: content.status_planning, + course_report_hours: content.course_report_hours, + past_week: content.lastweek, + render_has: content.profile_render, + dialog: false, + days_week: [ + content.strings.currentweek_day_lun, + content.strings.currentweek_day_mar, + content.strings.currentweek_day_mie, + content.strings.currentweek_day_jue, + content.strings.currentweek_day_vie, + content.strings.currentweek_day_sab, + content.strings.currentweek_day_dom, + ], + active_tab: 0, + icons: { + calendar: content.calendar_icon, + }, + tabs_header: [ + { + name: content.strings.tab_1, + id: 1, + teacher_can_view: false, + student_can_view: true, }, - tabs_header: [ - { - name: content.strings.tab_1, - id: 1, - teacher_can_view: false, - student_can_view: true, - }, - { - name: content.strings.tab_2, - id: 2, - teacher_can_view: false, - student_can_view: true, - }, - ], - hours_committed: 0, - id_committed: null, - pages: content.pages, - active_tab: null, - chart_metareflexion_options: { - maintainAspectRatio: false, - legend: { - display: false, - }, - scales: { - xAxes: [ - { - ticks: { - beginAtZero: true, - callback: function (value) { - if (Number.isInteger(value)) { - return value; - } - }, - suggestedMin: 0, - suggestedMax: 5, + { + name: content.strings.tab_2, + id: 2, + teacher_can_view: false, + student_can_view: true, + }, + ], + hours_committed: 0, + id_committed: null, + pages: content.pages, + active_tab: null, + chart_metareflexion_options: { + maintainAspectRatio: false, + legend: { + display: false, + }, + scales: { + xAxes: [ + { + ticks: { + beginAtZero: true, + callback: function (value) { + if (Number.isInteger(value)) { + return value; + } }, + suggestedMin: 0, + suggestedMax: 5, }, - ], - }, + }, + ], }, + }, - img_no_data: content.image_no_data, + img_no_data: content.image_no_data, }, mounted() { @@ -404,18 +401,19 @@ define([ update_module(day, module_id, event) { if (event) { - this.current_week[0].weekly_schedules_days.days_planned[ - day - ].push(module_id); + this.current_week[0].weekly_schedules_days.days_planned[day].push( + module_id + ); } else { const i = this.current_week[0].weekly_schedules_days.days_planned[ day ].indexOf(module_id); //console.log(i); - this.current_week[0].weekly_schedules_days.days_planned[ - day - ].splice(i, 1); + this.current_week[0].weekly_schedules_days.days_planned[day].splice( + i, + 1 + ); } //console.log(this.current_week[0].days_committed[day]); }, @@ -792,35 +790,6 @@ define([ return icon_name; }, - // open_chart_help(chart) { - // let contents = []; - // let action = ""; - // let objectType = ""; - // let objectName = ""; - // let objectDescription = ""; - // contents.push({ - // title: "t1", - // description: "desc1", - // }); - // contents.push({ - // description: this.strings.inverted_time_help_description_p2, - // }); - // action = "viewed"; - // objectType = "help"; - // objectName = "invested_time"; - // objectDescription = "Help section that provides information about the invested time chart"; - // // this.addLogsIntoDB( - // // action, - // // objectName, - // // objectType, - // // objectDescription - // // ); - // this.help_contents = contents; - // if (this.help_contents.length) { - // this.help_dialog = true; - // } - // }, - get_help_content() { var helpcontents = []; if (this.active_tab == 0) { @@ -866,15 +835,7 @@ define([ }, get_title_content() { - var title_content_tab; - - if (this.active_tab == 0) { - title_content_tab = this.strings.currentweek_card_title; - } else if (this.active_tab == 1) { - title_content_tab = this.strings.effectiveness_title; - } - - return title_content_tab; + return this.strings.title_metareflexion; }, planned_week_summary() { diff --git a/notemyprogress/amd/src/setweeks.js b/notemyprogress/amd/src/setweeks.js index 97747ff..1a7a8fc 100644 --- a/notemyprogress/amd/src/setweeks.js +++ b/notemyprogress/amd/src/setweeks.js @@ -38,22 +38,26 @@ define([ scroll_mode: false, weeks_started_at: new Date( Moment(Number(content.weeks[0].weekstart) * 1000) - ), + ), // will be cloned in the cachedValues cache strings: content.strings, - sections: content.sections, + sections: content.sections, // will be cloned in the cachedValues cache courseid: content.courseid, userid: content.userid, - raw_weeks: content.weeks, + raw_weeks: content.weeks, // will be cloned in the cachedValues cache disabled_dates: { days: [0, 2, 3, 4, 5, 6], }, saving_loader: false, error_messages: [], save_successful: false, + form_identical: true, }, mounted() { document.querySelector("#setweeks-loader").style.display = "none"; document.querySelector("#setweeks").style.display = "block"; + this.cache_weeks_started_at = new Date(this.weeks_started_at.getTime()); + this.cache_sections = JSON.parse(JSON.stringify(this.sections)); + this.cache_raw_weeks = JSON.parse(JSON.stringify(this.raw_weeks)); }, computed: { weeks() { @@ -72,8 +76,45 @@ define([ } return this.raw_weeks; }, + cache_weeks() { + for (let i = 0; i < this.cache_raw_weeks.length; i++) { + let week = this.cache_raw_weeks[i]; + if (i == 0) { + let start_weeks = this.cache_weeks_started_at; + week.weekstart = start_weeks; + week.weekend = this.get_end_week(this.cache_weeks_started_at); + } else { + week.weekstart = this.get_start_week( + this.cache_raw_weeks[i - 1].weekend + ); + week.weekend = this.get_end_week(week.weekstart); + } + } + return this.cache_raw_weeks; + }, }, + methods: { + + form_changed(){ + this.form_identical = false; + }, + cache_save() { + this.cache_weeks_started_at = new Date(this.weeks_started_at.getTime()); + this.cache_sections = JSON.parse(JSON.stringify(this.sections)); + this.cache_raw_weeks = JSON.parse(JSON.stringify(this.raw_weeks)); + this.form_identical = true; + //this.watcher_called = false; + }, + cache_cancel() { + this.weeks_started_at = new Date(this.cache_weeks_started_at.getTime()); + this.sections = JSON.parse(JSON.stringify(this.cache_sections)); + this.raw_weeks = JSON.parse(JSON.stringify(this.cache_raw_weeks)); + this.form_identical = true; + //this.watcher_called = false; + //console.log("cache_cancel end"); + }, + section_name(section) { let name = null; if ( @@ -119,6 +160,7 @@ define([ removable: true, sections: [], }); + this.form_changed(); }, has_items(array) { @@ -135,6 +177,7 @@ define([ } let element_index = this.raw_weeks.indexOf(week); this.raw_weeks.splice(element_index, 1); + this.form_changed(); }, ask_delete_confirm() { @@ -218,34 +261,28 @@ define([ params: data, }) .then((response) => { - console.log("then1"); if (response.status == 200 && response.data.ok) { - console.log("then1.2"); this.settings = response.data.data.settings; - console.log("then1.3"); - Alertify.success(this.strings.save_successful); - console.log("then1.4"); - this.save_successful = true; - console.log("then1.5"); + if (!this.settings.has_students || !this.settings.course_start || !this.settings.weeks){ + Alertify.error(this.strings.error_conditions_setweek); + this.error_messages.push(this.strings.error_conditions_setweek); + } + else{ + Alertify.success(this.strings.save_successful); + this.save_successful = true; + this.cache_save(); + } } else { - console.log("then1.6"); Alertify.error(this.strings.error_network); - console.log("then1.7"); this.error_messages.push(this.strings.error_network); - console.log("then1.8"); } }) .catch((e) => { - console.log("catch1"); Alertify.error(this.strings.error_network); - console.log("catch2"); this.error_messages.push(this.strings.error_network); - console.log("catch3"); }) .finally(() => { - console.log("finally1"); this.saving_loader = false; - console.log("finally2"); //this.addLogsIntoDB("saved", "configuration", "weeks", "Saved a new configuration for the weeks !"); }); }, @@ -325,6 +362,7 @@ define([ change_collapsabled(index) { this.raw_weeks[index].collapsabled = !this.raw_weeks[index].collapsabled; + this.form_changed(); }, course_finished() { diff --git a/notemyprogress/auto_evaluation.php b/notemyprogress/auto_evaluation.php new file mode 100644 index 0000000..dfe2e73 --- /dev/null +++ b/notemyprogress/auto_evaluation.php @@ -0,0 +1,133 @@ +<?php + +// This file is part of Moodle - http://moodle.org/ +// +// Moodle is free software: you can redistribute it and/or modify +// it under the terms of the GNU General Public License as published by +// the Free Software Foundation, either version 3 of the License, or +// (at your option) any later version. +// +// Moodle is distributed in the hope that it will be useful, +// but WITHOUT ANY WARRANTY; without even the implied warranty of +// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +// GNU General Public License for more details. +// +// You should have received a copy of the GNU General Public License +// along with Moodle. If not, see <http://www.gnu.org/licenses/>. + +/** + * local notemyprogress + * + * @package local_notemyprogress + * @copyright 2020 Edisson Sigua <edissonf.sigua@gmail.com>, Bryan Aguilar <bryan.aguilar6174@gmail.com> + * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later + */ +require_once('locallib.php'); +global $COURSE, $USER; + +$courseid = required_param('courseid', PARAM_INT); +$course = $DB->get_record('course', array('id' => $courseid), '*', MUST_EXIST); +$context = context_course::instance($course->id); + +$url = '/local/notemyprogress/auto_evaluation.php'; +local_notemyprogress_set_page($course, $url); + +require_capability('local/notemyprogress:usepluggin', $context); +require_capability('local/notemyprogress:view_as_student', $context); +require_capability('local/notemyprogress:auto_evaluation', $context); + +if (is_siteadmin()) { + print_error(get_string("only_student", "local_notemyprogress")); +} + +$actualLink = (isset($_SERVER['HTTPS']) && $_SERVER['HTTPS'] === 'on' ? "https" : "http") . "://$_SERVER[HTTP_HOST]$_SERVER[REQUEST_URI]"; + +$logs = new \local_notemyprogress\logs($COURSE->id, $USER->id); +$logs->addLogsNMP("viewed", "section", "AUTO_EVALUATION", "auto_evaluation", $actualLink, "A page containing a form with question for the students"); + +$reports = new \local_notemyprogress\student($COURSE->id, $USER->id); +$auto_evaluation = new \local_notemyprogress\auto_evaluation($USER->id); + +$configweeks = new \local_notemyprogress\configweeks($COURSE, $USER); +if (!$configweeks->is_set()) { + $message = get_string("weeks_not_config", "local_notemyprogress"); + print_error($message); +} + +$content = [ + 'strings' => [ + "section_help_title" => get_string("ss_section_help_title", "local_notemyprogress"), + "section_help_description" => get_string("ss_section_help_description", "local_notemyprogress"), + "inverted_time_help_title" => get_string("ss_inverted_time_help_title", "local_notemyprogress"), + "inverted_time_help_description_p1" => get_string("ss_inverted_time_help_description_p1", "local_notemyprogress"), + "inverted_time_help_description_p2" => get_string("ss_inverted_time_help_description_p2", "local_notemyprogress"), + "hours_session_help_title" => get_string("ss_hours_session_help_title", "local_notemyprogress"), + "hours_session_help_description_p1" => get_string("ss_hours_session_help_description_p1", "local_notemyprogress"), + "hours_session_help_description_p2" => get_string("ss_hours_session_help_description_p2", "local_notemyprogress"), + "resources_access_help_title" => get_string("ss_resources_access_help_title", "local_notemyprogress"), + "resources_access_help_description_p1" => get_string("ss_resources_access_help_description_p1", "local_notemyprogress"), + "resources_access_help_description_p2" => get_string("ss_resources_access_help_description_p2", "local_notemyprogress"), + "resources_access_help_description_p3" => get_string("ss_resources_access_help_description_p3", "local_notemyprogress"), + + "title" => get_string("nmp_title", "local_notemyprogress"), + + "no_data" => get_string("no_data", "local_notemyprogress"), + "pagination" => get_string("pagination", "local_notemyprogress"), + "ss_change_timezone" => get_string("ss_change_timezone", "local_notemyprogress"), + "graph_generating" => get_string("graph_generating", "local_notemyprogress"), + "api_error_network" => get_string("api_error_network", "local_notemyprogress"), + "pagination_name" => get_string("pagination_component_name", "local_notemyprogress"), + "pagination_separator" => get_string("pagination_component_to", "local_notemyprogress"), + "pagination_title" => get_string("pagination_title", "local_notemyprogress"), + "helplabel" => get_string("helplabel", "local_notemyprogress"), + "exitbutton" => get_string("exitbutton", "local_notemyprogress"), + "about" => get_string("nmp_about", "local_notemyprogress"), + + "btn_save_auto_eval" => get_string("btn_save_auto_eval", "local_notemyprogress"), + "message_save_successful" => get_string("message_save_successful", "local_notemyprogress"), + "message_update_successful" => get_string("message_update_successful", "local_notemyprogress"), + "page_title_auto_eval" => get_string("page_title_auto_eval", "local_notemyprogress"), + "form_questions_auto_eval" => get_string("form_questions_auto_eval", "local_notemyprogress"), + "description_auto_eval" => get_string("description_auto_eval", "local_notemyprogress"), + "qsts" => array( + "qst1" => get_string("qst1", "local_notemyprogress"), + "qst2" => get_string("qst2", "local_notemyprogress"), + "qst3" => get_string("qst3", "local_notemyprogress"), + "qst4" => get_string("qst4", "local_notemyprogress"), + "qst5" => get_string("qst5", "local_notemyprogress"), + "qst6" => get_string("qst6", "local_notemyprogress"), + "qst7" => get_string("qst7", "local_notemyprogress"), + "qst8" => get_string("qst8", "local_notemyprogress"), + "qst9" => get_string("qst9", "local_notemyprogress"), + "qst10" => get_string("qst10", "local_notemyprogress"), + "qst11" => get_string("qst11", "local_notemyprogress"), + "qst12" => get_string("qst12", "local_notemyprogress"), + "qst13" => get_string("qst13", "local_notemyprogress"), + "qst14" => get_string("qst14", "local_notemyprogress"), + "qst15" => get_string("qst15", "local_notemyprogress"), + "qst16" => get_string("qst16", "local_notemyprogress"), + "qst17" => get_string("qst17", "local_notemyprogress"), + "qst18" => get_string("qst18", "local_notemyprogress"), + "qst19" => get_string("qst19", "local_notemyprogress"), + "qst20" => get_string("qst20", "local_notemyprogress"), + "qst21" => get_string("qst21", "local_notemyprogress"), + "qst22" => get_string("qst22", "local_notemyprogress"), + "qst23" => get_string("qst23", "local_notemyprogress"), + "qst24" => get_string("qst24", "local_notemyprogress"), + ) + + ], + 'courseid' => $COURSE->id, + 'userid' => $USER->id, + 'indicators' => $reports->get_sessions(), + 'pages' => $configweeks->get_weeks_paginator(), + 'profile_render' => $reports->render_has(), + 'auto_eval_answers' => $auto_evaluation->get_auto_eval_answers(), + 'auto_eval_saved' => $auto_evaluation->is_saved(), + 'timezone' => $reports->timezone, +]; + +$PAGE->requires->js_call_amd('local_notemyprogress/auto_evaluation', 'init', ['content' => $content]); +echo $OUTPUT->header(); +echo $OUTPUT->render_from_template('local_notemyprogress/auto_evaluation', ['content' => $content]); +echo $OUTPUT->footer(); diff --git a/notemyprogress/classes/auto_evaluation.php b/notemyprogress/classes/auto_evaluation.php new file mode 100644 index 0000000..23dac78 --- /dev/null +++ b/notemyprogress/classes/auto_evaluation.php @@ -0,0 +1,100 @@ +<?php +// This file is part of Moodle - http://moodle.org/ +// +// Moodle is free software: you can redistribute it and/or modify +// it under the terms of the GNU General Public License as published by +// the Free Software Foundation, either version 3 of the License, or +// (at your option) any later version. +// +// Moodle is distributed in the hope that it will be useful, +// but WITHOUT ANY WARRANTY; without even the implied warranty of +// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +// GNU General Public License for more details. +// +// You should have received a copy of the GNU General Public License +// along with Moodle. If not, see <http://www.gnu.org/licenses/>. + +/** + * local_notemyprogress + * + * @package local_notemyprogress + * @autor Edisson Sigua, Bryan Aguilar + * @copyright 2020 Edisson Sigua <edissonf.sigua@gmail.com>, Bryan Aguilar <bryan.aguilar6174@gmail.com> + * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later + */ + +namespace local_notemyprogress; + +defined('MOODLE_INTERNAL') || die; + +require_once('lib_trait.php'); + +use stdClass; + + +class auto_evaluation +{ + use \lib_trait; + public $user; + public $auto_eval_answers; + + function __construct($userid) + { + $this->user = self::get_user($userid); + } + + public function is_saved(){ + global $DB; + $sql = "select * from {notemyprogress_auto_aws} a where a.userid = ? limit 1 "; + $aws = $DB->get_records_sql($sql, array($this->user->id)); + return !(empty($aws)); + } + + public function get_auto_eval_answers() + { + global $DB; + $sql = "select q.description, a.level from {notemyprogress_auto_aws} a, {notemyprogress_auto_qst} q where a.auto_qst_id = q.id and a.userid = ? "; + $aws = $DB->get_records_sql($sql, array($this->user->id)); + if (empty($aws)){ + $aws = []; + for ($i = 1; $i <= 24; $i++) { + $aw = array("description"=> "qst" . $i,"level"=> 0); + $aws["qst" . $i] = $aw; + } + } + return $aws; + } + public function save_answers() + { + if (!isset($this->user) || !isset($this->auto_eval_answers)) { + return false; + } + global $DB; + $auto_evaluation = new stdClass(); + $auto_evaluation->userid = $this->user->id; + foreach ($this->auto_eval_answers as $key => $answer) { + $auto_evaluation->auto_qst_id = self::get_qst_id($answer->description); + $auto_evaluation->level = $answer->level; + $meta = $DB->insert_record("notemyprogress_auto_aws", $auto_evaluation, true); + } + return $meta; + } + + public function update_answers() + { + if (!isset($this->user) || !isset($this->auto_eval_answers)) { + return false; + } + global $DB; + foreach ($this->auto_eval_answers as $key => $answer) { + $sql = "update {notemyprogress_auto_aws} a, {notemyprogress_auto_qst} q set a.level = ? where a.auto_qst_id = q.id and a.userid = ? and q.id = ?"; + $meta = $DB->execute($sql, array($answer->level,$this->user->id,self::get_qst_id($answer->description))); + } + return $meta; + } + + public function get_qst_id($desc) + { + return (int)filter_var($desc, FILTER_SANITIZE_NUMBER_INT); + } +} diff --git a/notemyprogress/classes/student.php b/notemyprogress/classes/student.php index b842328..d92d34e 100644 --- a/notemyprogress/classes/student.php +++ b/notemyprogress/classes/student.php @@ -37,6 +37,21 @@ class student extends report self::set_users(); } + // public function get_auto_eval_answers() + // { + // global $DB; + // $sql = "select q.description, a.level from {notemyprogress_auto_aws} a, {notemyprogress_auto_qst} q where a.auto_qst_id = q.id and a.userid = ? "; + // $aws = $DB->get_records_sql($sql, array($this->users[0])); + // if (empty($aws)){ + // $aws = []; + // for ($i = 1; $i <= 24; $i++) { + // $aw = array("description"=> "qst" . $i,"level"=> 0); + // $aws["qst" . $i] = $aw; + // } + // } + // return $aws; + // } + public function get_modules_completion($weekcode = null) { diff --git a/notemyprogress/db/access.php b/notemyprogress/db/access.php index d052adf..f57052d 100644 --- a/notemyprogress/db/access.php +++ b/notemyprogress/db/access.php @@ -166,6 +166,14 @@ $capabilities = array( ) ), + 'local/notemyprogress:auto_evaluation' => array( + 'captype' => 'read', + 'contextlevel' => CONTEXT_COURSE, + 'archetypes' => array( + 'student' => CAP_ALLOW, + ) + ), + 'local/notemyprogress:teacher_gamification' => array( 'captype' => 'read', 'contextlevel' => CONTEXT_COURSE, diff --git a/notemyprogress/db/install.php b/notemyprogress/db/install.php index 7f2b634..cd97cf5 100644 --- a/notemyprogress/db/install.php +++ b/notemyprogress/db/install.php @@ -43,6 +43,13 @@ function xmldb_local_notemyprogress_install() $DB->insert_record("notemyprogress_goals_ct", $goal3, true); + //Add user questions (auto-evaluation) + for ($i = 1; $i <= 24; $i++) { + $question = new stdClass(); + $question->description = "qst" . $i; + $DB->insert_record("notemyprogress_auto_qst", $question, true); + } + //Question 1 $question = new stdClass(); $question->enunciated = 'question_number_one'; @@ -140,7 +147,7 @@ function xmldb_local_notemyprogress_install() $answer->questionid = $questionid; $answer->enunciated = 'answers_number_four_option_four'; $DB->insert_record("notemyprogress_answers", $answer, true); - + // TODO : rename the table FlipLearning to NoteMyProgress to keep the data from the versions older than 4.0 //* fliplearning_clustering -> notemyprogress_clustering //* fliplearning_instances -> notemyprogress_instances @@ -149,43 +156,42 @@ function xmldb_local_notemyprogress_install() //* fliplearning_weeks -> notemyprogress_weeks //? Algorithm idea : //? Initial state : table generated normally and old tables potentially present - //? 1 : Check if exist the old tables (Fliplearning) + //? 1 : vefrifier if exist the old tables (Fliplearning) //? 2 : If they exist drop the new similar tables //? 3 : rename the old tables like the news that we have just deleted - try{ + try { $table1 = $DB->get_record_sql("SELECT count(*) from {fliplearning_clustering}"); $DB->execute("DROP TABLE {notemyprogress_clustering}"); $DB->execute("RENAME TABLE {fliplearning_clustering} TO {notemyprogress_clustering}"); - }catch(Exception $e){ + } catch (Exception $e) { //this table do not exist } - try{ + try { $table1 = $DB->get_record_sql("SELECT count(*) from {fliplearning_instances}"); $DB->execute("DROP TABLE {notemyprogress_instances}"); $DB->execute("RENAME TABLE {fliplearning_instances} TO {notemyprogress_instances}"); - }catch(Exception $e){ + } catch (Exception $e) { //this table do not exist } - try{ + try { $table1 = $DB->get_record_sql("SELECT count(*) from {fliplearning_logs}"); $DB->execute("DROP TABLE {notemyprogress_logs}"); $DB->execute("RENAME TABLE {fliplearning_logs} TO {notemyprogress_logs}"); - }catch(Exception $e){ + } catch (Exception $e) { //this table do not exist } - try{ + try { $table1 = $DB->get_record_sql("SELECT count(*) from {fliplearning_sections}"); $DB->execute("DROP TABLE {notemyprogress_sections}"); $DB->execute("RENAME TABLE {fliplearning_sections} TO {notemyprogress_sections}"); - }catch(Exception $e){ + } catch (Exception $e) { //this table do not exist } - try{ + try { $table1 = $DB->get_record_sql("SELECT count(*) from {fliplearning_weeks}"); $DB->execute("DROP TABLE {notemyprogress_weeks}"); $DB->execute("RENAME TABLE {fliplearning_weeks} TO {notemyprogress_weeks}"); - }catch(Exception $e){ + } catch (Exception $e) { //this table do not exist } - -} \ No newline at end of file +} diff --git a/notemyprogress/db/install.xml b/notemyprogress/db/install.xml index 7176192..32f0fe4 100644 --- a/notemyprogress/db/install.xml +++ b/notemyprogress/db/install.xml @@ -132,6 +132,29 @@ <KEY NAME="primary" TYPE="primary" FIELDS="id"/> </KEYS> </TABLE> + + <TABLE NAME="notemyprogress_auto_aws" COMMENT="table notemyprogress_u_aws"> + <FIELDS> + <FIELD NAME="id" TYPE="int" LENGTH="10" NOTNULL="true" SEQUENCE="true"/> + <FIELD NAME="userid" TYPE="int" LENGTH="20" NOTNULL="true" SEQUENCE="false"/> + <FIELD NAME="auto_qst_id" TYPE="int" LENGTH="20" NOTNULL="true" SEQUENCE="false"/> + <FIELD NAME="level" TYPE="int" LENGTH="20" NOTNULL="true" SEQUENCE="false"/> + </FIELDS> + <KEYS> + <KEY NAME="primary" TYPE="primary" FIELDS="id"/> + </KEYS> + </TABLE> + + <TABLE NAME="notemyprogress_auto_qst" COMMENT="table notemyprogress_u_qst"> + <FIELDS> + <FIELD NAME="id" TYPE="int" LENGTH="10" NOTNULL="true" SEQUENCE="true"/> + <FIELD NAME="description" TYPE="char" LENGTH="1333" NOTNULL="true" SEQUENCE="false"/> + </FIELDS> + <KEYS> + <KEY NAME="primary" TYPE="primary" FIELDS="id"/> + </KEYS> + </TABLE> + <TABLE NAME="notemyprogress_logs" COMMENT="table notemyprogress_logs"> <FIELDS> <FIELD NAME="id" TYPE="int" LENGTH="10" NOTNULL="true" SEQUENCE="true"/> diff --git a/notemyprogress/lang/en/local_notemyprogress.php b/notemyprogress/lang/en/local_notemyprogress.php index 9952a9b..e090636 100644 --- a/notemyprogress/lang/en/local_notemyprogress.php +++ b/notemyprogress/lang/en/local_notemyprogress.php @@ -56,6 +56,7 @@ $string['menu_dropout'] = 'Dropout'; $string['menu_logs'] = "Activity reports"; $string['menu_planning'] = "Planning"; $string['menu_general'] = "Global indicators"; +$string['menu_auto_evaluation'] = "Auto-evaluation"; /* Nav Bar Menu */ $string['togglemenu'] = 'Show / Hide the NoteMyProgress menu'; @@ -64,14 +65,15 @@ $string['togglemenu'] = 'Show / Hide the NoteMyProgress menu'; $string['pagination_component_to'] = 'al'; $string['pagination_component_name'] = 'Week'; -/* Goups */ +/* Groups */ $string['group_allstudent'] = 'All students'; /* Erreurs générales */ $string['api_error_network'] = "An error occurred during communication with the server."; $string['api_invalid_data'] = 'Invalid data'; $string['api_save_successful'] = 'The data has been correctly recorded on the server'; -$string['api_cancel_action'] = 'You have cancelled the action '; +$string['api_cancel_action'] = 'You have cancelled the action'; +$string['api_error_conditions_setweek'] = 'Failed to register changes. Conditions not met.'; /* Admin Task Screen */ $string['generate_data_task'] = 'Data generation process for the NoteMyProgress plugin'; @@ -806,10 +808,6 @@ $string['sr_menu_activities_performed'] = "Activities performed"; $string['sr_menu_notes'] = "Annotations"; /* General Errors */ -$string['api_error_network'] = "An error occurred in the communication with the server"; -$string['api_invalid_data'] = "Incorrect data"; -$string['api_save_successful'] = "The data was successfully saved on the server"; -$string['api_cancel_action'] = "You have cancelled the action"; $string['pluginname'] = "Note My Progress"; $string['previous_days_to_create_report'] = "Days taken into account for report construction"; $string['previous_days_to_create_report_description'] = "Days before the current date that will be taken into account to generate the report"; @@ -912,7 +910,7 @@ $string['metareflexion_pw_btn_save'] = "Save"; $string['metareflexion_report_title'] = "Graphic linked to the Planning/Meta-Reflection Commitment Form"; $string['metareflexion_report_description_days_teacher'] = "In this graph, you will find the planned days that students have committed to work (first bar) versus the days actually worked (second bar). If the first bar is not visible, it means that your students did not schedule any days to work for that week; they scheduled days to work. If the second bar is not visible, it means that the students did not do the work they committed to do on the scheduled day."; -$string['metareflexion_report_description_days_student'] = "Below the objectives, you will find a table indicating whether you have respected the schedule of the modules according to the days you have set. If the deadline is met, a green thumb will be displayed. In the event that the scheduled work is not completed, a red thumb will be displayed.<br> Note that a module is considered validated when it is consulted. Thus, to validate a day, you must consult all the modules that you have planned in the section 'Planning for the week'<br> ."; +$string['metareflexion_report_description_days_student'] = "Below the objectives, you will find a table indicating whether you have respected the schedule of the modules according to the days you have set. If the deadline is met, a green thumb will be displayed. In the event that the scheduled work is not completed, a red thumb will be displayed.<br> Note that a module is considered validated when it is consulted. Thus, to validate a day, you must consult all the modules that you have planned in the section 'Planning for the week'.<br>"; $string['metareflexion_report_subtitle_days_student'] = "My planned commitments for this week"; $string['metareflexion_report_subtitle_days_teacher'] = "Percentage of students who stuck to their plan that day"; $string['metareflexion_report_description_goals_student'] = "Below this graph is a reminder of the goals you set last week."; @@ -959,6 +957,7 @@ $string['metareflexion_pres_question_learn_and_improvement'] = "What did I learn $string['metareflexion_goals_reflexion_title'] = "The goals chosen for this week."; $string['metareflexion_title_hours_plan'] = "Forecasted work time for the current week."; $string['metareflexion_title_retrospective'] = "Retrospective of the week"; +$string['metareflexion_title_metareflexion'] = "Planning"; /* Reports */ $string['student_reports:view_report_as_teacher'] = "View report as teacher"; @@ -1091,6 +1090,39 @@ $string['answers_number_four_option_two'] = "I am quite satisfied with the way I $string['answers_number_four_option_three'] = "I am satisfied with the way I have organized myself to achieve my goals"; $string['answers_number_four_option_four'] = "I am very satisfied with the way I have organized myself to achieve my goals"; +/* Auto-evaluation */ +$string['qst1'] = "I set standards for my assignments in online courses."; +$string['qst2'] = "I set short-term (daily or weekly) goals as well as long-term goals (monthly or for the semester)."; +$string['qst3'] = "I keep a high standard for my learning in my online courses."; +$string['qst4'] = "I set goals to help me manage studying time for my online courses."; +$string['qst5'] = "I don't compromise the quality of my work because it is online."; +$string['qst6'] = "I choose the location where I study to avoid too much distraction."; +$string['qst7'] = "I find a comfortable place to study."; +$string['qst8'] = "I know where I can study most efficiently for online courses."; +$string['qst9'] = "I choose a time with few distractions for studying for my online courses."; +$string['qst10'] = "I try to take more thorough notes for my online courses because notes are even more important for learning online than in a regular classroom."; +$string['qst11'] = "I read aloud instructional materials posted online to fight against distractions."; +$string['qst12'] = "I prepare my questions before joining in the chat room and discussion."; +$string['qst13'] = "I work extra problems in my online courses in addition to the assigned ones to master the course content."; +$string['qst14'] = "I allocate extra studying time for my online courses because I know it is time-demanding."; +$string['qst15'] = "I try to schedule the same time everyday or every week to study for my online courses, and I observe the schedule."; +$string['qst16'] = "Although we don't have to attend daily classes, I still try to distribute my studying time evenly across days."; +$string['qst17'] = "I find someone who is knowledgeable in course content so that I can consult with him or her when I need help."; +$string['qst18'] = "I share my problems with my classmates online so we know what we are struggling with and how to solve our problems."; +$string['qst19'] = "If needed, I try to meet my classmates face-to-face."; +$string['qst20'] = "I am persistent in getting help from the instructor through e-mail."; +$string['qst21'] = "I summarize my learning in online courses to examine my understanding of what I have learned."; +$string['qst22'] = "I ask myself a lot of questions about the course material when studying for an online course."; +$string['qst23'] = "I communicate with my classmates to find out how I am doing in my online classes."; +$string['qst24'] = "I communicate with my classmates to find out what I am learning that is different from what they are learning."; + +$string['btn_save_auto_eval'] = "Save"; +$string['message_save_successful'] = "Auto-evaluation successfully saved"; +$string['message_update_successful'] = "Auto-evaluation successfully updated"; +$string['page_title_auto_eval'] = "self-assessment"; +$string['form_questions_auto_eval'] = "Self-assessment questions"; +$string['description_auto_eval'] = "This page allows you to self-assess your study habits. This questionnaire is specific to each student but common to all courses on Moodle. Once you have completed it, you can save your answers with the button at the bottom of the page and change your choices whenever you wish."; + /* Groups */ $string['group_allstudent'] = "All students"; diff --git a/notemyprogress/lang/es/local_notemyprogress.php b/notemyprogress/lang/es/local_notemyprogress.php index 0b23564..aca7885 100644 --- a/notemyprogress/lang/es/local_notemyprogress.php +++ b/notemyprogress/lang/es/local_notemyprogress.php @@ -55,6 +55,7 @@ $string['menu_quiz'] = 'Seguimiento de Evaluaciones'; $string['menu_dropout'] = 'Seguimiento de estudiantes'; $string['menu_logs'] = "Registros de actividad"; $string['menu_general'] = "Indicadores Generales"; +$string['menu_auto_evaluation'] = "Auto-evaluación"; /* Nav Bar Menu */ $string['togglemenu'] = 'Mostrar/Ocultar menú de nmp'; @@ -71,7 +72,7 @@ $string['api_error_network'] = "Ha ocurrido un error en la comunicación con el $string['api_invalid_data'] = 'Datos incorrectos'; $string['api_save_successful'] = 'Se han guardado los datos correctamente en el servidor'; $string['api_cancel_action'] = 'Has cancelado la acción'; - +$string['api_error_conditions_setweek'] = 'No registrar los cambios. Condiciones no cumplidas.'; /* Admin Task Screen*/ $string['generate_data_task'] = 'Proceso para generar datos para Note My Progress Plugin'; @@ -738,19 +739,15 @@ $string['exitbutton'] = '¡Entendido!'; $string['hours_unit_time_label'] = 'Número de Horas'; /* Menú */ -$string['sr_menu_main_title'] = "Reportes"; -$string['sr_menu_setweek'] = "Configurar semanas"; -$string['sr_menu_logs'] = "Descargar registros"; +$string['sr_menu_main_title'] = "Reportes"; +$string['sr_menu_setweek'] = "Configurar semanas"; +$string['sr_menu_logs'] = "Descargar registros"; $string['sr_menu_time_worked_session_report'] = 'Sesiones de estudio por semana'; $string['sr_menu_time_visualization'] = 'Tiempo invertido (Horas por semana)'; $string['sr_menu_activities_performed'] = 'Actividades realizadas'; $string['sr_menu_notes'] = 'Anotaciones'; /* General Errors */ -$string['api_error_network'] = "Ha ocurrido un error en la comunicación con el servidor."; -$string['api_invalid_data'] = 'Datos incorrectos'; -$string['api_save_successful'] = 'Se han guardado los datos correctamente en el servidor'; -$string['api_cancel_action'] = 'Has cancelado la acción'; $string['pluginname'] = 'Note My Progress'; $string['previous_days_to_create_report'] = 'DÃas considerados para la construcción del reporte'; $string['previous_days_to_create_report_description'] = 'DÃas anteriores a la fecha actual que se tendrán en cuenta para generar el reporte.'; @@ -913,7 +910,7 @@ $string['metareflexion_pw_hours_off_course'] = "¿Cuántas horas de trabajo ha d $string['metareflexion_pw_btn_save'] = "Guardar"; $string['metareflexion_report_title'] = "Gráfico vinculado al formulario de compromiso de planificación/reflexión"; $string['metareflexion_report_description_days_teacher'] = "En este gráfico, encontrará los dÃas previstos que los estudiantes se han comprometido a trabajar (primera barra) en comparación con los dÃas realmente trabajados (segunda barra). Si la primera barra no es visible, significa que sus alumnos no han planificado ningún dÃa de trabajo para esa semana; han planificado algunos dÃas de trabajo. Si la segunda barra no es visible, significa que los alumnos no han realizado el trabajo que se comprometieron a hacer el dÃa previsto."; -$string['metareflexion_report_description_days_student'] =" Debajo de los objetivos encontrarás una tabla que muestra si has cumplido con la programación del módulo según los dÃas que has establecido. Si se cumple el plazo, se mostrará un pulgar verde. Si el trabajo previsto no se completa, se mostrará un pulgar rojo. <br> Hay que tener en cuenta que un módulo se considera validado cuando se consulta. AsÃ, para validar un dÃa, debe consultar todos los módulos que haya planificado en la sección 'Planificación de la semana'<br> ."; +$string['metareflexion_report_description_days_student'] = " Debajo de los objetivos encontrarás una tabla que muestra si has cumplido con la programación del módulo según los dÃas que has establecido. Si se cumple el plazo, se mostrará un pulgar verde. Si el trabajo previsto no se completa, se mostrará un pulgar rojo. <br> Hay que tener en cuenta que un módulo se considera validado cuando se consulta. AsÃ, para validar un dÃa, debe consultar todos los módulos que haya planificado en la sección 'Planificación de la semana'.<br>"; $string['metareflexion_report_subtitle_days_student'] = "Mis compromisos previstos para esta semana"; $string['metareflexion_report_subtitle_days_teacher'] = "Porcentaje de estudiantes que se ciñen a su plan ese dÃa"; $string['metareflexion_report_description_goals_student'] = "Debajo de este gráfico, encontrarás un recordatorio de los objetivos que fijaste la semana pasada."; @@ -960,7 +957,7 @@ $string['metareflexion_pres_question_learn_and_improvement'] = "¿Qué he aprend $string['metareflexion_goals_reflexion_title'] = "Los objetivos elegidos para esta semana"; $string['metareflexion_title_hours_plan'] = "Plan de horas para la semana actual"; $string['metareflexion_title_retrospective'] = "Retrospectiva de la semana"; - +$string['metareflexion_title_metareflexion'] = "Planning"; /* Reports */ $string['student_reports:view_report_as_teacher'] = 'Ver el reporte como profesor'; @@ -1092,6 +1089,38 @@ $string['answers_number_four_option_two'] = "Estoy bastante satisfecho con la fo $string['answers_number_four_option_three'] = "Estoy satisfecho con la forma en que me he organizado para lograr mis objetivos"; $string['answers_number_four_option_four'] = "Estoy muy satisfecho con la forma en que me he organizado para lograr mis objetivos"; +/* Auto-evaluation */ +$string['qst1'] = "Establezco objetivos de logro para mi trabajo personal"; +$string['qst2'] = "Establezco objetivos a corto plazo (diarios o semanales) y a largo plazo (mensuales o semestrales)"; +$string['qst3'] = "Soy exigente con mi propio aprendizaje y me pongo normas"; +$string['qst4'] = "Establezco objetivos para ayudarme a gestionar mi trabajo personal"; +$string['qst5'] = "No reduzco la calidad de mi trabajo cuando está en lÃnea"; +$string['qst6'] = "Elijo dónde estudiar para evitar demasiadas distracciones"; +$string['qst7'] = "Elijo un lugar cómodo para estudiar"; +$string['qst8'] = "Ya sé dónde puedo estudiar mejor"; +$string['qst9'] = "Elijo un momento con pocas distracciones para trabajar"; +$string['qst10'] = "Intento hacer cursos de toma de apuntes en profundidad en lÃnea, porque los apuntes son aún más importantes para aprender en lÃnea que en un aula normal"; +$string['qst11'] = "Leo mis documentos en voz alta para combatir las distracciones"; +$string['qst12'] = "Preparo mis preguntas antes de entrar en la sala de debate y en la discusión"; +$string['qst13'] = "Trabajo en problemas adicionales más allá de los asignados para dominar el contenido del curso"; +$string['qst14'] = "Hago tiempo para trabajar fuera de clase"; +$string['qst15'] = "Intento programar la misma hora cada dÃa o semana para estudiar, y me atengo a ese horario"; +$string['qst16'] = "Aunque no tenemos clases todos los dÃas, intento repartir mi tiempo de trabajo uniformemente a lo largo de la semana"; +$string['qst17'] = "Busco un estudiante que domine el curso para poder consultarlo cuando necesite ayuda"; +$string['qst18'] = "Comparto mis problemas con mis compañeros para que podamos resolverlos juntos"; +$string['qst19'] = "Si es necesario, intento reunirme con mis compañeros cara a cara"; +$string['qst20'] = "No dudo en pedir ayuda al profesor por correo electrónico"; +$string['qst21'] = "Hago resúmenes de mis lecciones para ser consciente de lo que he entendido"; +$string['qst22'] = "Me hago muchas preguntas sobre el contenido del curso que estoy estudiando"; +$string['qst23'] = "Me comunico con mis compañeros para saber cómo me relaciono con ellos"; +$string['qst24'] = "Me comunico con mis compañeros para saber que lo que estoy aprendiendo es diferente de lo que ellos están aprendiendo"; + +$string['btn_save_auto_eval'] = "Guardar"; +$string['message_save_successful'] = "Autoevaluación guardada con éxito"; +$string['message_update_successful'] = "Autoevaluación actualizada con éxito"; +$string['page_title_auto_eval'] = "Autoevaluación"; +$string['form_questions_auto_eval'] = "Preguntas de autoevaluación"; +$string['description_auto_eval'] = "Esta página le permite autoevaluar sus métodos de estudio. Este cuestionario es especÃfico para cada estudiante pero común a todos los cursos en Moodle. Una vez que lo hayas completado, puedes guardar tus respuestas con el botón de la parte inferior de la página y cambiar tus opciones en cualquier momento."; /* Goups */ $string['group_allstudent'] = 'Todos los estudiantes'; @@ -1099,13 +1128,13 @@ $string['group_allstudent'] = 'Todos los estudiantes'; $string['nmp_use_navbar_menu'] = 'Habilitar nuevo menú'; $string['nmp_use_navbar_menu_desc'] = 'Despliega el menú del plugin en la barra de navegación superior, del contrario incluirá el menú en el bloque de navegación.'; /* Gamification */ -$string['tg_tab1']="Cuadro"; -$string['tg_tab2']="Clasificación"; -$string['tg_tab3']="Mi perfil"; -$string['EnableGame']="Desactivar/Activar :"; -$string['studentRanking1']="¿Quieres aparecer en el ranking ? "; -$string['studentRanking2']="/!\ Te verán todos los inscritos en este curso que hayan aceptado. Aceptar es definitivo: "; -$string['studentRanking3']="Acceptar"; +$string['tg_tab1'] = "Cuadro"; +$string['tg_tab2'] = "Clasificación"; +$string['tg_tab3'] = "Mi perfil"; +$string['EnableGame'] = "Desactivar/Activar :"; +$string['studentRanking1'] = "¿Quieres aparecer en el ranking ? "; +$string['studentRanking2'] = "/!\ Te verán todos los inscritos en este curso que hayan aceptado. Aceptar es definitivo: "; +$string['studentRanking3'] = "Acceptar"; $string['gamification_denied'] = 'La gamificación ha sido desactivada por su maestro'; $string['tg_colon'] = '{$a->a}: {$a->b}'; $string['tg_section_title'] = 'Configuración de gamificación del curso'; @@ -1147,8 +1176,8 @@ $string['tg_section_settings_rules'] = 'Establecimiento de reglas'; $string['tg_section_settings_add_rule'] = 'Agregar nueva regla'; $string['tg_section_settings_earn'] = 'Para este evento, gane:'; $string['tg_section_settings_select_event'] = 'Seleccione un evento'; -$string['gm_Chart_Title']='Tabla de esparcimiento'; -$string['gm_Chart_Y']='Alumno'; +$string['gm_Chart_Title'] = 'Tabla de esparcimiento'; +$string['gm_Chart_Y'] = 'Alumno'; $string['tg_timenow'] = 'Justo ahora'; $string['tg_timeseconds'] = '{$a}s atrás'; @@ -1168,7 +1197,7 @@ $string['nmp_api_invalid_transaction'] = 'La solicitud es incorrecta'; $string['nmp_api_invalid_profile'] = 'No puedes hacer esta acción, tu perfil es incorrecto'; $string['nmp_api_save_successful'] = 'Los datos se han guardado correctamente en el servidor'; $string['nmp_api_cancel_action'] = 'Has cancelado la acción'; -$string['overview']='Visión de conjunto : '; -$string['game_point_error']='Los puntos son requeridos'; -$string['game_event_error']='El evento es requerido'; -$string['game_name_error']='Se requiere el nombre'; +$string['overview'] = 'Visión de conjunto : '; +$string['game_point_error'] = 'Los puntos son requeridos'; +$string['game_event_error'] = 'El evento es requerido'; +$string['game_name_error'] = 'Se requiere el nombre'; diff --git a/notemyprogress/lang/fr/local_notemyprogress.php b/notemyprogress/lang/fr/local_notemyprogress.php index dc056c7..84266a4 100644 --- a/notemyprogress/lang/fr/local_notemyprogress.php +++ b/notemyprogress/lang/fr/local_notemyprogress.php @@ -54,6 +54,7 @@ $string['menu_quiz'] = 'Suivi des évaluations'; $string['menu_dropout'] = 'Décrochage'; $string['menu_logs'] = "Journaux d'activités"; $string['menu_general'] = "Indicateurs généraux"; +$string['menu_auto_evaluation'] = "Auto-évaluation"; /* Nav Bar Menu */ $string['togglemenu'] = 'Afficher / Masquer le menu nmp'; @@ -70,7 +71,7 @@ $string['api_error_network'] = "Une erreur s'est produite lors de la communicati $string['api_invalid_data'] = 'Données incorrectes'; $string['api_save_successful'] = 'Les données ont été correctement enregistrées sur le serveur'; $string['api_cancel_action'] = 'Vous avez annulé l\'action '; - +$string['api_error_conditions_setweek'] = 'Echec de l\'enregistrement des modifications. Conditions non remplies.'; /* Admin Task Screen */ $string['generate_data_task'] = 'Processus de génération de données pour le plugin note my progress'; @@ -751,10 +752,6 @@ $string['sr_menu_activities_performed'] = "Activités réalisées"; $string['sr_menu_notes'] = "Annotations"; /* General Errors */ -$string['api_error_network'] = "Une erreur s'est produite dans la communication avec le serveur"; -$string['api_invalid_data'] = "Données incorrectes"; -$string['api_save_successful'] = "Les données ont été enregistrées avec succès sur le serveur"; -$string['api_cancel_action'] = "Vous avez annulé l’action"; $string['pluginname'] = "Note My Progress"; $string['previous_days_to_create_report'] = "Jours pris en compte pour la construction du rapport"; $string['previous_days_to_create_report_description'] = "Jours avant la date actuelle qui sera prise en compte pour générer le rapport"; @@ -915,7 +912,7 @@ $string['metareflexion_pw_hours_off_course'] = "Combien d'heures de travail avez $string['metareflexion_pw_btn_save'] = "Sauvegarder"; $string['metareflexion_report_title'] = "Graphique lié au formulaire d'engagement de Planification/Méta-réflexion"; $string['metareflexion_report_description_days_teacher'] = "Dans ce graphique, vous trouverez la planification des jours que les étudiants se sont engagés à travailler (première barre) par rapport aux jours réellement travaillés (deuxième barre). Si la première barre n'est pas visible, cela signifie que vos étudiants n'ont pas planifié de jours de travail pour cette semaine ; ils ont planifié des jours de travail. Si la deuxième barre n'est pas visible, cela signifie que les étudiants n'ont pas fait le travail qu'ils s'étaient engagés à faire le jour prévu."; -$string['metareflexion_report_description_days_student'] = "Vous trouverez en dessous des objectifs une table vous indiquant si vous avez respecté le planning des modules en fonction des jours que vous vous étiez fixé. Si le délai prévu est respecté, un pouce vert sera affiché. Dans le cas où le travail prévu n'est pas réalisé, un pouce rouge sera affiché.<br> Il faut noter qu'un module est considéré comme validé quand il est consulté. Ainsi, pour valider une journée, il faut consulter tous les modules que vous avez planifié dans la section 'Planification de la semaine'.<br> ."; +$string['metareflexion_report_description_days_student'] = "Vous trouverez en dessous des objectifs une table vous indiquant si vous avez respecté le planning des modules en fonction des jours que vous vous étiez fixé. Si le délai prévu est respecté, un pouce vert sera affiché. Dans le cas où le travail prévu n'est pas réalisé, un pouce rouge sera affiché.<br> Il faut noter qu'un module est considéré comme validé quand il est consulté. Ainsi, pour valider une journée, il faut consulter tous les modules que vous avez planifié dans la section 'Planification de la semaine'.<br>"; $string['metareflexion_report_subtitle_days_student'] = "Mes engagements prévus pour cette semaine"; $string['metareflexion_report_subtitle_days_teacher'] = "Pourcentage d'élèves qui ont respecté leur plan ce jour-là "; $string['metareflexion_report_description_goals_student'] = "En dessous de ce graphique, vous trouverez un rappel des objectifs que vous vous étiez fixés la semaine dernière."; @@ -962,6 +959,7 @@ $string['metareflexion_pres_question_learn_and_improvement'] = "Qu'ai-je appris $string['metareflexion_goals_reflexion_title'] = "Les objectifs choisis pour cette semaine"; $string['metareflexion_title_hours_plan'] = "Prévision du temps de travail pour la semaine courante"; $string['metareflexion_title_retrospective'] = "Retrospective de la semaine"; +$string['metareflexion_title_metareflexion'] = "Planning"; /* Reports */ $string['student_reports:view_report_as_teacher'] = "Voir le rapport en tant qu'enseignant"; $string['student_reports:view_report_as_student'] = "Voir le rapport en tant qu'étudiant"; @@ -1091,6 +1089,38 @@ $string['answers_number_four_option_two'] = "Je suis assez satisfait de la faço $string['answers_number_four_option_three'] = "Je suis satisfait de la façon dont je me suis organisé pour atteindre mes objectifs"; $string['answers_number_four_option_four'] = "Je suis très satisfait de la façon dont je me suis organisé pour atteindre mes objectifs"; +/* Auto-evaluation */ +$string['qst1'] = "Je me fixe des objectifs de réussite pour mon travail personnel."; +$string['qst2'] = "Je fixe des objectifs à court terme (quotidiens ou hebdomadaires) ainsi que des objectifs à long terme (mensuels ou semestriels)."; +$string['qst3'] = "Je suis exigent avec mon propre apprentissage et je m'impose des critères d'exigence."; +$string['qst4'] = "Je me fixe des objectifs pour m'aider à gérer mon travail personnel."; +$string['qst5'] = "Je ne réduis pas la qualité de mon travail quand il est en ligne."; +$string['qst6'] = "Je choisis l'endroit où j'étudie pour éviter trop de distractions."; +$string['qst7'] = "Je choisis un endroit confortable pour étudier."; +$string['qst8'] = "Je sais où je peux étudier plus efficacement."; +$string['qst9'] = "Je choisis un moment avec peu de distractions pour travailler."; +$string['qst10'] = "J'essaie de prendre des cours en ligne de formulation de notes approfondies, car des notes sont encore plus importants pour apprendre en ligne que dans une salle de classe normale."; +$string['qst11'] = "Je lis mes documents à voix haute pour lutter contre les distractions."; +$string['qst12'] = "Je prépare mes questions avant de rejoindre la salle de discussion et la discussion."; +$string['qst13'] = "Je travaille sur des problèmes supplémentaires en plus de ceux qui me sont attribués pour maîtriser le contenu du cours."; +$string['qst14'] = "Je me garde du temps pour travailler en dehors des cours."; +$string['qst15'] = "J'essaie de planifier le même moment chaque jour ou chaque semaine pour étudier, et je respecte cet horaire."; +$string['qst16'] = "Bien que nous n'ayons pas cours tous les jours, j'essaie de répartir mon temps de travail uniformément sur la semaine."; +$string['qst17'] = "Je trouve un étudiant qui maitrise le cours afin de pouvoir le consulter quand j'ai besoin d'aide."; +$string['qst18'] = "Je partage mes problèmes avec mes camarades afin que nous puissions résoudre ces problèmes de manière collective."; +$string['qst19'] = "Si nécessaire, j'essaie de rencontrer mes camarades de classe en face à face."; +$string['qst20'] = "Je n'hésite pas à demander de l'aide de l'enseignant par courrier électronique."; +$string['qst21'] = "Je fais des résumés de mes cours afin d'être conscient de ce que j'ai compris."; +$string['qst22'] = "Je me pose beaucoup de questions sur le contenu du cours que j'étudie."; +$string['qst23'] = "Je communique avec mes camarades de classe pour savoir comment je me situe par rapport à eux."; +$string['qst24'] = "Je communique avec mes camarades de classe pour découvrir que ce que j'apprends est différent de ce qu'ils apprennent."; + +$string['btn_save_auto_eval'] = "Sauvegarder"; +$string['message_save_successful'] = "Auto-évaluation sauvegardée avec succès"; +$string['message_update_successful'] = "Auto-évaluation mise à jour avec succès"; +$string['page_title_auto_eval'] = "Auto-évaluation"; +$string['form_questions_auto_eval'] = "Questions d'auto-évaluation"; +$string['description_auto_eval'] = "Cette page permet d'auto-évaluer ses méthodes pour étudier. Ce questionnaire est propre à chaque étudiant mais commun à tous les cours sur Moodle. Une fois que vous l'avez rempli, vous pouvez sauvegarder vos réponses avec le bouton en bas de page ainsi que modifier vos choix quand vous le souhaitez."; /* Groupes */ $string['group_allstudent'] = "Tous les étudiants"; @@ -1101,13 +1131,13 @@ $string['nmp_use_navbar_menu'] = 'Activer le nouveau menu'; $string['nmp_use_navbar_menu_desc'] = 'Afficher le menu du plugin dans la barre de navigation supérieure, sinon il inclura le menu dans le bloc de navigation.'; /* Gamification */ -$string['tg_tab1']="Répartition"; -$string['tg_tab2']="Classement"; -$string['tg_tab3']="Mon profil"; -$string['EnableGame']="Désactiver/Activer :"; -$string['studentRanking1']="Voulez vous apparaitre dans le ranking board ? "; -$string['studentRanking2']= "/!\ Tout les inscrits à ce cours ayant accepté vous verrons. Accepter est définitif:"; -$string['studentRanking3']="Accepter"; +$string['tg_tab1'] = "Répartition"; +$string['tg_tab2'] = "Classement"; +$string['tg_tab3'] = "Mon profil"; +$string['EnableGame'] = "Désactiver/Activer :"; +$string['studentRanking1'] = "Voulez vous apparaitre dans le ranking board ? "; +$string['studentRanking2'] = "/!\ Tout les inscrits à ce cours ayant accepté vous verrons. Accepter est définitif:"; +$string['studentRanking3'] = "Accepter"; $string['gamification_denied'] = 'La gamification a été désactivée par votre professeur'; $string['tg_colon'] = '{$a->a}: {$a->b}'; $string['tg_section_title'] = 'Gamification :'; @@ -1134,7 +1164,7 @@ $string['tg_section_ranking_ranking_text'] = 'Classement'; $string['tg_section_ranking_level'] = 'Niveau'; $string['tg_section_ranking_student'] = 'Élève'; $string['tg_section_ranking_total'] = 'Total'; -$string['tg_section_ranking_progress'] ='Progréssion %'; +$string['tg_section_ranking_progress'] = 'Progréssion %'; $string['tg_section_settings_appearance'] = 'Apparence'; $string['tg_section_settings_appearance_title'] = 'Titre'; @@ -1149,8 +1179,8 @@ $string['tg_section_settings_rules'] = 'Liste des régles'; $string['tg_section_settings_add_rule'] = 'Nouvelle règle'; $string['tg_section_settings_earn'] = 'Pour cet événement, victoire:'; $string['tg_section_settings_select_event'] = 'Sélectionnez un événement'; -$string['gm_Chart_Title']='Graphique de répartion'; -$string['gm_Chart_Y']='Etudiants'; +$string['gm_Chart_Title'] = 'Graphique de répartion'; +$string['gm_Chart_Y'] = 'Etudiants'; $string['tg_timenow'] = 'Juste maintenant'; $string['tg_timeseconds'] = 'il y a {$a}s '; @@ -1170,7 +1200,7 @@ $string['nmp_api_invalid_transaction'] = 'La demande est incorrecte'; $string['nmp_api_invalid_profile'] = 'Vous ne pouvez pas faire cette action, votre profil est incorrect'; $string['nmp_api_save_successful'] = 'Les données ont été enregistrées avec succès sur le serveur'; $string['nmp_api_cancel_action'] = 'Vous avez annulé l\'action'; -$string['overview']='Vue d\'ensemble : '; -$string['game_point_error']='Veuillez saisir les points'; -$string['game_event_error']='Veuillez saisir l\'évènement'; -$string['game_name_error']='Le nom est requis'; +$string['overview'] = 'Vue d\'ensemble : '; +$string['game_point_error'] = 'Veuillez saisir les points'; +$string['game_event_error'] = 'Veuillez saisir l\'évènement'; +$string['game_name_error'] = 'Le nom est requis'; diff --git a/notemyprogress/lib.php b/notemyprogress/lib.php index ef55353..09bdc34 100644 --- a/notemyprogress/lib.php +++ b/notemyprogress/lib.php @@ -108,7 +108,7 @@ function local_notemyprogress_render_navbar_output(\renderer_base $renderer) } //ADD menu items - if(has_capability('local/notemyprogress:logs', $context) && $configuration_is_set){ + if (has_capability('local/notemyprogress:logs', $context) && $configuration_is_set) { $text = get_string('menu_logs', 'local_notemyprogress'); $url = new moodle_url('/local/notemyprogress/logs.php?courseid=' . $COURSE->id); array_push($items, local_notemyprogress_new_menu_item(s($text), $url)); @@ -127,15 +127,20 @@ function local_notemyprogress_render_navbar_output(\renderer_base $renderer) } - - if(has_capability('local/notemyprogress:teacher_gamification', $context) && $configuration_is_set){ + if (has_capability('local/notemyprogress:teacher_gamification', $context) && $configuration_is_set) { $text = 'Gamification'; - $url = new moodle_url('/local/notemyprogress/gamification.php?courseid='.$COURSE->id); + $url = new moodle_url('/local/notemyprogress/gamification.php?courseid=' . $COURSE->id); array_push($items, local_notemyprogress_new_menu_item(s($text), $url)); } - if(has_capability('local/notemyprogress:student_gamification', $context) && !is_siteadmin() && $configuration_is_set){ + if (has_capability('local/notemyprogress:student_gamification', $context) && !is_siteadmin() && $configuration_is_set) { $text = 'Gamification'; - $url = new moodle_url('/local/notemyprogress/student_gamification.php?courseid='.$COURSE->id); + $url = new moodle_url('/local/notemyprogress/student_gamification.php?courseid=' . $COURSE->id); + array_push($items, local_notemyprogress_new_menu_item(s($text), $url)); + } + + if (has_capability('local/notemyprogress:auto_evaluation', $context) && $configuration_is_set) { + $text = get_string('menu_auto_evaluation', 'local_notemyprogress'); + $url = new moodle_url('/local/notemyprogress/auto_evaluation.php?courseid=' . $COURSE->id); array_push($items, local_notemyprogress_new_menu_item(s($text), $url)); } diff --git a/notemyprogress/metareflexion.php b/notemyprogress/metareflexion.php index d124f0d..e646608 100644 --- a/notemyprogress/metareflexion.php +++ b/notemyprogress/metareflexion.php @@ -179,6 +179,7 @@ $content = [ "goals_reflexion_title" => get_string("metareflexion_goals_reflexion_title", "local_notemyprogress"), "title_hours_plan" => get_string("metareflexion_title_hours_plan", "local_notemyprogress"), "title_retrospective" => get_string("metareflexion_title_retrospective", "local_notemyprogress"), + "title_metareflexion"=> get_string("metareflexion_title_metareflexion", "local_notemyprogress"), "goal1" => get_string("metareflexion_goal1", "local_notemyprogress"), "goal2" => get_string("metareflexion_goal2", "local_notemyprogress"), "goal3" => get_string("metareflexion_goal3", "local_notemyprogress"), diff --git a/notemyprogress/setweeks.php b/notemyprogress/setweeks.php index 7069b36..656e568 100644 --- a/notemyprogress/setweeks.php +++ b/notemyprogress/setweeks.php @@ -45,7 +45,7 @@ $logs->addLogsNMP("viewed", "section", "CONFIGURATION_COURSE_WEEK", "configurati $configweeks = new \local_notemyprogress\configweeks($COURSE, $USER); $content = [ - 'strings' =>[ + 'strings' => [ 'title' => get_string('setweeks_title', 'local_notemyprogress'), 'description' => get_string('setweeks_description', 'local_notemyprogress'), 'sections' => get_string('setweeks_sections', 'local_notemyprogress'), @@ -57,6 +57,7 @@ $content = [ 'save' => get_string('setweeks_save', 'local_notemyprogress'), 'error_empty_week' => get_string('setweeks_error_empty_week', 'local_notemyprogress'), 'error_network' => get_string('api_error_network', 'local_notemyprogress'), + 'error_conditions_setweek' => get_string('api_error_conditions_setweek', 'local_notemyprogress'), 'save_successful' => get_string('api_save_successful', 'local_notemyprogress'), 'enable_scroll' => get_string('setweeks_enable_scroll', 'local_notemyprogress'), 'cancel_action' => get_string('api_cancel_action', 'local_notemyprogress'), @@ -77,10 +78,9 @@ $content = [ 'requirements_has_sections' => get_string('plugin_requirements_has_sections', 'local_notemyprogress'), 'plugin_visible' => get_string('plugin_visible', 'local_notemyprogress'), 'plugin_hidden' => get_string('plugin_hidden', 'local_notemyprogress'), - "helplabel" => get_string("helplabel","local_notemyprogress"), - "exitbutton" => get_string("exitbutton","local_notemyprogress"), - "title_conditions" => get_string("title_conditions","local_notemyprogress"), - "nothing"=>"something", + "helplabel" => get_string("helplabel", "local_notemyprogress"), + "exitbutton" => get_string("exitbutton", "local_notemyprogress"), + "title_conditions" => get_string("title_conditions", "local_notemyprogress"), ], 'sections' => $configweeks->get_sections_without_week(), 'userid' => $USER->id, @@ -90,7 +90,7 @@ $content = [ 'timezone' => $configweeks->get_timezone(), ]; -$PAGE->requires->js_call_amd('local_notemyprogress/setweeks','init', ['content' => $content]); +$PAGE->requires->js_call_amd('local_notemyprogress/setweeks', 'init', ['content' => $content]); echo $OUTPUT->header(); echo $OUTPUT->render_from_template('local_notemyprogress/setweeks', ['content' => $content]); diff --git a/notemyprogress/templates/auto_evaluation.mustache b/notemyprogress/templates/auto_evaluation.mustache new file mode 100644 index 0000000..42085bd --- /dev/null +++ b/notemyprogress/templates/auto_evaluation.mustache @@ -0,0 +1,36 @@ +<div id="auto_evaluation-loader"> + <div class="progressbar-notemyprogress"> + <div class="indeterminate"></div> + </div> +</div> + +<v-app id="auto_evaluation" class="notemyprogress"> + <v-main> + <pageheader :pagetitle="strings.page_title_auto_eval" :helptitle="strings.helplabel" :exitbutton="strings.exitbutton" :helpcontents="get_help_content()" :groups="groups" :courseid="courseid" :userid="userid"></pageheader> + <v-container pa-8> + <v-row v-if="loading"> + <v-progress-linear indeterminate color="cyan"></v-progress-linear> + </v-row> + <div v-else> + <v-alert v-if="errors.length > 0" dense outlined type="error" v-text="strings.api_error_network"></v-alert> + <v-card elevation="2"> + <v-card-title class="justify-center"> + <h5 v-text="strings.form_questions_auto_eval"></h5> + </v-card-title> + <v-card-text> + <v-col v-for="(answer,index,key) in auto_eval_answers"> + <span v-text="strings.qsts[answer.description]"></span> + <v-rating hover length="5" size="30" v-model.number="answer.level"></v-rating> + </v-col> + <v-col> + <v-layout justify-center> + <v-btn @click="action_save_auto_evaluation()" v-text="strings.btn_save_auto_eval" class="white--text" color="#118AB2"></v-btn> + <v-progress-linear v-if="saving_loader" indeterminate color="cyan" ></v-progress-linear> + </v-layout> + </v-col> + </v-card-text> + </v-card> + </div> + </v-container> + </v-main> +</v-app> \ No newline at end of file -- GitLab From ac665c981670670ca0833016f686d3aeb66c556e Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Robin=20Mouni=C3=A9?= <robin.mounie@gmail.com> Date: Thu, 8 Sep 2022 12:14:51 +0200 Subject: [PATCH 8/8] All the file have been put in the project's root --- notemyprogress/.gitignore => .gitignore | 0 notemyprogress/LICENSE.md => LICENSE.md | 0 notemyprogress/ajax.php => ajax.php | 0 .../amd => amd}/build/alertify.min.js | 0 .../amd => amd}/build/alertify.min.js.map | 0 .../amd => amd}/build/assignments.min.js | 0 .../amd => amd}/build/assignments.min.js.map | 0 .../amd => amd}/build/auto_evaluation.min.js | 0 .../amd => amd}/build/axios.min.js | 0 .../amd => amd}/build/axios.min.js.map | 0 .../amd => amd}/build/chartdynamic.min.js | 0 .../amd => amd}/build/chartdynamic.min.js.map | 0 .../amd => amd}/build/chartstatic.min.js | 0 .../amd => amd}/build/chartstatic.min.js.map | 0 .../amd => amd}/build/config.min.js | 0 .../amd => amd}/build/config.min.js.map | 0 .../amd => amd}/build/datepicker.min.js | 0 .../amd => amd}/build/datepicker.min.js.map | 0 .../amd => amd}/build/draggable.min.js | 0 .../amd => amd}/build/draggable.min.js.map | 0 .../amd => amd}/build/dropout.min.js | 0 .../amd => amd}/build/dropout.min.js.map | 0 .../amd => amd}/build/emailform.min.js | 0 .../amd => amd}/build/gamification.min.js | 0 .../amd => amd}/build/grades.min.js | 0 .../amd => amd}/build/grades.min.js.map | 0 .../amd => amd}/build/graph.min.js | 0 .../amd => amd}/build/graph.min.js.map | 0 .../amd => amd}/build/helpdialog.min.js | 0 .../amd => amd}/build/helpdialog.min.js.map | 0 .../amd => amd}/build/listener.min.js | 0 {notemyprogress/amd => amd}/build/logs.min.js | 0 .../amd => amd}/build/metareflexion.min.js | 0 .../amd => amd}/build/modulesform.min.js | 0 .../amd => amd}/build/modulesform.min.js.map | 0 .../amd => amd}/build/moment.min.js | 0 .../amd => amd}/build/moment.min.js.map | 0 .../amd => amd}/build/momenttimezone.min.js | 0 .../build/momenttimezone.min.js.map | 0 .../amd => amd}/build/pageheader.min.js | 0 .../amd => amd}/build/pageheader.min.js.map | 0 .../amd => amd}/build/pagination.min.js | 0 .../build/paginationcomponent.min.js | 0 .../amd => amd}/build/prueba.min.js | 0 .../amd => amd}/build/prueba.min.js.map | 0 {notemyprogress/amd => amd}/build/quiz.min.js | 0 .../amd => amd}/build/quiz.min.js.map | 0 .../amd => amd}/build/sessions.min.js | 0 .../amd => amd}/build/sessions.min.js.map | 0 .../amd => amd}/build/setweeks.min.js | 0 .../amd => amd}/build/sortablejs.min.js | 0 .../amd => amd}/build/sortablejs.min.js.map | 0 .../amd => amd}/build/student.min.js | 0 .../amd => amd}/build/student.min.js.map | 0 .../build/student_gamification.min.js | 0 .../amd => amd}/build/student_sessions.min.js | 0 .../build/student_sessions.min.js.map | 0 .../amd => amd}/build/teacher.min.js | 0 .../amd => amd}/build/teacher.min.js.map | 0 {notemyprogress/amd => amd}/build/vue.min.js | 0 .../amd => amd}/build/vue.min.js.map | 0 .../amd => amd}/build/vuetify.min.js | 0 .../amd => amd}/build/vuetify.min.js.map | 0 {notemyprogress/amd => amd}/src/alertify.js | 0 .../amd => amd}/src/assignments.js | 0 .../amd => amd}/src/auto_evaluation.js | 0 {notemyprogress/amd => amd}/src/axios.js | 0 .../amd => amd}/src/chartdynamic.js | 0 .../amd => amd}/src/chartstatic.js | 0 {notemyprogress/amd => amd}/src/config.js | 0 {notemyprogress/amd => amd}/src/datepicker.js | 0 {notemyprogress/amd => amd}/src/draggable.js | 0 {notemyprogress/amd => amd}/src/dropout.js | 0 {notemyprogress/amd => amd}/src/emailform.js | 0 .../amd => amd}/src/gamification.js | 0 {notemyprogress/amd => amd}/src/grades.js | 0 {notemyprogress/amd => amd}/src/graph.js | 0 {notemyprogress/amd => amd}/src/helpdialog.js | 0 {notemyprogress/amd => amd}/src/logs.js | 0 .../amd => amd}/src/metareflexion.js | 0 .../amd => amd}/src/modulesform.js | 0 {notemyprogress/amd => amd}/src/moment.js | 0 .../amd => amd}/src/momenttimezone.js | 0 {notemyprogress/amd => amd}/src/pageheader.js | 0 {notemyprogress/amd => amd}/src/pagination.js | 0 .../src/paginationcomponent.min.js | 0 {notemyprogress/amd => amd}/src/prueba.js | 0 {notemyprogress/amd => amd}/src/quiz.js | 0 {notemyprogress/amd => amd}/src/sessions.js | 0 {notemyprogress/amd => amd}/src/setweeks.js | 0 {notemyprogress/amd => amd}/src/sortablejs.js | 0 {notemyprogress/amd => amd}/src/student.js | 0 .../amd => amd}/src/student_gamification.js | 0 .../amd => amd}/src/student_planning.js | 0 .../amd => amd}/src/student_sessions.js | 0 {notemyprogress/amd => amd}/src/teacher.js | 0 {notemyprogress/amd => amd}/src/vue.js | 0 {notemyprogress/amd => amd}/src/vuetify.js | 0 .../assignments.php => assignments.php | 0 ...auto_evaluation.php => auto_evaluation.php | 0 .../classes => classes}/auto_evaluation.php | 0 .../configgamification.php | 0 .../classes => classes}/configweeks.php | 0 .../course_participant.php | 0 .../classes => classes}/dropout.php | 0 {notemyprogress/classes => classes}/email.php | 0 .../classes => classes}/event_strategy.php | 0 .../classes => classes}/external/external.php | 0 .../classes => classes}/group_manager.php | 0 .../jwt/BeforeValidException.php | 0 .../jwt/ExpiredException.php | 0 .../classes => classes}/jwt/JWK.php | 0 .../classes => classes}/jwt/JWT.php | 0 .../jwt/SignatureInvalidException.php | 0 .../classes => classes}/lib_trait.php | 0 {notemyprogress/classes => classes}/log.php | 0 {notemyprogress/classes => classes}/logs.php | 0 .../classes => classes}/metareflexion.php | 0 .../classes => classes}/observer/observer.php | 0 .../phpml/Association/Apriori.php | 0 .../phpml/Association/Associator.php | 0 .../phpml/Classification/Classifier.php | 0 .../phpml/Classification/DecisionTree.php | 0 .../DecisionTree/DecisionTreeLeaf.php | 0 .../Classification/Ensemble/AdaBoost.php | 0 .../phpml/Classification/Ensemble/Bagging.php | 0 .../Classification/Ensemble/RandomForest.php | 0 .../Classification/KNearestNeighbors.php | 0 .../phpml/Classification/Linear/Adaline.php | 0 .../Classification/Linear/DecisionStump.php | 0 .../Linear/LogisticRegression.php | 0 .../Classification/Linear/Perceptron.php | 0 .../phpml/Classification/MLPClassifier.php | 0 .../phpml/Classification/NaiveBayes.php | 0 .../phpml/Classification/SVC.php | 0 .../Classification/WeightedClassifier.php | 0 .../phpml/Clustering/Clusterer.php | 0 .../phpml/Clustering/DBSCAN.php | 0 .../phpml/Clustering/FuzzyCMeans.php | 0 .../phpml/Clustering/KMeans.php | 0 .../phpml/Clustering/KMeans/Cluster.php | 0 .../phpml/Clustering/KMeans/Point.php | 0 .../phpml/Clustering/KMeans/Space.php | 0 .../phpml/CrossValidation/RandomSplit.php | 0 .../phpml/CrossValidation/Split.php | 0 .../CrossValidation/StratifiedRandomSplit.php | 0 .../phpml/Dataset/ArrayDataset.php | 0 .../phpml/Dataset/CsvDataset.php | 0 .../phpml/Dataset/Dataset.php | 0 .../phpml/Dataset/Demo/GlassDataset.php | 0 .../phpml/Dataset/Demo/IrisDataset.php | 0 .../phpml/Dataset/Demo/WineDataset.php | 0 .../phpml/Dataset/FilesDataset.php | 0 .../phpml/Dataset/MnistDataset.php | 0 .../phpml/Dataset/SvmDataset.php | 0 .../EigenTransformerBase.php | 0 .../phpml/DimensionReduction/KernelPCA.php | 0 .../phpml/DimensionReduction/LDA.php | 0 .../phpml/DimensionReduction/PCA.php | 0 .../classes => classes}/phpml/Estimator.php | 0 .../phpml/Exception/DatasetException.php | 0 .../phpml/Exception/FileException.php | 0 .../Exception/InvalidArgumentException.php | 0 .../Exception/InvalidOperationException.php | 0 .../Exception/LibsvmCommandException.php | 0 .../phpml/Exception/MatrixException.php | 0 .../phpml/Exception/NormalizerException.php | 0 .../phpml/Exception/SerializeException.php | 0 .../phpml/FeatureExtraction/StopWords.php | 0 .../FeatureExtraction/StopWords/English.php | 0 .../FeatureExtraction/StopWords/French.php | 0 .../FeatureExtraction/StopWords/Polish.php | 0 .../FeatureExtraction/StopWords/Russian.php | 0 .../FeatureExtraction/TfIdfTransformer.php | 0 .../TokenCountVectorizer.php | 0 .../FeatureSelection/ScoringFunction.php | 0 .../ScoringFunction/ANOVAFValue.php | 0 .../UnivariateLinearRegression.php | 0 .../phpml/FeatureSelection/SelectKBest.php | 0 .../FeatureSelection/VarianceThreshold.php | 0 .../phpml/FeatureUnion.php | 0 .../phpml/Helper/OneVsRest.php | 0 .../Helper/Optimizer/ConjugateGradient.php | 0 .../phpml/Helper/Optimizer/GD.php | 0 .../phpml/Helper/Optimizer/Optimizer.php | 0 .../phpml/Helper/Optimizer/StochasticGD.php | 0 .../phpml/Helper/Predictable.php | 0 .../phpml/Helper/Trainable.php | 0 .../phpml/IncrementalEstimator.php | 0 .../phpml/Math/Comparison.php | 0 .../phpml/Math/Distance.php | 0 .../phpml/Math/Distance/Chebyshev.php | 0 .../phpml/Math/Distance/Distance.php | 0 .../phpml/Math/Distance/Euclidean.php | 0 .../phpml/Math/Distance/Manhattan.php | 0 .../phpml/Math/Distance/Minkowski.php | 0 .../classes => classes}/phpml/Math/Kernel.php | 0 .../phpml/Math/Kernel/RBF.php | 0 .../LinearAlgebra/EigenvalueDecomposition.php | 0 .../Math/LinearAlgebra/LUDecomposition.php | 0 .../classes => classes}/phpml/Math/Matrix.php | 0 .../phpml/Math/Product.php | 0 .../classes => classes}/phpml/Math/Set.php | 0 .../phpml/Math/Statistic/ANOVA.php | 0 .../phpml/Math/Statistic/Correlation.php | 0 .../phpml/Math/Statistic/Covariance.php | 0 .../phpml/Math/Statistic/Gaussian.php | 0 .../phpml/Math/Statistic/Mean.php | 0 .../Math/Statistic/StandardDeviation.php | 0 .../phpml/Math/Statistic/Variance.php | 0 .../phpml/Metric/Accuracy.php | 0 .../phpml/Metric/ClassificationReport.php | 0 .../phpml/Metric/ConfusionMatrix.php | 0 .../phpml/Metric/Regression.php | 0 .../phpml/ModelManager.php | 0 .../NeuralNetwork/ActivationFunction.php | 0 .../ActivationFunction/BinaryStep.php | 0 .../ActivationFunction/Gaussian.php | 0 .../ActivationFunction/HyperbolicTangent.php | 0 .../ActivationFunction/PReLU.php | 0 .../ActivationFunction/Sigmoid.php | 0 .../ActivationFunction/ThresholdedReLU.php | 0 .../phpml/NeuralNetwork/Layer.php | 0 .../phpml/NeuralNetwork/Network.php | 0 .../NeuralNetwork/Network/LayeredNetwork.php | 0 .../Network/MultilayerPerceptron.php | 0 .../phpml/NeuralNetwork/Node.php | 0 .../phpml/NeuralNetwork/Node/Bias.php | 0 .../phpml/NeuralNetwork/Node/Input.php | 0 .../phpml/NeuralNetwork/Node/Neuron.php | 0 .../NeuralNetwork/Node/Neuron/Synapse.php | 0 .../Training/Backpropagation.php | 0 .../Training/Backpropagation/Sigma.php | 0 .../classes => classes}/phpml/Pipeline.php | 0 .../phpml/Preprocessing/ColumnFilter.php | 0 .../phpml/Preprocessing/Imputer.php | 0 .../phpml/Preprocessing/Imputer/Strategy.php | 0 .../Imputer/Strategy/MeanStrategy.php | 0 .../Imputer/Strategy/MedianStrategy.php | 0 .../Imputer/Strategy/MostFrequentStrategy.php | 0 .../phpml/Preprocessing/LabelEncoder.php | 0 .../phpml/Preprocessing/LambdaTransformer.php | 0 .../phpml/Preprocessing/Normalizer.php | 0 .../phpml/Preprocessing/NumberConverter.php | 0 .../phpml/Preprocessing/OneHotEncoder.php | 0 .../phpml/Preprocessing/Preprocessor.php | 0 .../phpml/Regression/LeastSquares.php | 0 .../phpml/Regression/Regression.php | 0 .../phpml/Regression/SVR.php | 0 .../SupportVectorMachine/DataTransformer.php | 0 .../phpml/SupportVectorMachine/Kernel.php | 0 .../SupportVectorMachine.php | 0 .../phpml/SupportVectorMachine/Type.php | 0 .../phpml/Tokenization/NGramTokenizer.php | 0 .../phpml/Tokenization/NGramWordTokenizer.php | 0 .../phpml/Tokenization/Tokenizer.php | 0 .../Tokenization/WhitespaceTokenizer.php | 0 .../phpml/Tokenization/WordTokenizer.php | 0 .../classes => classes}/phpml/Transformer.php | 0 .../classes => classes}/report.php | 0 .../classes => classes}/resourcetype.php | 0 .../classes => classes}/sessiongroup.php | 0 {notemyprogress/classes => classes}/srlog.php | 0 .../classes => classes}/student.php | 0 .../task/generate_data.php | 0 .../classes => classes}/teacher.php | 0 {notemyprogress/css => css}/alertify.css | 0 {notemyprogress/css => css}/googlefonts.css | 0 .../css => css}/materialdesignicons.css | 0 {notemyprogress/css => css}/materialicon.css | 0 {notemyprogress/css => css}/quill.bubble.css | 0 {notemyprogress/css => css}/quill.core.css | 0 {notemyprogress/css => css}/quill.snow.css | 0 {notemyprogress/css => css}/vuetify.css | 0 {notemyprogress/db => db}/access.php | 0 {notemyprogress/db => db}/events.php | 0 {notemyprogress/db => db}/install.php | 0 {notemyprogress/db => db}/install.xml | 0 {notemyprogress/db => db}/services.php | 0 {notemyprogress/db => db}/tasks.php | 0 {notemyprogress/db => db}/uninstall.php | 0 {notemyprogress/db => db}/upgrade.php | 0 {notemyprogress/db => db}/upgradelib.php | 0 .../ActivityLogsMoodle_Course2.csv | 0 .../ActivityLogsMoodle_Course3.csv | 0 .../ActivityLogsNMP_Course2.csv | 0 .../ActivityLogsNMP_Course3.csv | 0 .../Details_Informations_LogsNMP.pdf | Bin .../downloads => downloads}/README.md | 0 notemyprogress/dropout.php => dropout.php | 0 .../fonts => fonts}/Poppins-Medium.otf | Bin .../fonts => fonts}/Poppins-Regular.otf | Bin .../materialdesignicons-webfont.eot | Bin .../materialdesignicons-webfont.ttf | Bin .../materialdesignicons-webfont.woff | Bin .../materialdesignicons-webfont.woff2 | Bin .../gamification.php => gamification.php | 0 notemyprogress/grades.php => grades.php | 0 notemyprogress/graph.php => graph.php | 0 {notemyprogress/img => img}/calendar.png | Bin {notemyprogress/img => img}/empty_char.png | Bin {notemyprogress/js => js}/alertify.js | 0 {notemyprogress/js => js}/axios.js | 0 {notemyprogress/js => js}/datepicker.js | 0 {notemyprogress/js => js}/draggable.js | 0 .../js => js}/highcharts/highcharts-3d.js | 0 .../js => js}/highcharts/highcharts-3d.js.map | 0 .../js => js}/highcharts/highcharts-3d.src.js | 0 .../js => js}/highcharts/highcharts-more.js | 0 .../highcharts/highcharts-more.js.map | 0 .../highcharts/highcharts-more.src.js | 0 .../js => js}/highcharts/highcharts.js | 0 .../js => js}/highcharts/highcharts.js.map | 0 .../js => js}/highcharts/highcharts.src.js | 0 .../highcharts/modules/accessibility.js | 0 .../highcharts/modules/accessibility.js.map | 0 .../highcharts/modules/accessibility.src.js | 0 .../modules/annotations-advanced.js | 0 .../modules/annotations-advanced.js.map | 0 .../modules/annotations-advanced.src.js | 0 .../highcharts/modules/annotations.js | 0 .../highcharts/modules/annotations.js.map | 0 .../highcharts/modules/annotations.src.js | 0 .../highcharts/modules/arrow-symbols.js | 0 .../highcharts/modules/arrow-symbols.js.map | 0 .../highcharts/modules/arrow-symbols.src.js | 0 .../highcharts/modules/boost-canvas.js | 0 .../highcharts/modules/boost-canvas.js.map | 0 .../highcharts/modules/boost-canvas.src.js | 0 .../js => js}/highcharts/modules/boost.js | 0 .../js => js}/highcharts/modules/boost.js.map | 0 .../js => js}/highcharts/modules/boost.src.js | 0 .../highcharts/modules/broken-axis.js | 0 .../highcharts/modules/broken-axis.js.map | 0 .../highcharts/modules/broken-axis.src.js | 0 .../js => js}/highcharts/modules/bullet.js | 0 .../highcharts/modules/bullet.js.map | 0 .../highcharts/modules/bullet.src.js | 0 .../js => js}/highcharts/modules/coloraxis.js | 0 .../highcharts/modules/coloraxis.js.map | 0 .../highcharts/modules/coloraxis.src.js | 0 .../modules/current-date-indicator.js | 0 .../modules/current-date-indicator.js.map | 0 .../modules/current-date-indicator.src.js | 0 .../js => js}/highcharts/modules/cylinder.js | 0 .../highcharts/modules/cylinder.js.map | 0 .../highcharts/modules/cylinder.src.js | 0 .../js => js}/highcharts/modules/data.js | 0 .../js => js}/highcharts/modules/data.js.map | 0 .../js => js}/highcharts/modules/data.src.js | 0 .../highcharts/modules/datagrouping.js | 0 .../highcharts/modules/datagrouping.js.map | 0 .../highcharts/modules/datagrouping.src.js | 0 .../js => js}/highcharts/modules/debugger.js | 0 .../highcharts/modules/debugger.js.map | 0 .../highcharts/modules/debugger.src.js | 0 .../highcharts/modules/dependency-wheel.js | 0 .../modules/dependency-wheel.js.map | 0 .../modules/dependency-wheel.src.js | 0 .../js => js}/highcharts/modules/dotplot.js | 0 .../highcharts/modules/dotplot.js.map | 0 .../highcharts/modules/dotplot.src.js | 0 .../highcharts/modules/drag-panes.js | 0 .../highcharts/modules/drag-panes.js.map | 0 .../highcharts/modules/drag-panes.src.js | 0 .../highcharts/modules/draggable-points.js | 0 .../modules/draggable-points.js.map | 0 .../modules/draggable-points.src.js | 0 .../js => js}/highcharts/modules/drilldown.js | 0 .../highcharts/modules/drilldown.js.map | 0 .../highcharts/modules/drilldown.src.js | 0 .../js => js}/highcharts/modules/dumbbell.js | 0 .../highcharts/modules/dumbbell.js.map | 0 .../highcharts/modules/dumbbell.src.js | 0 .../highcharts/modules/export-data.js | 0 .../highcharts/modules/export-data.js.map | 0 .../highcharts/modules/export-data.src.js | 0 .../js => js}/highcharts/modules/exporting.js | 0 .../highcharts/modules/exporting.js.map | 0 .../highcharts/modules/exporting.src.js | 0 .../highcharts/modules/full-screen.js | 0 .../highcharts/modules/full-screen.js.map | 0 .../highcharts/modules/full-screen.src.js | 0 .../js => js}/highcharts/modules/funnel.js | 0 .../highcharts/modules/funnel.js.map | 0 .../highcharts/modules/funnel.src.js | 0 .../js => js}/highcharts/modules/funnel3d.js | 0 .../highcharts/modules/funnel3d.js.map | 0 .../highcharts/modules/funnel3d.src.js | 0 .../js => js}/highcharts/modules/gantt.js | 0 .../js => js}/highcharts/modules/gantt.js.map | 0 .../js => js}/highcharts/modules/gantt.src.js | 0 .../js => js}/highcharts/modules/grid-axis.js | 0 .../highcharts/modules/grid-axis.js.map | 0 .../highcharts/modules/grid-axis.src.js | 0 .../js => js}/highcharts/modules/heatmap.js | 0 .../highcharts/modules/heatmap.js.map | 0 .../highcharts/modules/heatmap.src.js | 0 .../highcharts/modules/histogram-bellcurve.js | 0 .../modules/histogram-bellcurve.js.map | 0 .../modules/histogram-bellcurve.src.js | 0 .../highcharts/modules/item-series.js | 0 .../highcharts/modules/item-series.js.map | 0 .../highcharts/modules/item-series.src.js | 0 .../js => js}/highcharts/modules/lollipop.js | 0 .../highcharts/modules/lollipop.js.map | 0 .../highcharts/modules/lollipop.src.js | 0 .../highcharts/modules/marker-clusters.js | 0 .../highcharts/modules/marker-clusters.js.map | 0 .../highcharts/modules/marker-clusters.src.js | 0 .../highcharts/modules/networkgraph.js | 0 .../highcharts/modules/networkgraph.js.map | 0 .../highcharts/modules/networkgraph.src.js | 0 .../highcharts/modules/no-data-to-display.js | 0 .../modules/no-data-to-display.js.map | 0 .../modules/no-data-to-display.src.js | 0 .../highcharts/modules/offline-exporting.js | 0 .../modules/offline-exporting.js.map | 0 .../modules/offline-exporting.src.js | 0 .../highcharts/modules/oldie-polyfills.js | 0 .../highcharts/modules/oldie-polyfills.js.map | 0 .../highcharts/modules/oldie-polyfills.src.js | 0 .../js => js}/highcharts/modules/oldie.js | 0 .../js => js}/highcharts/modules/oldie.js.map | 0 .../js => js}/highcharts/modules/oldie.src.js | 0 .../highcharts/modules/organization.js | 0 .../highcharts/modules/organization.js.map | 0 .../highcharts/modules/organization.src.js | 0 .../modules/overlapping-datalabels.js | 0 .../modules/overlapping-datalabels.js.map | 0 .../modules/overlapping-datalabels.src.js | 0 .../modules/parallel-coordinates.js | 0 .../modules/parallel-coordinates.js.map | 0 .../modules/parallel-coordinates.src.js | 0 .../js => js}/highcharts/modules/pareto.js | 0 .../highcharts/modules/pareto.js.map | 0 .../highcharts/modules/pareto.src.js | 0 .../highcharts/modules/pathfinder.js | 0 .../highcharts/modules/pathfinder.js.map | 0 .../highcharts/modules/pathfinder.src.js | 0 .../highcharts/modules/pattern-fill.js | 0 .../highcharts/modules/pattern-fill.js.map | 0 .../highcharts/modules/pattern-fill.src.js | 0 .../highcharts/modules/price-indicator.js | 0 .../highcharts/modules/price-indicator.js.map | 0 .../highcharts/modules/price-indicator.src.js | 0 .../js => js}/highcharts/modules/pyramid3d.js | 0 .../highcharts/modules/pyramid3d.js.map | 0 .../highcharts/modules/pyramid3d.src.js | 0 .../js => js}/highcharts/modules/sankey.js | 0 .../highcharts/modules/sankey.js.map | 0 .../highcharts/modules/sankey.src.js | 0 .../highcharts/modules/series-label.js | 0 .../highcharts/modules/series-label.js.map | 0 .../highcharts/modules/series-label.src.js | 0 .../highcharts/modules/solid-gauge.js | 0 .../highcharts/modules/solid-gauge.js.map | 0 .../highcharts/modules/solid-gauge.src.js | 0 .../highcharts/modules/sonification.js | 0 .../highcharts/modules/sonification.js.map | 0 .../highcharts/modules/sonification.src.js | 0 .../highcharts/modules/static-scale.js | 0 .../highcharts/modules/static-scale.js.map | 0 .../highcharts/modules/static-scale.src.js | 0 .../highcharts/modules/stock-tools.js | 0 .../highcharts/modules/stock-tools.js.map | 0 .../highcharts/modules/stock-tools.src.js | 0 .../js => js}/highcharts/modules/stock.js | 0 .../js => js}/highcharts/modules/stock.js.map | 0 .../js => js}/highcharts/modules/stock.src.js | 0 .../highcharts/modules/streamgraph.js | 0 .../highcharts/modules/streamgraph.js.map | 0 .../highcharts/modules/streamgraph.src.js | 0 .../js => js}/highcharts/modules/sunburst.js | 0 .../highcharts/modules/sunburst.js.map | 0 .../highcharts/modules/sunburst.src.js | 0 .../js => js}/highcharts/modules/tilemap.js | 0 .../highcharts/modules/tilemap.js.map | 0 .../highcharts/modules/tilemap.src.js | 0 .../js => js}/highcharts/modules/timeline.js | 0 .../highcharts/modules/timeline.js.map | 0 .../highcharts/modules/timeline.src.js | 0 .../js => js}/highcharts/modules/treegrid.js | 0 .../highcharts/modules/treegrid.js.map | 0 .../highcharts/modules/treegrid.src.js | 0 .../js => js}/highcharts/modules/treemap.js | 0 .../highcharts/modules/treemap.js.map | 0 .../highcharts/modules/treemap.src.js | 0 .../highcharts/modules/variable-pie.js | 0 .../highcharts/modules/variable-pie.js.map | 0 .../highcharts/modules/variable-pie.src.js | 0 .../js => js}/highcharts/modules/variwide.js | 0 .../highcharts/modules/variwide.js.map | 0 .../highcharts/modules/variwide.src.js | 0 .../js => js}/highcharts/modules/vector.js | 0 .../highcharts/modules/vector.js.map | 0 .../highcharts/modules/vector.src.js | 0 .../js => js}/highcharts/modules/venn.js | 0 .../js => js}/highcharts/modules/venn.js.map | 0 .../js => js}/highcharts/modules/venn.src.js | 0 .../js => js}/highcharts/modules/windbarb.js | 0 .../highcharts/modules/windbarb.js.map | 0 .../highcharts/modules/windbarb.src.js | 0 .../js => js}/highcharts/modules/wordcloud.js | 0 .../highcharts/modules/wordcloud.js.map | 0 .../highcharts/modules/wordcloud.src.js | 0 .../js => js}/highcharts/modules/xrange.js | 0 .../highcharts/modules/xrange.js.map | 0 .../highcharts/modules/xrange.src.js | 0 {notemyprogress/js => js}/moment-timezone.js | 0 {notemyprogress/js => js}/moment.js | 0 {notemyprogress/js => js}/sortablejs.js | 0 {notemyprogress/js => js}/vue.js | 0 {notemyprogress/js => js}/vuetify.js | 0 .../lang => lang}/en/local_notemyprogress.php | 0 .../lang => lang}/es/local_notemyprogress.php | 0 .../lang => lang}/fr/local_notemyprogress.php | 0 notemyprogress/lib.php => lib.php | 0 notemyprogress/locallib.php => locallib.php | 0 notemyprogress/logs.php => logs.php | 0 .../metareflexion.php => metareflexion.php | 0 notemyprogress/README.md | 21 ------------------ notemyprogress/notes.php => notes.php | 0 {notemyprogress/pix => pix}/badge.png | Bin {notemyprogress/pix => pix}/rankImage.png | Bin notemyprogress/prueba.php => prueba.php | 0 notemyprogress/quiz.php => quiz.php | 0 .../server => server}/composer.json | 0 .../server => server}/composer.lock | 0 .../server => server}/vendor/autoload.php | 0 .../vendor/composer/ClassLoader.php | 0 .../vendor/composer/InstalledVersions.php | 0 .../server => server}/vendor/composer/LICENSE | 0 .../vendor/composer/autoload_classmap.php | 0 .../vendor/composer/autoload_files.php | 0 .../vendor/composer/autoload_namespaces.php | 0 .../vendor/composer/autoload_psr4.php | 0 .../vendor/composer/autoload_real.php | 0 .../vendor/composer/autoload_static.php | 0 .../vendor/composer/installed.json | 0 .../vendor/composer/installed.php | 0 .../package-versions-deprecated/CHANGELOG.md | 0 .../CONTRIBUTING.md | 0 .../package-versions-deprecated/LICENSE | 0 .../package-versions-deprecated/README.md | 0 .../package-versions-deprecated/SECURITY.md | 0 .../package-versions-deprecated/composer.json | 0 .../package-versions-deprecated/composer.lock | 0 .../phpcs.xml.dist | 0 .../src/PackageVersions/FallbackVersions.php | 0 .../src/PackageVersions/Installer.php | 0 .../src/PackageVersions/Versions.php | 0 .../vendor/composer/platform_check.php | 0 .../.github/workflows/tests.yaml | 0 .../jean85/pretty-package-versions/LICENSE | 0 .../pretty-package-versions/codecov.yml | 0 .../pretty-package-versions/composer.json | 0 .../src/PrettyVersions.php | 0 .../pretty-package-versions/src/Version.php | 0 .../mongodb/.evergreen/auth_aws/README.md | 0 .../auth_aws/aws_e2e_assume_role.js | 0 .../.evergreen/auth_aws/aws_e2e_ec2.js | 0 .../.evergreen/auth_aws/aws_e2e_ecs.js | 0 .../auth_aws/aws_e2e_regular_aws.js | 0 .../lib/aws_assign_instance_profile.py | 0 .../auth_aws/lib/aws_assume_role.py | 0 .../.evergreen/auth_aws/lib/aws_e2e_lib.js | 0 .../auth_aws/lib/container_tester.py | 0 .../auth_aws/lib/ecs_hosted_test.js | 0 .../auth_aws/lib/ecs_hosted_test.sh | 0 .../mongodb/.evergreen/compile-unix.sh | 0 .../mongodb/.evergreen/compile-windows.sh | 0 .../mongodb/mongodb/.evergreen/compile.sh | 0 .../mongodb/mongodb/.evergreen/config.yml | 0 .../mongodb/mongodb/.evergreen/config/php.ini | 0 .../mongodb/.evergreen/download-mongodb.sh | 0 .../.evergreen/generate_task_config.py | 0 .../.evergreen/install-dependencies.sh | 0 .../mongodb/mongodb/.evergreen/make-docs.sh | 0 .../mongodb/.evergreen/make-release.sh | 0 .../mongodb/mongodb/.evergreen/ocsp/README.md | 0 .../mongodb/mongodb/.evergreen/ocsp/certs.yml | 0 .../mongodb/.evergreen/ocsp/ecdsa/ca.crt | 0 .../mongodb/.evergreen/ocsp/ecdsa/ca.key | 0 .../mongodb/.evergreen/ocsp/ecdsa/ca.pem | 0 .../ocsp/ecdsa/mock-delegate-revoked.sh | 0 .../ocsp/ecdsa/mock-delegate-valid.sh | 0 .../.evergreen/ocsp/ecdsa/mock-revoked.sh | 0 .../.evergreen/ocsp/ecdsa/mock-valid.sh | 0 .../.evergreen/ocsp/ecdsa/ocsp-responder.crt | 0 .../.evergreen/ocsp/ecdsa/ocsp-responder.key | 0 .../mongodb/.evergreen/ocsp/ecdsa/rename.sh | 0 .../server-mustStaple-singleEndpoint.pem | 0 .../ocsp/ecdsa/server-mustStaple.pem | 0 .../ocsp/ecdsa/server-singleEndpoint.pem | 0 .../mongodb/.evergreen/ocsp/ecdsa/server.pem | 0 .../ocsp/mock-ocsp-responder-requirements.txt | 0 .../.evergreen/ocsp/mock_ocsp_responder.py | 0 .../mongodb/.evergreen/ocsp/ocsp_mock.py | 0 .../mongodb/.evergreen/ocsp/rsa/ca.crt | 0 .../mongodb/.evergreen/ocsp/rsa/ca.key | 0 .../mongodb/.evergreen/ocsp/rsa/ca.pem | 0 .../ocsp/rsa/mock-delegate-revoked.sh | 0 .../ocsp/rsa/mock-delegate-valid.sh | 0 .../.evergreen/ocsp/rsa/mock-revoked.sh | 0 .../mongodb/.evergreen/ocsp/rsa/mock-valid.sh | 0 .../.evergreen/ocsp/rsa/ocsp-responder.crt | 0 .../.evergreen/ocsp/rsa/ocsp-responder.key | 0 .../rsa/server-mustStaple-singleEndpoint.pem | 0 .../.evergreen/ocsp/rsa/server-mustStaple.pem | 0 .../ocsp/rsa/server-singleEndpoint.pem | 0 .../mongodb/.evergreen/ocsp/rsa/server.pem | 0 .../configs/sharded_clusters/basic.json | 0 .../.evergreen/orchestration/db/.empty | 0 .../.evergreen/orchestration/lib/client.pem | 0 .../mongodb/.evergreen/run-atlas-proxy.sh | 0 .../mongodb/.evergreen/run-orchestration.sh | 0 .../mongodb/mongodb/.evergreen/run-tests.sh | 0 .../mongodb/.evergreen/start-orchestration.sh | 0 .../mongodb/.evergreen/stop-orchestration.sh | 0 .../mongodb/.evergreen/x509gen/82e9b7a6.0 | 0 .../mongodb/.evergreen/x509gen/altname.pem | 0 .../mongodb/mongodb/.evergreen/x509gen/ca.pem | 0 .../.evergreen/x509gen/client-private.pem | 0 .../.evergreen/x509gen/client-public.pem | 0 .../mongodb/.evergreen/x509gen/client.pem | 0 .../mongodb/.evergreen/x509gen/commonName.pem | 0 .../mongodb/.evergreen/x509gen/crl.pem | 0 .../mongodb/.evergreen/x509gen/expired.pem | 0 .../.evergreen/x509gen/password_protected.pem | 0 .../mongodb/.evergreen/x509gen/server.pem | 0 .../mongodb/.evergreen/x509gen/wild.pem | 0 .../vendor/mongodb/mongodb/.gitignore | 0 .../vendor/mongodb/mongodb/.travis.yml | 0 .../vendor/mongodb/mongodb/CONTRIBUTING.md | 0 .../vendor/mongodb/mongodb/LICENSE | 0 .../vendor/mongodb/mongodb/Makefile | 0 .../vendor/mongodb/mongodb/README.md | 0 .../vendor/mongodb/mongodb/composer.json | 0 .../mongodb/mongodb/docs/.static/.mongodb | 0 .../apiargs-MongoDBClient-common-option.yaml | 0 ...Client-method-construct-driverOptions.yaml | 0 ...-MongoDBClient-method-construct-param.yaml | 0 ...t-method-createClientEncryption-param.yaml | 0 ...goDBClient-method-dropDatabase-option.yaml | 0 ...ngoDBClient-method-dropDatabase-param.yaml | 0 ...piargs-MongoDBClient-method-get-param.yaml | 0 ...oDBClient-method-listDatabases-option.yaml | 0 ...goDBClient-method-listDatabases-param.yaml | 0 ...Client-method-selectCollection-option.yaml | 0 ...BClient-method-selectCollection-param.yaml | 0 ...DBClient-method-selectDatabase-option.yaml | 0 ...oDBClient-method-selectDatabase-param.yaml | 0 ...rgs-MongoDBClient-method-watch-option.yaml | 0 ...args-MongoDBClient-method-watch-param.yaml | 0 ...iargs-MongoDBCollection-common-option.yaml | 0 ...piargs-MongoDBCollection-common-param.yaml | 0 ...oDBCollection-method-aggregate-option.yaml | 0 ...goDBCollection-method-aggregate-param.yaml | 0 ...oDBCollection-method-bulkWrite-option.yaml | 0 ...goDBCollection-method-bulkWrite-param.yaml | 0 ...oDBCollection-method-construct-option.yaml | 0 ...goDBCollection-method-construct-param.yaml | 0 ...MongoDBCollection-method-count-option.yaml | 0 ...-MongoDBCollection-method-count-param.yaml | 0 ...llection-method-countDocuments-option.yaml | 0 ...ollection-method-countDocuments-param.yaml | 0 ...BCollection-method-createIndex-option.yaml | 0 ...DBCollection-method-createIndex-param.yaml | 0 ...ollection-method-createIndexes-option.yaml | 0 ...Collection-method-createIndexes-param.yaml | 0 ...DBCollection-method-deleteMany-option.yaml | 0 ...oDBCollection-method-deleteMany-param.yaml | 0 ...oDBCollection-method-deleteOne-option.yaml | 0 ...goDBCollection-method-deleteOne-param.yaml | 0 ...goDBCollection-method-distinct-option.yaml | 0 ...ngoDBCollection-method-distinct-param.yaml | 0 ...-MongoDBCollection-method-drop-option.yaml | 0 ...s-MongoDBCollection-method-drop-param.yaml | 0 ...oDBCollection-method-dropIndex-option.yaml | 0 ...goDBCollection-method-dropIndex-param.yaml | 0 ...BCollection-method-dropIndexes-option.yaml | 0 ...DBCollection-method-dropIndexes-param.yaml | 0 ...n-method-estimateDocumentCount-option.yaml | 0 ...on-method-estimateDocumentCount-param.yaml | 0 ...ngoDBCollection-method-explain-option.yaml | 0 ...ongoDBCollection-method-explain-param.yaml | 0 ...-MongoDBCollection-method-find-option.yaml | 0 ...s-MongoDBCollection-method-find-param.yaml | 0 ...ngoDBCollection-method-findOne-option.yaml | 0 ...ongoDBCollection-method-findOne-param.yaml | 0 ...ection-method-findOneAndDelete-option.yaml | 0 ...lection-method-findOneAndDelete-param.yaml | 0 ...ction-method-findOneAndReplace-option.yaml | 0 ...ection-method-findOneAndReplace-param.yaml | 0 ...ection-method-findOneAndUpdate-option.yaml | 0 ...lection-method-findOneAndUpdate-param.yaml | 0 ...DBCollection-method-insertMany-option.yaml | 0 ...oDBCollection-method-insertMany-param.yaml | 0 ...oDBCollection-method-insertOne-option.yaml | 0 ...goDBCollection-method-insertOne-param.yaml | 0 ...BCollection-method-listIndexes-option.yaml | 0 ...DBCollection-method-listIndexes-param.yaml | 0 ...oDBCollection-method-mapReduce-option.yaml | 0 ...goDBCollection-method-mapReduce-param.yaml | 0 ...DBCollection-method-replaceOne-option.yaml | 0 ...oDBCollection-method-replaceOne-param.yaml | 0 ...DBCollection-method-updateMany-option.yaml | 0 ...oDBCollection-method-updateMany-param.yaml | 0 ...oDBCollection-method-updateOne-option.yaml | 0 ...goDBCollection-method-updateOne-param.yaml | 0 ...MongoDBCollection-method-watch-option.yaml | 0 ...-MongoDBCollection-method-watch-param.yaml | 0 ...BCollection-method-withOptions-option.yaml | 0 ...DBCollection-method-withOptions-param.yaml | 0 ...apiargs-MongoDBDatabase-common-option.yaml | 0 ...ngoDBDatabase-method-aggregate-option.yaml | 0 ...ongoDBDatabase-method-aggregate-param.yaml | 0 ...MongoDBDatabase-method-command-option.yaml | 0 ...-MongoDBDatabase-method-command-param.yaml | 0 ...ngoDBDatabase-method-construct-option.yaml | 0 ...ongoDBDatabase-method-construct-param.yaml | 0 ...tabase-method-createCollection-option.yaml | 0 ...atabase-method-createCollection-param.yaml | 0 ...gs-MongoDBDatabase-method-drop-option.yaml | 0 ...rgs-MongoDBDatabase-method-drop-param.yaml | 0 ...Database-method-dropCollection-option.yaml | 0 ...BDatabase-method-dropCollection-param.yaml | 0 ...args-MongoDBDatabase-method-get-param.yaml | 0 ...atabase-method-listCollections-option.yaml | 0 ...Database-method-listCollections-param.yaml | 0 ...tabase-method-modifyCollection-option.yaml | 0 ...atabase-method-modifyCollection-param.yaml | 0 ...tabase-method-selectCollection-option.yaml | 0 ...atabase-method-selectCollection-param.yaml | 0 ...base-method-selectGridFSBucket-option.yaml | 0 ...abase-method-selectGridFSBucket-param.yaml | 0 ...s-MongoDBDatabase-method-watch-option.yaml | 0 ...gs-MongoDBDatabase-method-watch-param.yaml | 0 ...oDBDatabase-method-withOptions-option.yaml | 0 ...goDBDatabase-method-withOptions-param.yaml | 0 ...rgs-MongoDBGridFSBucket-common-option.yaml | 0 ...args-MongoDBGridFSBucket-common-param.yaml | 0 ...BGridFSBucket-method-construct-option.yaml | 0 ...DBGridFSBucket-method-construct-param.yaml | 0 ...ngoDBGridFSBucket-method-delete-param.yaml | 0 ...SBucket-method-downloadToStream-param.yaml | 0 ...-method-downloadToStreamByName-option.yaml | 0 ...t-method-downloadToStreamByName-param.yaml | 0 ...ongoDBGridFSBucket-method-find-option.yaml | 0 ...oDBGridFSBucket-method-findOne-option.yaml | 0 ...method-getFileDocumentForStream-param.yaml | 0 ...ucket-method-getFileIdForStream-param.yaml | 0 ...ucket-method-openDownloadStream-param.yaml | 0 ...ethod-openDownloadStreamByName-option.yaml | 0 ...method-openDownloadStreamByName-param.yaml | 0 ...Bucket-method-openUploadStream-option.yaml | 0 ...SBucket-method-openUploadStream-param.yaml | 0 ...ngoDBGridFSBucket-method-rename-param.yaml | 0 ...Bucket-method-uploadFromStream-option.yaml | 0 ...SBucket-method-uploadFromStream-param.yaml | 0 .../includes/apiargs-aggregate-option.yaml | 0 .../docs/includes/apiargs-common-option.yaml | 0 .../docs/includes/apiargs-common-param.yaml | 0 ...iargs-function-with_transaction-param.yaml | 0 .../includes/apiargs-method-watch-option.yaml | 0 .../includes/apiargs-method-watch-param.yaml | 0 .../includes/extracts-bulkwriteexception.yaml | 0 .../mongodb/docs/includes/extracts-error.yaml | 0 .../mongodb/docs/includes/extracts-note.yaml | 0 .../vendor/mongodb/mongodb/docs/index.txt | 0 .../vendor/mongodb/mongodb/docs/pretty.js | 0 .../vendor/mongodb/mongodb/docs/reference.txt | 0 .../mongodb/mongodb/docs/reference/bson.txt | 0 .../docs/reference/class/MongoDBClient.txt | 0 .../reference/class/MongoDBCollection.txt | 0 .../docs/reference/class/MongoDBDatabase.txt | 0 .../reference/class/MongoDBGridFSBucket.txt | 0 .../docs/reference/enumeration-classes.txt | 0 .../docs/reference/exception-classes.txt | 0 .../reference/function/with_transaction.txt | 0 .../mongodb/docs/reference/functions.txt | 0 ...MongoDBBulkWriteResult-getDeletedCount.txt | 0 ...ongoDBBulkWriteResult-getInsertedCount.txt | 0 .../MongoDBBulkWriteResult-getInsertedIds.txt | 0 ...MongoDBBulkWriteResult-getMatchedCount.txt | 0 ...ongoDBBulkWriteResult-getModifiedCount.txt | 0 ...ongoDBBulkWriteResult-getUpsertedCount.txt | 0 .../MongoDBBulkWriteResult-getUpsertedIds.txt | 0 .../MongoDBBulkWriteResult-isAcknowledged.txt | 0 .../method/MongoDBChangeStream-current.txt | 0 .../MongoDBChangeStream-getCursorId.txt | 0 .../MongoDBChangeStream-getResumeToken.txt | 0 .../method/MongoDBChangeStream-key.txt | 0 .../method/MongoDBChangeStream-next.txt | 0 .../method/MongoDBChangeStream-rewind.txt | 0 .../method/MongoDBChangeStream-valid.txt | 0 .../MongoDBClient-createClientEncryption.txt | 0 .../method/MongoDBClient-dropDatabase.txt | 0 .../method/MongoDBClient-getManager.txt | 0 .../method/MongoDBClient-getReadConcern.txt | 0 .../MongoDBClient-getReadPreference.txt | 0 .../method/MongoDBClient-getTypeMap.txt | 0 .../method/MongoDBClient-getWriteConcern.txt | 0 .../MongoDBClient-listDatabaseNames.txt | 0 .../method/MongoDBClient-listDatabases.txt | 0 .../method/MongoDBClient-selectCollection.txt | 0 .../method/MongoDBClient-selectDatabase.txt | 0 .../method/MongoDBClient-startSession.txt | 0 .../reference/method/MongoDBClient-watch.txt | 0 .../method/MongoDBClient__construct.txt | 0 .../reference/method/MongoDBClient__get.txt | 0 .../method/MongoDBCollection-aggregate.txt | 0 .../method/MongoDBCollection-bulkWrite.txt | 0 .../method/MongoDBCollection-count.txt | 0 .../MongoDBCollection-countDocuments.txt | 0 .../method/MongoDBCollection-createIndex.txt | 0 .../MongoDBCollection-createIndexes.txt | 0 .../method/MongoDBCollection-deleteMany.txt | 0 .../method/MongoDBCollection-deleteOne.txt | 0 .../method/MongoDBCollection-distinct.txt | 0 .../method/MongoDBCollection-drop.txt | 0 .../method/MongoDBCollection-dropIndex.txt | 0 .../method/MongoDBCollection-dropIndexes.txt | 0 ...ngoDBCollection-estimatedDocumentCount.txt | 0 .../method/MongoDBCollection-explain.txt | 0 .../method/MongoDBCollection-find.txt | 0 .../method/MongoDBCollection-findOne.txt | 0 .../MongoDBCollection-findOneAndDelete.txt | 0 .../MongoDBCollection-findOneAndReplace.txt | 0 .../MongoDBCollection-findOneAndUpdate.txt | 0 .../MongoDBCollection-getCollectionName.txt | 0 .../MongoDBCollection-getDatabaseName.txt | 0 .../method/MongoDBCollection-getManager.txt | 0 .../method/MongoDBCollection-getNamespace.txt | 0 .../MongoDBCollection-getReadConcern.txt | 0 .../MongoDBCollection-getReadPreference.txt | 0 .../method/MongoDBCollection-getTypeMap.txt | 0 .../MongoDBCollection-getWriteConcern.txt | 0 .../method/MongoDBCollection-insertMany.txt | 0 .../method/MongoDBCollection-insertOne.txt | 0 .../method/MongoDBCollection-listIndexes.txt | 0 .../method/MongoDBCollection-mapReduce.txt | 0 .../method/MongoDBCollection-replaceOne.txt | 0 .../method/MongoDBCollection-updateMany.txt | 0 .../method/MongoDBCollection-updateOne.txt | 0 .../method/MongoDBCollection-watch.txt | 0 .../method/MongoDBCollection-withOptions.txt | 0 .../method/MongoDBCollection__construct.txt | 0 .../method/MongoDBDatabase-aggregate.txt | 0 .../method/MongoDBDatabase-command.txt | 0 .../MongoDBDatabase-createCollection.txt | 0 .../reference/method/MongoDBDatabase-drop.txt | 0 .../method/MongoDBDatabase-dropCollection.txt | 0 .../MongoDBDatabase-getDatabaseName.txt | 0 .../method/MongoDBDatabase-getManager.txt | 0 .../method/MongoDBDatabase-getReadConcern.txt | 0 .../MongoDBDatabase-getReadPreference.txt | 0 .../method/MongoDBDatabase-getTypeMap.txt | 0 .../MongoDBDatabase-getWriteConcern.txt | 0 .../MongoDBDatabase-listCollectionNames.txt | 0 .../MongoDBDatabase-listCollections.txt | 0 .../MongoDBDatabase-modifyCollection.txt | 0 .../MongoDBDatabase-selectCollection.txt | 0 .../MongoDBDatabase-selectGridFSBucket.txt | 0 .../method/MongoDBDatabase-watch.txt | 0 .../method/MongoDBDatabase-withOptions.txt | 0 .../method/MongoDBDatabase__construct.txt | 0 .../reference/method/MongoDBDatabase__get.txt | 0 .../MongoDBDeleteResult-getDeletedCount.txt | 0 .../MongoDBDeleteResult-isAcknowledged.txt | 0 .../method/MongoDBGridFSBucket-delete.txt | 0 .../MongoDBGridFSBucket-downloadToStream.txt | 0 ...oDBGridFSBucket-downloadToStreamByName.txt | 0 .../method/MongoDBGridFSBucket-drop.txt | 0 .../method/MongoDBGridFSBucket-find.txt | 0 .../method/MongoDBGridFSBucket-findOne.txt | 0 .../MongoDBGridFSBucket-getBucketName.txt | 0 .../MongoDBGridFSBucket-getChunkSizeBytes.txt | 0 ...ongoDBGridFSBucket-getChunksCollection.txt | 0 .../MongoDBGridFSBucket-getDatabaseName.txt | 0 ...BGridFSBucket-getFileDocumentForStream.txt | 0 ...MongoDBGridFSBucket-getFileIdForStream.txt | 0 ...MongoDBGridFSBucket-getFilesCollection.txt | 0 .../MongoDBGridFSBucket-getReadConcern.txt | 0 .../MongoDBGridFSBucket-getReadPreference.txt | 0 .../method/MongoDBGridFSBucket-getTypeMap.txt | 0 .../MongoDBGridFSBucket-getWriteConcern.txt | 0 ...MongoDBGridFSBucket-openDownloadStream.txt | 0 ...BGridFSBucket-openDownloadStreamByName.txt | 0 .../MongoDBGridFSBucket-openUploadStream.txt | 0 .../method/MongoDBGridFSBucket-rename.txt | 0 .../MongoDBGridFSBucket-uploadFromStream.txt | 0 .../method/MongoDBGridFSBucket__construct.txt | 0 ...ngoDBInsertManyResult-getInsertedCount.txt | 0 ...MongoDBInsertManyResult-getInsertedIds.txt | 0 ...MongoDBInsertManyResult-isAcknowledged.txt | 0 ...ongoDBInsertOneResult-getInsertedCount.txt | 0 .../MongoDBInsertOneResult-getInsertedId.txt | 0 .../MongoDBInsertOneResult-isAcknowledged.txt | 0 .../MongoDBMapReduceResult-getCounts.txt | 0 ...goDBMapReduceResult-getExecutionTimeMS.txt | 0 .../MongoDBMapReduceResult-getIterator.txt | 0 .../MongoDBMapReduceResult-getTiming.txt | 0 ...ongoDBModelCollectionInfo-getCappedMax.txt | 0 ...ngoDBModelCollectionInfo-getCappedSize.txt | 0 .../MongoDBModelCollectionInfo-getName.txt | 0 .../MongoDBModelCollectionInfo-getOptions.txt | 0 .../MongoDBModelCollectionInfo-isCapped.txt | 0 .../MongoDBModelDatabaseInfo-getName.txt | 0 ...MongoDBModelDatabaseInfo-getSizeOnDisk.txt | 0 .../MongoDBModelDatabaseInfo-isEmpty.txt | 0 .../method/MongoDBModelIndexInfo-getKey.txt | 0 .../method/MongoDBModelIndexInfo-getName.txt | 0 .../MongoDBModelIndexInfo-getNamespace.txt | 0 .../MongoDBModelIndexInfo-getVersion.txt | 0 .../MongoDBModelIndexInfo-is2dSphere.txt | 0 .../MongoDBModelIndexInfo-isGeoHaystack.txt | 0 .../method/MongoDBModelIndexInfo-isSparse.txt | 0 .../method/MongoDBModelIndexInfo-isText.txt | 0 .../method/MongoDBModelIndexInfo-isTtl.txt | 0 .../method/MongoDBModelIndexInfo-isUnique.txt | 0 .../MongoDBUpdateResult-getMatchedCount.txt | 0 .../MongoDBUpdateResult-getModifiedCount.txt | 0 .../MongoDBUpdateResult-getUpsertedCount.txt | 0 .../MongoDBUpdateResult-getUpsertedId.txt | 0 .../MongoDBUpdateResult-isAcknowledged.txt | 0 .../mongodb/docs/reference/result-classes.txt | 0 .../docs/reference/write-result-classes.txt | 0 .../vendor/mongodb/mongodb/docs/tutorial.txt | 0 .../docs/tutorial/client-side-encryption.txt | 0 .../mongodb/docs/tutorial/collation.txt | 0 .../mongodb/docs/tutorial/commands.txt | 0 .../mongodb/mongodb/docs/tutorial/crud.txt | 0 .../mongodb/docs/tutorial/custom-types.txt | 0 .../mongodb/docs/tutorial/decimal128.txt | 0 .../mongodb/docs/tutorial/example-data.txt | 0 .../mongodb/mongodb/docs/tutorial/gridfs.txt | 0 .../mongodb/mongodb/docs/tutorial/indexes.txt | 0 .../docs/tutorial/install-php-library.txt | 0 .../mongodb/docs/tutorial/tailable-cursor.txt | 0 .../vendor/mongodb/mongodb/docs/upgrade.txt | 0 .../replica_sets/replicaset-old.json | 0 .../replica_sets/replicaset-one-node.json | 0 .../replica_sets/replicaset.json | 0 .../sharded_clusters/cluster.json | 0 .../sharded_clusters/cluster_replset.json | 0 .../mongodb/mongo-orchestration/ssl/ca.pem | 0 .../mongo-orchestration/ssl/client.pem | 0 .../mongodb/mongo-orchestration/ssl/crl.pem | 0 .../mongo-orchestration/ssl/server.pem | 0 .../standalone/standalone-auth.json | 0 .../standalone/standalone-old.json | 0 .../standalone/standalone-ssl.json | 0 .../standalone/standalone.json | 0 .../vendor/mongodb/mongodb/phpcs.xml.dist | 0 .../mongodb/mongodb/phpunit.evergreen.xml | 0 .../vendor/mongodb/mongodb/phpunit.xml.dist | 0 .../mongodb/mongodb/src/BulkWriteResult.php | 0 .../mongodb/mongodb/src/ChangeStream.php | 0 .../vendor/mongodb/mongodb/src/Client.php | 0 .../vendor/mongodb/mongodb/src/Collection.php | 0 .../mongodb/src/Command/ListCollections.php | 0 .../mongodb/src/Command/ListDatabases.php | 0 .../vendor/mongodb/mongodb/src/Database.php | 0 .../mongodb/mongodb/src/DeleteResult.php | 0 .../src/Exception/BadMethodCallException.php | 0 .../mongodb/src/Exception/Exception.php | 0 .../Exception/InvalidArgumentException.php | 0 .../src/Exception/ResumeTokenException.php | 0 .../src/Exception/RuntimeException.php | 0 .../Exception/UnexpectedValueException.php | 0 .../src/Exception/UnsupportedException.php | 0 .../mongodb/mongodb/src/GridFS/Bucket.php | 0 .../mongodb/src/GridFS/CollectionWrapper.php | 0 .../GridFS/Exception/CorruptFileException.php | 0 .../Exception/FileNotFoundException.php | 0 .../src/GridFS/Exception/StreamException.php | 0 .../mongodb/src/GridFS/ReadableStream.php | 0 .../mongodb/src/GridFS/StreamWrapper.php | 0 .../mongodb/src/GridFS/WritableStream.php | 0 .../mongodb/mongodb/src/InsertManyResult.php | 0 .../mongodb/mongodb/src/InsertOneResult.php | 0 .../mongodb/mongodb/src/MapReduceResult.php | 0 .../mongodb/mongodb/src/Model/BSONArray.php | 0 .../mongodb/src/Model/BSONDocument.php | 0 .../mongodb/src/Model/BSONIterator.php | 0 .../mongodb/src/Model/CachingIterator.php | 0 .../mongodb/src/Model/CallbackIterator.php | 0 .../src/Model/ChangeStreamIterator.php | 0 .../mongodb/src/Model/CollectionInfo.php | 0 .../Model/CollectionInfoCommandIterator.php | 0 .../src/Model/CollectionInfoIterator.php | 0 .../mongodb/src/Model/DatabaseInfo.php | 0 .../src/Model/DatabaseInfoIterator.php | 0 .../src/Model/DatabaseInfoLegacyIterator.php | 0 .../mongodb/mongodb/src/Model/IndexInfo.php | 0 .../mongodb/src/Model/IndexInfoIterator.php | 0 .../src/Model/IndexInfoIteratorIterator.php | 0 .../mongodb/mongodb/src/Model/IndexInput.php | 0 .../mongodb/src/Operation/Aggregate.php | 0 .../mongodb/src/Operation/BulkWrite.php | 0 .../mongodb/mongodb/src/Operation/Count.php | 0 .../mongodb/src/Operation/CountDocuments.php | 0 .../src/Operation/CreateCollection.php | 0 .../mongodb/src/Operation/CreateIndexes.php | 0 .../mongodb/src/Operation/DatabaseCommand.php | 0 .../mongodb/mongodb/src/Operation/Delete.php | 0 .../mongodb/src/Operation/DeleteMany.php | 0 .../mongodb/src/Operation/DeleteOne.php | 0 .../mongodb/src/Operation/Distinct.php | 0 .../mongodb/src/Operation/DropCollection.php | 0 .../mongodb/src/Operation/DropDatabase.php | 0 .../mongodb/src/Operation/DropIndexes.php | 0 .../src/Operation/EstimatedDocumentCount.php | 0 .../mongodb/src/Operation/Executable.php | 0 .../mongodb/mongodb/src/Operation/Explain.php | 0 .../mongodb/src/Operation/Explainable.php | 0 .../mongodb/mongodb/src/Operation/Find.php | 0 .../mongodb/src/Operation/FindAndModify.php | 0 .../mongodb/mongodb/src/Operation/FindOne.php | 0 .../src/Operation/FindOneAndDelete.php | 0 .../src/Operation/FindOneAndReplace.php | 0 .../src/Operation/FindOneAndUpdate.php | 0 .../mongodb/src/Operation/InsertMany.php | 0 .../mongodb/src/Operation/InsertOne.php | 0 .../src/Operation/ListCollectionNames.php | 0 .../mongodb/src/Operation/ListCollections.php | 0 .../src/Operation/ListDatabaseNames.php | 0 .../mongodb/src/Operation/ListDatabases.php | 0 .../mongodb/src/Operation/ListIndexes.php | 0 .../mongodb/src/Operation/MapReduce.php | 0 .../src/Operation/ModifyCollection.php | 0 .../mongodb/src/Operation/ReplaceOne.php | 0 .../mongodb/mongodb/src/Operation/Update.php | 0 .../mongodb/src/Operation/UpdateMany.php | 0 .../mongodb/src/Operation/UpdateOne.php | 0 .../mongodb/mongodb/src/Operation/Watch.php | 0 .../mongodb/src/Operation/WithTransaction.php | 0 .../mongodb/mongodb/src/UpdateResult.php | 0 .../vendor/mongodb/mongodb/src/functions.php | 0 .../mongodb/tests/ClientFunctionalTest.php | 0 .../mongodb/mongodb/tests/ClientTest.php | 0 .../Collection/CollectionFunctionalTest.php | 0 .../Collection/CrudSpecFunctionalTest.php | 0 .../tests/Collection/FunctionalTestCase.php | 0 .../spec-tests/read/aggregate-collation.json | 0 .../spec-tests/read/aggregate-out.json | 0 .../Collection/spec-tests/read/aggregate.json | 0 .../spec-tests/read/count-collation.json | 0 .../spec-tests/read/count-empty.json | 0 .../Collection/spec-tests/read/count.json | 0 .../spec-tests/read/distinct-collation.json | 0 .../Collection/spec-tests/read/distinct.json | 0 .../spec-tests/read/find-collation.json | 0 .../Collection/spec-tests/read/find.json | 0 .../write/bulkWrite-arrayFilters.json | 0 .../spec-tests/write/bulkWrite-collation.json | 0 .../spec-tests/write/bulkWrite.json | 0 .../write/deleteMany-collation.json | 0 .../spec-tests/write/deleteMany.json | 0 .../spec-tests/write/deleteOne-collation.json | 0 .../spec-tests/write/deleteOne.json | 0 .../write/findOneAndDelete-collation.json | 0 .../spec-tests/write/findOneAndDelete.json | 0 .../write/findOneAndReplace-collation.json | 0 .../write/findOneAndReplace-upsert.json | 0 .../spec-tests/write/findOneAndReplace.json | 0 .../write/findOneAndUpdate-arrayFilters.json | 0 .../write/findOneAndUpdate-collation.json | 0 .../spec-tests/write/findOneAndUpdate.json | 0 .../spec-tests/write/insertMany.json | 0 .../spec-tests/write/insertOne.json | 0 .../write/replaceOne-collation.json | 0 .../spec-tests/write/replaceOne.json | 0 .../write/updateMany-arrayFilters.json | 0 .../write/updateMany-collation.json | 0 .../spec-tests/write/updateMany.json | 0 .../write/updateOne-arrayFilters.json | 0 .../spec-tests/write/updateOne-collation.json | 0 .../spec-tests/write/updateOne.json | 0 .../tests/Command/ListCollectionsTest.php | 0 .../tests/Command/ListDatabasesTest.php | 0 .../mongodb/mongodb/tests/CommandObserver.php | 0 .../CollectionManagementFunctionalTest.php | 0 .../tests/Database/DatabaseFunctionalTest.php | 0 .../tests/Database/FunctionalTestCase.php | 0 .../tests/DocumentationExamplesTest.php | 0 .../mongodb/tests/FunctionalTestCase.php | 0 .../mongodb/mongodb/tests/FunctionsTest.php | 0 .../tests/GridFS/BucketFunctionalTest.php | 0 .../tests/GridFS/FunctionalTestCase.php | 0 .../GridFS/ReadableStreamFunctionalTest.php | 0 .../tests/GridFS/SpecFunctionalTest.php | 0 .../GridFS/StreamWrapperFunctionalTest.php | 0 .../mongodb/tests/GridFS/UnusableStream.php | 0 .../GridFS/WritableStreamFunctionalTest.php | 0 .../tests/GridFS/spec-tests/delete.json | 0 .../tests/GridFS/spec-tests/download.json | 0 .../GridFS/spec-tests/download_by_name.json | 0 .../tests/GridFS/spec-tests/upload.json | 0 .../mongodb/tests/Model/BSONArrayTest.php | 0 .../mongodb/tests/Model/BSONDocumentTest.php | 0 .../mongodb/tests/Model/BSONIteratorTest.php | 0 .../tests/Model/CachingIteratorTest.php | 0 .../tests/Model/ChangeStreamIteratorTest.php | 0 .../tests/Model/CollectionInfoTest.php | 0 .../mongodb/tests/Model/DatabaseInfoTest.php | 0 .../tests/Model/IndexInfoFunctionalTest.php | 0 .../mongodb/tests/Model/IndexInfoTest.php | 0 .../mongodb/tests/Model/IndexInputTest.php | 0 .../mongodb/tests/Model/UncloneableObject.php | 0 .../Operation/AggregateFunctionalTest.php | 0 .../mongodb/tests/Operation/AggregateTest.php | 0 .../Operation/BulkWriteFunctionalTest.php | 0 .../mongodb/tests/Operation/BulkWriteTest.php | 0 .../CountDocumentsFunctionalTest.php | 0 .../tests/Operation/CountDocumentsTest.php | 0 .../tests/Operation/CountFunctionalTest.php | 0 .../mongodb/tests/Operation/CountTest.php | 0 .../CreateCollectionFunctionalTest.php | 0 .../tests/Operation/CreateCollectionTest.php | 0 .../Operation/CreateIndexesFunctionalTest.php | 0 .../tests/Operation/CreateIndexesTest.php | 0 .../DatabaseCommandFunctionalTest.php | 0 .../tests/Operation/DatabaseCommandTest.php | 0 .../tests/Operation/DeleteFunctionalTest.php | 0 .../mongodb/tests/Operation/DeleteTest.php | 0 .../Operation/DistinctFunctionalTest.php | 0 .../mongodb/tests/Operation/DistinctTest.php | 0 .../DropCollectionFunctionalTest.php | 0 .../tests/Operation/DropCollectionTest.php | 0 .../Operation/DropDatabaseFunctionalTest.php | 0 .../tests/Operation/DropDatabaseTest.php | 0 .../Operation/DropIndexesFunctionalTest.php | 0 .../tests/Operation/DropIndexesTest.php | 0 .../Operation/EstimatedDocumentCountTest.php | 0 .../tests/Operation/ExplainFunctionalTest.php | 0 .../mongodb/tests/Operation/ExplainTest.php | 0 .../Operation/FindAndModifyFunctionalTest.php | 0 .../tests/Operation/FindAndModifyTest.php | 0 .../tests/Operation/FindFunctionalTest.php | 0 .../tests/Operation/FindOneAndDeleteTest.php | 0 .../tests/Operation/FindOneAndReplaceTest.php | 0 .../tests/Operation/FindOneAndUpdateTest.php | 0 .../tests/Operation/FindOneFunctionalTest.php | 0 .../mongodb/tests/Operation/FindTest.php | 0 .../tests/Operation/FunctionalTestCase.php | 0 .../Operation/InsertManyFunctionalTest.php | 0 .../tests/Operation/InsertManyTest.php | 0 .../Operation/InsertOneFunctionalTest.php | 0 .../mongodb/tests/Operation/InsertOneTest.php | 0 .../ListCollectionNamesFunctionalTest.php | 0 .../ListCollectionsFunctionalTest.php | 0 .../ListDatabaseNamesFunctionalTest.php | 0 .../Operation/ListDatabasesFunctionalTest.php | 0 .../Operation/ListIndexesFunctionalTest.php | 0 .../tests/Operation/ListIndexesTest.php | 0 .../Operation/MapReduceFunctionalTest.php | 0 .../mongodb/tests/Operation/MapReduceTest.php | 0 .../ModifyCollectionFunctionalTest.php | 0 .../tests/Operation/ModifyCollectionTest.php | 0 .../tests/Operation/ReplaceOneTest.php | 0 .../mongodb/tests/Operation/TestCase.php | 0 .../tests/Operation/UpdateFunctionalTest.php | 0 .../tests/Operation/UpdateManyTest.php | 0 .../mongodb/tests/Operation/UpdateOneTest.php | 0 .../mongodb/tests/Operation/UpdateTest.php | 0 .../tests/Operation/WatchFunctionalTest.php | 0 .../mongodb/tests/Operation/WatchTest.php | 0 .../mongodb/tests/PHPUnit/Functions.php | 0 .../mongodb/mongodb/tests/PedantryTest.php | 0 .../tests/SpecTests/AtlasDataLakeSpecTest.php | 0 .../tests/SpecTests/ChangeStreamsSpecTest.php | 0 .../ClientSideEncryptionSpecTest.php | 0 .../tests/SpecTests/CommandExpectations.php | 0 .../SpecTests/CommandMonitoringSpecTest.php | 0 .../mongodb/tests/SpecTests/Context.php | 0 .../mongodb/tests/SpecTests/CrudSpecTest.php | 0 .../SpecTests/DocumentsMatchConstraint.php | 0 .../DocumentsMatchConstraintTest.php | 0 .../tests/SpecTests/ErrorExpectation.php | 0 .../tests/SpecTests/FunctionalTestCase.php | 0 .../mongodb/tests/SpecTests/Operation.php | 0 .../SpecTests/PrimaryStepDownSpecTest.php | 0 .../SpecTests/ReadWriteConcernSpecTest.php | 0 .../tests/SpecTests/ResultExpectation.php | 0 .../SpecTests/RetryableReadsSpecTest.php | 0 .../SpecTests/RetryableWritesSpecTest.php | 0 .../tests/SpecTests/TransactionsSpecTest.php | 0 .../SpecTests/atlas_data_lake/aggregate.json | 0 .../estimatedDocumentCount.json | 0 .../tests/SpecTests/atlas_data_lake/find.json | 0 .../SpecTests/atlas_data_lake/getMore.json | 0 .../atlas_data_lake/listCollections.json | 0 .../atlas_data_lake/listDatabases.json | 0 .../SpecTests/atlas_data_lake/runCommand.json | 0 .../tests/SpecTests/change-streams/README.rst | 0 .../change-streams/change-streams-errors.json | 0 .../change-streams-resume-errorLabels.json | 0 .../change-streams-resume-whitelist.json | 0 .../change-streams/change-streams.json | 0 .../corpus/corpus-encrypted.json | 0 .../corpus/corpus-key-aws.json | 0 .../corpus/corpus-key-local.json | 0 .../corpus/corpus-schema.json | 0 .../client-side-encryption/corpus/corpus.json | 0 .../external/external-key.json | 0 .../external/external-schema.json | 0 .../limits/limits-doc.json | 0 .../limits/limits-key.json | 0 .../limits/limits-schema.json | 0 .../tests/aggregate.json | 0 .../tests/badQueries.json | 0 .../tests/badSchema.json | 0 .../client-side-encryption/tests/basic.json | 0 .../client-side-encryption/tests/bulk.json | 0 .../tests/bypassAutoEncryption.json | 0 .../tests/bypassedCommand.json | 0 .../client-side-encryption/tests/count.json | 0 .../tests/countDocuments.json | 0 .../client-side-encryption/tests/delete.json | 0 .../tests/distinct.json | 0 .../client-side-encryption/tests/explain.json | 0 .../client-side-encryption/tests/find.json | 0 .../tests/findOneAndDelete.json | 0 .../tests/findOneAndReplace.json | 0 .../tests/findOneAndUpdate.json | 0 .../client-side-encryption/tests/getMore.json | 0 .../client-side-encryption/tests/insert.json | 0 .../tests/keyAltName.json | 0 .../tests/localKMS.json | 0 .../tests/localSchema.json | 0 .../tests/malformedCiphertext.json | 0 .../tests/maxWireVersion.json | 0 .../tests/missingKey.json | 0 .../tests/replaceOne.json | 0 .../client-side-encryption/tests/types.json | 0 .../tests/unsupportedCommand.json | 0 .../tests/updateMany.json | 0 .../tests/updateOne.json | 0 .../command-monitoring/bulkWrite.json | 0 .../SpecTests/command-monitoring/command.json | 0 .../command-monitoring/deleteMany.json | 0 .../command-monitoring/deleteOne.json | 0 .../SpecTests/command-monitoring/find.json | 0 .../command-monitoring/insertMany.json | 0 .../command-monitoring/insertOne.json | 0 .../unacknowledgedBulkWrite.json | 0 .../command-monitoring/updateMany.json | 0 .../command-monitoring/updateOne.json | 0 .../tests/SpecTests/crud/aggregate-merge.json | 0 .../crud/aggregate-out-readConcern.json | 0 .../bulkWrite-arrayFilters-clientError.json | 0 .../crud/bulkWrite-arrayFilters.json | 0 .../bulkWrite-delete-hint-clientError.json | 0 .../bulkWrite-delete-hint-serverError.json | 0 .../SpecTests/crud/bulkWrite-delete-hint.json | 0 .../bulkWrite-update-hint-clientError.json | 0 .../bulkWrite-update-hint-serverError.json | 0 .../SpecTests/crud/bulkWrite-update-hint.json | 0 .../crud/bulkWrite-update-validation.json | 0 .../tests/SpecTests/crud/db-aggregate.json | 0 .../crud/deleteMany-hint-clientError.json | 0 .../crud/deleteMany-hint-serverError.json | 0 .../tests/SpecTests/crud/deleteMany-hint.json | 0 .../crud/deleteOne-hint-clientError.json | 0 .../crud/deleteOne-hint-serverError.json | 0 .../tests/SpecTests/crud/deleteOne-hint.json | 0 .../crud/find-allowdiskuse-clientError.json | 0 .../crud/find-allowdiskuse-serverError.json | 0 .../SpecTests/crud/find-allowdiskuse.json | 0 .../findOneAndDelete-hint-clientError.json | 0 .../findOneAndDelete-hint-serverError.json | 0 .../SpecTests/crud/findOneAndDelete-hint.json | 0 .../findOneAndReplace-hint-clientError.json | 0 .../findOneAndReplace-hint-serverError.json | 0 .../crud/findOneAndReplace-hint.json | 0 .../findOneAndUpdate-hint-clientError.json | 0 .../findOneAndUpdate-hint-serverError.json | 0 .../SpecTests/crud/findOneAndUpdate-hint.json | 0 .../tests/SpecTests/crud/replaceOne-hint.json | 0 .../SpecTests/crud/replaceOne-validation.json | 0 ...ged-bulkWrite-delete-hint-clientError.json | 0 .../unacknowledged-bulkWrite-delete-hint.json | 0 ...ged-bulkWrite-update-hint-clientError.json | 0 .../unacknowledged-bulkWrite-update-hint.json | 0 ...nowledged-deleteMany-hint-clientError.json | 0 .../crud/unacknowledged-deleteMany-hint.json | 0 ...knowledged-deleteOne-hint-clientError.json | 0 .../crud/unacknowledged-deleteOne-hint.json | 0 ...ged-findOneAndDelete-hint-clientError.json | 0 .../unacknowledged-findOneAndDelete-hint.json | 0 ...ed-findOneAndReplace-hint-clientError.json | 0 ...unacknowledged-findOneAndReplace-hint.json | 0 ...ged-findOneAndUpdate-hint-clientError.json | 0 .../unacknowledged-findOneAndUpdate-hint.json | 0 ...nowledged-replaceOne-hint-clientError.json | 0 .../crud/unacknowledged-replaceOne-hint.json | 0 ...nowledged-updateMany-hint-clientError.json | 0 .../crud/unacknowledged-updateMany-hint.json | 0 ...knowledged-updateOne-hint-clientError.json | 0 .../crud/unacknowledged-updateOne-hint.json | 0 .../crud/updateMany-hint-clientError.json | 0 .../crud/updateMany-hint-serverError.json | 0 .../tests/SpecTests/crud/updateMany-hint.json | 0 .../SpecTests/crud/updateMany-validation.json | 0 .../crud/updateOne-hint-clientError.json | 0 .../crud/updateOne-hint-serverError.json | 0 .../tests/SpecTests/crud/updateOne-hint.json | 0 .../SpecTests/crud/updateOne-validation.json | 0 .../SpecTests/crud/updateWithPipelines.json | 0 .../operation/default-write-concern-2.6.json | 0 .../operation/default-write-concern-3.2.json | 0 .../operation/default-write-concern-3.4.json | 0 .../operation/default-write-concern-4.2.json | 0 .../retryable-reads/aggregate-merge.json | 0 .../aggregate-serverErrors.json | 0 .../SpecTests/retryable-reads/aggregate.json | 0 ...angeStreams-client.watch-serverErrors.json | 0 .../changeStreams-client.watch.json | 0 ...ngeStreams-db.coll.watch-serverErrors.json | 0 .../changeStreams-db.coll.watch.json | 0 .../changeStreams-db.watch-serverErrors.json | 0 .../changeStreams-db.watch.json | 0 .../retryable-reads/count-serverErrors.json | 0 .../SpecTests/retryable-reads/count.json | 0 .../countDocuments-serverErrors.json | 0 .../retryable-reads/countDocuments.json | 0 .../distinct-serverErrors.json | 0 .../SpecTests/retryable-reads/distinct.json | 0 .../estimatedDocumentCount-serverErrors.json | 0 .../estimatedDocumentCount.json | 0 .../retryable-reads/find-serverErrors.json | 0 .../tests/SpecTests/retryable-reads/find.json | 0 .../retryable-reads/findOne-serverErrors.json | 0 .../SpecTests/retryable-reads/findOne.json | 0 .../gridfs-download-serverErrors.json | 0 .../retryable-reads/gridfs-download.json | 0 .../gridfs-downloadByName-serverErrors.json | 0 .../gridfs-downloadByName.json | 0 .../listCollectionNames-serverErrors.json | 0 .../retryable-reads/listCollectionNames.json | 0 .../listCollectionObjects-serverErrors.json | 0 .../listCollectionObjects.json | 0 .../listCollections-serverErrors.json | 0 .../retryable-reads/listCollections.json | 0 .../listDatabaseNames-serverErrors.json | 0 .../retryable-reads/listDatabaseNames.json | 0 .../listDatabaseObjects-serverErrors.json | 0 .../retryable-reads/listDatabaseObjects.json | 0 .../listDatabases-serverErrors.json | 0 .../retryable-reads/listDatabases.json | 0 .../listIndexNames-serverErrors.json | 0 .../retryable-reads/listIndexNames.json | 0 .../listIndexes-serverErrors.json | 0 .../retryable-reads/listIndexes.json | 0 .../SpecTests/retryable-reads/mapReduce.json | 0 .../bulkWrite-errorLabels.json | 0 .../bulkWrite-serverErrors.json | 0 .../SpecTests/retryable-writes/bulkWrite.json | 0 .../retryable-writes/deleteMany.json | 0 .../deleteOne-errorLabels.json | 0 .../deleteOne-serverErrors.json | 0 .../SpecTests/retryable-writes/deleteOne.json | 0 .../findOneAndDelete-errorLabels.json | 0 .../findOneAndDelete-serverErrors.json | 0 .../retryable-writes/findOneAndDelete.json | 0 .../findOneAndReplace-errorLabels.json | 0 .../findOneAndReplace-serverErrors.json | 0 .../retryable-writes/findOneAndReplace.json | 0 .../findOneAndUpdate-errorLabels.json | 0 .../findOneAndUpdate-serverErrors.json | 0 .../retryable-writes/findOneAndUpdate.json | 0 .../insertMany-errorLabels.json | 0 .../insertMany-serverErrors.json | 0 .../retryable-writes/insertMany.json | 0 .../insertOne-errorLabels.json | 0 .../insertOne-serverErrors.json | 0 .../SpecTests/retryable-writes/insertOne.json | 0 .../replaceOne-errorLabels.json | 0 .../replaceOne-serverErrors.json | 0 .../retryable-writes/replaceOne.json | 0 .../retryable-writes/updateMany.json | 0 .../updateOne-errorLabels.json | 0 .../updateOne-serverErrors.json | 0 .../SpecTests/retryable-writes/updateOne.json | 0 .../callback-aborts.json | 0 .../callback-commits.json | 0 .../callback-retry.json | 0 .../commit-retry.json | 0 .../commit-transienttransactionerror-4.2.json | 0 .../commit-transienttransactionerror.json | 0 .../commit-writeconcernerror.json | 0 .../transactions-convenient-api/commit.json | 0 .../transaction-options.json | 0 .../tests/SpecTests/transactions/abort.json | 0 .../tests/SpecTests/transactions/bulk.json | 0 .../transactions/causal-consistency.json | 0 .../tests/SpecTests/transactions/commit.json | 0 .../tests/SpecTests/transactions/count.json | 0 .../transactions/create-collection.json | 0 .../SpecTests/transactions/create-index.json | 0 .../tests/SpecTests/transactions/delete.json | 0 .../SpecTests/transactions/error-labels.json | 0 .../SpecTests/transactions/errors-client.json | 0 .../tests/SpecTests/transactions/errors.json | 0 .../transactions/findOneAndDelete.json | 0 .../transactions/findOneAndReplace.json | 0 .../transactions/findOneAndUpdate.json | 0 .../tests/SpecTests/transactions/insert.json | 0 .../SpecTests/transactions/isolation.json | 0 .../transactions/mongos-pin-auto.json | 0 .../transactions/mongos-recovery-token.json | 0 .../SpecTests/transactions/pin-mongos.json | 0 .../SpecTests/transactions/read-concern.json | 0 .../SpecTests/transactions/read-pref.json | 0 .../tests/SpecTests/transactions/reads.json | 0 .../retryable-abort-errorLabels.json | 0 .../transactions/retryable-abort.json | 0 .../retryable-commit-errorLabels.json | 0 .../transactions/retryable-commit.json | 0 .../transactions/retryable-writes.json | 0 .../SpecTests/transactions/run-command.json | 0 .../transaction-options-repl.json | 0 .../transactions/transaction-options.json | 0 .../tests/SpecTests/transactions/update.json | 0 .../SpecTests/transactions/write-concern.json | 0 .../vendor/mongodb/mongodb/tests/TestCase.php | 0 .../tests/UnifiedSpecTests/CollectionData.php | 0 .../Constraint/IsBsonType.php | 0 .../Constraint/IsBsonTypeTest.php | 0 .../UnifiedSpecTests/Constraint/Matches.php | 0 .../Constraint/MatchesTest.php | 0 .../tests/UnifiedSpecTests/Context.php | 0 .../UnifiedSpecTests/DirtySessionObserver.php | 0 .../tests/UnifiedSpecTests/EntityMap.php | 0 .../tests/UnifiedSpecTests/EventObserver.php | 0 .../tests/UnifiedSpecTests/ExpectedError.php | 0 .../tests/UnifiedSpecTests/ExpectedResult.php | 0 .../UnifiedSpecTests/FailPointObserver.php | 0 .../tests/UnifiedSpecTests/Operation.php | 0 .../UnifiedSpecTests/RunOnRequirement.php | 0 .../UnifiedSpecTests/UnifiedSpecTest.php | 0 .../mongodb/tests/UnifiedSpecTests/Util.php | 0 .../entity-bucket-database-undefined.json | 0 .../entity-collection-database-undefined.json | 0 .../entity-database-client-undefined.json | 0 .../entity-session-client-undefined.json | 0 .../returnDocument-enum-invalid.json | 0 .../valid-fail/schemaVersion-unsupported.json | 0 .../valid-pass/poc-change-streams.json | 0 .../valid-pass/poc-command-monitoring.json | 0 .../UnifiedSpecTests/valid-pass/poc-crud.json | 0 .../valid-pass/poc-gridfs.json | 0 .../valid-pass/poc-retryable-reads.json | 0 .../valid-pass/poc-retryable-writes.json | 0 .../valid-pass/poc-sessions.json | 0 .../poc-transactions-convenient-api.json | 0 .../poc-transactions-mongos-pin-auto.json | 0 .../valid-pass/poc-transactions.json | 0 .../mongodb/mongodb/tests/bootstrap.php | 0 .../vendor/symfony/polyfill-php80/LICENSE | 0 .../vendor/symfony/polyfill-php80/Php80.php | 0 .../vendor/symfony/polyfill-php80/README.md | 0 .../Resources/stubs/Attribute.php | 0 .../Resources/stubs/Stringable.php | 0 .../Resources/stubs/UnhandledMatchError.php | 0 .../Resources/stubs/ValueError.php | 0 .../symfony/polyfill-php80/bootstrap.php | 0 .../symfony/polyfill-php80/composer.json | 0 notemyprogress/sessions.php => sessions.php | 0 notemyprogress/settings.php => settings.php | 0 notemyprogress/setweeks.php => setweeks.php | 0 notemyprogress/student.php => student.php | 0 ...mification.php => student_gamification.php | 0 ...udent_sessions.php => student_sessions.php | 0 notemyprogress/styles.css => styles.css | 0 notemyprogress/teacher.php => teacher.php | 0 .../assignments.mustache | 0 .../auto_evaluation.mustache | 0 .../templates => templates}/dropout.mustache | 0 .../gamification.mustache | 0 .../templates => templates}/grades.mustache | 0 .../templates => templates}/graph.mustache | 0 .../templates => templates}/logs.mustache | 0 .../metareflexion.mustache | 0 .../navbar_popover.mustache | 0 .../templates => templates}/prueba.mustache | 0 .../templates => templates}/quiz.mustache | 0 .../templates => templates}/sessions.mustache | 0 .../templates => templates}/setweeks.mustache | 0 .../templates => templates}/student.mustache | 0 .../student_gamification.mustache | 0 .../student_planning.mustache | 0 .../student_sessions.mustache | 0 .../templates => templates}/teacher.mustache | 0 notemyprogress/version.php => version.php | 0 1498 files changed, 21 deletions(-) rename notemyprogress/.gitignore => .gitignore (100%) rename notemyprogress/LICENSE.md => LICENSE.md (100%) rename notemyprogress/ajax.php => ajax.php (100%) rename {notemyprogress/amd => amd}/build/alertify.min.js (100%) rename {notemyprogress/amd => amd}/build/alertify.min.js.map (100%) rename {notemyprogress/amd => amd}/build/assignments.min.js (100%) rename {notemyprogress/amd => amd}/build/assignments.min.js.map (100%) rename {notemyprogress/amd => amd}/build/auto_evaluation.min.js (100%) rename {notemyprogress/amd => amd}/build/axios.min.js (100%) rename {notemyprogress/amd => amd}/build/axios.min.js.map (100%) rename {notemyprogress/amd => amd}/build/chartdynamic.min.js (100%) rename {notemyprogress/amd => amd}/build/chartdynamic.min.js.map (100%) rename {notemyprogress/amd => amd}/build/chartstatic.min.js (100%) rename {notemyprogress/amd => amd}/build/chartstatic.min.js.map (100%) rename {notemyprogress/amd => amd}/build/config.min.js (100%) rename {notemyprogress/amd => amd}/build/config.min.js.map (100%) rename {notemyprogress/amd => amd}/build/datepicker.min.js (100%) rename {notemyprogress/amd => amd}/build/datepicker.min.js.map (100%) rename {notemyprogress/amd => amd}/build/draggable.min.js (100%) rename {notemyprogress/amd => amd}/build/draggable.min.js.map (100%) rename {notemyprogress/amd => amd}/build/dropout.min.js (100%) rename {notemyprogress/amd => amd}/build/dropout.min.js.map (100%) rename {notemyprogress/amd => amd}/build/emailform.min.js (100%) rename {notemyprogress/amd => amd}/build/gamification.min.js (100%) rename {notemyprogress/amd => amd}/build/grades.min.js (100%) rename {notemyprogress/amd => amd}/build/grades.min.js.map (100%) rename {notemyprogress/amd => amd}/build/graph.min.js (100%) rename {notemyprogress/amd => amd}/build/graph.min.js.map (100%) rename {notemyprogress/amd => amd}/build/helpdialog.min.js (100%) rename {notemyprogress/amd => amd}/build/helpdialog.min.js.map (100%) rename {notemyprogress/amd => amd}/build/listener.min.js (100%) rename {notemyprogress/amd => amd}/build/logs.min.js (100%) rename {notemyprogress/amd => amd}/build/metareflexion.min.js (100%) rename {notemyprogress/amd => amd}/build/modulesform.min.js (100%) rename {notemyprogress/amd => amd}/build/modulesform.min.js.map (100%) rename {notemyprogress/amd => amd}/build/moment.min.js (100%) rename {notemyprogress/amd => amd}/build/moment.min.js.map (100%) rename {notemyprogress/amd => amd}/build/momenttimezone.min.js (100%) rename {notemyprogress/amd => amd}/build/momenttimezone.min.js.map (100%) rename {notemyprogress/amd => amd}/build/pageheader.min.js (100%) rename {notemyprogress/amd => amd}/build/pageheader.min.js.map (100%) rename {notemyprogress/amd => amd}/build/pagination.min.js (100%) rename {notemyprogress/amd => amd}/build/paginationcomponent.min.js (100%) rename {notemyprogress/amd => amd}/build/prueba.min.js (100%) rename {notemyprogress/amd => amd}/build/prueba.min.js.map (100%) rename {notemyprogress/amd => amd}/build/quiz.min.js (100%) rename {notemyprogress/amd => amd}/build/quiz.min.js.map (100%) rename {notemyprogress/amd => amd}/build/sessions.min.js (100%) rename {notemyprogress/amd => amd}/build/sessions.min.js.map (100%) rename {notemyprogress/amd => amd}/build/setweeks.min.js (100%) rename {notemyprogress/amd => amd}/build/sortablejs.min.js (100%) rename {notemyprogress/amd => amd}/build/sortablejs.min.js.map (100%) rename {notemyprogress/amd => amd}/build/student.min.js (100%) rename {notemyprogress/amd => amd}/build/student.min.js.map (100%) rename {notemyprogress/amd => amd}/build/student_gamification.min.js (100%) rename {notemyprogress/amd => amd}/build/student_sessions.min.js (100%) rename {notemyprogress/amd => amd}/build/student_sessions.min.js.map (100%) rename {notemyprogress/amd => amd}/build/teacher.min.js (100%) rename {notemyprogress/amd => amd}/build/teacher.min.js.map (100%) rename {notemyprogress/amd => amd}/build/vue.min.js (100%) rename {notemyprogress/amd => amd}/build/vue.min.js.map (100%) rename {notemyprogress/amd => amd}/build/vuetify.min.js (100%) rename {notemyprogress/amd => amd}/build/vuetify.min.js.map (100%) rename {notemyprogress/amd => amd}/src/alertify.js (100%) rename {notemyprogress/amd => amd}/src/assignments.js (100%) rename {notemyprogress/amd => amd}/src/auto_evaluation.js (100%) rename {notemyprogress/amd => amd}/src/axios.js (100%) rename {notemyprogress/amd => amd}/src/chartdynamic.js (100%) rename {notemyprogress/amd => amd}/src/chartstatic.js (100%) rename {notemyprogress/amd => amd}/src/config.js (100%) rename {notemyprogress/amd => amd}/src/datepicker.js (100%) rename {notemyprogress/amd => amd}/src/draggable.js (100%) rename {notemyprogress/amd => amd}/src/dropout.js (100%) rename {notemyprogress/amd => amd}/src/emailform.js (100%) rename {notemyprogress/amd => amd}/src/gamification.js (100%) rename {notemyprogress/amd => amd}/src/grades.js (100%) rename {notemyprogress/amd => amd}/src/graph.js (100%) rename {notemyprogress/amd => amd}/src/helpdialog.js (100%) rename {notemyprogress/amd => amd}/src/logs.js (100%) rename {notemyprogress/amd => amd}/src/metareflexion.js (100%) rename {notemyprogress/amd => amd}/src/modulesform.js (100%) rename {notemyprogress/amd => amd}/src/moment.js (100%) rename {notemyprogress/amd => amd}/src/momenttimezone.js (100%) rename {notemyprogress/amd => amd}/src/pageheader.js (100%) rename {notemyprogress/amd => amd}/src/pagination.js (100%) rename {notemyprogress/amd => amd}/src/paginationcomponent.min.js (100%) rename {notemyprogress/amd => amd}/src/prueba.js (100%) rename {notemyprogress/amd => amd}/src/quiz.js (100%) rename {notemyprogress/amd => amd}/src/sessions.js (100%) rename {notemyprogress/amd => amd}/src/setweeks.js (100%) rename {notemyprogress/amd => amd}/src/sortablejs.js (100%) rename {notemyprogress/amd => amd}/src/student.js (100%) rename {notemyprogress/amd => amd}/src/student_gamification.js (100%) rename {notemyprogress/amd => amd}/src/student_planning.js (100%) rename {notemyprogress/amd => amd}/src/student_sessions.js (100%) rename {notemyprogress/amd => amd}/src/teacher.js (100%) rename {notemyprogress/amd => amd}/src/vue.js (100%) rename {notemyprogress/amd => amd}/src/vuetify.js (100%) rename notemyprogress/assignments.php => assignments.php (100%) rename notemyprogress/auto_evaluation.php => auto_evaluation.php (100%) rename {notemyprogress/classes => classes}/auto_evaluation.php (100%) rename {notemyprogress/classes => classes}/configgamification.php (100%) rename {notemyprogress/classes => classes}/configweeks.php (100%) rename {notemyprogress/classes => classes}/course_participant.php (100%) rename {notemyprogress/classes => classes}/dropout.php (100%) rename {notemyprogress/classes => classes}/email.php (100%) rename {notemyprogress/classes => classes}/event_strategy.php (100%) rename {notemyprogress/classes => classes}/external/external.php (100%) rename {notemyprogress/classes => classes}/group_manager.php (100%) rename {notemyprogress/classes => classes}/jwt/BeforeValidException.php (100%) rename {notemyprogress/classes => classes}/jwt/ExpiredException.php (100%) rename {notemyprogress/classes => classes}/jwt/JWK.php (100%) rename {notemyprogress/classes => classes}/jwt/JWT.php (100%) rename {notemyprogress/classes => classes}/jwt/SignatureInvalidException.php (100%) rename {notemyprogress/classes => classes}/lib_trait.php (100%) rename {notemyprogress/classes => classes}/log.php (100%) rename {notemyprogress/classes => classes}/logs.php (100%) rename {notemyprogress/classes => classes}/metareflexion.php (100%) rename {notemyprogress/classes => classes}/observer/observer.php (100%) rename {notemyprogress/classes => classes}/phpml/Association/Apriori.php (100%) rename {notemyprogress/classes => classes}/phpml/Association/Associator.php (100%) rename {notemyprogress/classes => classes}/phpml/Classification/Classifier.php (100%) rename {notemyprogress/classes => classes}/phpml/Classification/DecisionTree.php (100%) rename {notemyprogress/classes => classes}/phpml/Classification/DecisionTree/DecisionTreeLeaf.php (100%) rename {notemyprogress/classes => classes}/phpml/Classification/Ensemble/AdaBoost.php (100%) rename {notemyprogress/classes => classes}/phpml/Classification/Ensemble/Bagging.php (100%) rename {notemyprogress/classes => classes}/phpml/Classification/Ensemble/RandomForest.php (100%) rename {notemyprogress/classes => classes}/phpml/Classification/KNearestNeighbors.php (100%) rename {notemyprogress/classes => classes}/phpml/Classification/Linear/Adaline.php (100%) rename {notemyprogress/classes => classes}/phpml/Classification/Linear/DecisionStump.php (100%) rename {notemyprogress/classes => classes}/phpml/Classification/Linear/LogisticRegression.php (100%) rename {notemyprogress/classes => classes}/phpml/Classification/Linear/Perceptron.php (100%) rename {notemyprogress/classes => classes}/phpml/Classification/MLPClassifier.php (100%) rename {notemyprogress/classes => classes}/phpml/Classification/NaiveBayes.php (100%) rename {notemyprogress/classes => classes}/phpml/Classification/SVC.php (100%) rename {notemyprogress/classes => classes}/phpml/Classification/WeightedClassifier.php (100%) rename {notemyprogress/classes => classes}/phpml/Clustering/Clusterer.php (100%) rename {notemyprogress/classes => classes}/phpml/Clustering/DBSCAN.php (100%) rename {notemyprogress/classes => classes}/phpml/Clustering/FuzzyCMeans.php (100%) rename {notemyprogress/classes => classes}/phpml/Clustering/KMeans.php (100%) rename {notemyprogress/classes => classes}/phpml/Clustering/KMeans/Cluster.php (100%) rename {notemyprogress/classes => classes}/phpml/Clustering/KMeans/Point.php (100%) rename {notemyprogress/classes => classes}/phpml/Clustering/KMeans/Space.php (100%) rename {notemyprogress/classes => classes}/phpml/CrossValidation/RandomSplit.php (100%) rename {notemyprogress/classes => classes}/phpml/CrossValidation/Split.php (100%) rename {notemyprogress/classes => classes}/phpml/CrossValidation/StratifiedRandomSplit.php (100%) rename {notemyprogress/classes => classes}/phpml/Dataset/ArrayDataset.php (100%) rename {notemyprogress/classes => classes}/phpml/Dataset/CsvDataset.php (100%) rename {notemyprogress/classes => classes}/phpml/Dataset/Dataset.php (100%) rename {notemyprogress/classes => classes}/phpml/Dataset/Demo/GlassDataset.php (100%) rename {notemyprogress/classes => classes}/phpml/Dataset/Demo/IrisDataset.php (100%) rename {notemyprogress/classes => classes}/phpml/Dataset/Demo/WineDataset.php (100%) rename {notemyprogress/classes => classes}/phpml/Dataset/FilesDataset.php (100%) rename {notemyprogress/classes => classes}/phpml/Dataset/MnistDataset.php (100%) rename {notemyprogress/classes => classes}/phpml/Dataset/SvmDataset.php (100%) rename {notemyprogress/classes => classes}/phpml/DimensionReduction/EigenTransformerBase.php (100%) rename {notemyprogress/classes => classes}/phpml/DimensionReduction/KernelPCA.php (100%) rename {notemyprogress/classes => classes}/phpml/DimensionReduction/LDA.php (100%) rename {notemyprogress/classes => classes}/phpml/DimensionReduction/PCA.php (100%) rename {notemyprogress/classes => classes}/phpml/Estimator.php (100%) rename {notemyprogress/classes => classes}/phpml/Exception/DatasetException.php (100%) rename {notemyprogress/classes => classes}/phpml/Exception/FileException.php (100%) rename {notemyprogress/classes => classes}/phpml/Exception/InvalidArgumentException.php (100%) rename {notemyprogress/classes => classes}/phpml/Exception/InvalidOperationException.php (100%) rename {notemyprogress/classes => classes}/phpml/Exception/LibsvmCommandException.php (100%) rename {notemyprogress/classes => classes}/phpml/Exception/MatrixException.php (100%) rename {notemyprogress/classes => classes}/phpml/Exception/NormalizerException.php (100%) rename {notemyprogress/classes => classes}/phpml/Exception/SerializeException.php (100%) rename {notemyprogress/classes => classes}/phpml/FeatureExtraction/StopWords.php (100%) rename {notemyprogress/classes => classes}/phpml/FeatureExtraction/StopWords/English.php (100%) rename {notemyprogress/classes => classes}/phpml/FeatureExtraction/StopWords/French.php (100%) rename {notemyprogress/classes => classes}/phpml/FeatureExtraction/StopWords/Polish.php (100%) rename {notemyprogress/classes => classes}/phpml/FeatureExtraction/StopWords/Russian.php (100%) rename {notemyprogress/classes => classes}/phpml/FeatureExtraction/TfIdfTransformer.php (100%) rename {notemyprogress/classes => classes}/phpml/FeatureExtraction/TokenCountVectorizer.php (100%) rename {notemyprogress/classes => classes}/phpml/FeatureSelection/ScoringFunction.php (100%) rename {notemyprogress/classes => classes}/phpml/FeatureSelection/ScoringFunction/ANOVAFValue.php (100%) rename {notemyprogress/classes => classes}/phpml/FeatureSelection/ScoringFunction/UnivariateLinearRegression.php (100%) rename {notemyprogress/classes => classes}/phpml/FeatureSelection/SelectKBest.php (100%) rename {notemyprogress/classes => classes}/phpml/FeatureSelection/VarianceThreshold.php (100%) rename {notemyprogress/classes => classes}/phpml/FeatureUnion.php (100%) rename {notemyprogress/classes => classes}/phpml/Helper/OneVsRest.php (100%) rename {notemyprogress/classes => classes}/phpml/Helper/Optimizer/ConjugateGradient.php (100%) rename {notemyprogress/classes => classes}/phpml/Helper/Optimizer/GD.php (100%) rename {notemyprogress/classes => classes}/phpml/Helper/Optimizer/Optimizer.php (100%) rename {notemyprogress/classes => classes}/phpml/Helper/Optimizer/StochasticGD.php (100%) rename {notemyprogress/classes => classes}/phpml/Helper/Predictable.php (100%) rename {notemyprogress/classes => classes}/phpml/Helper/Trainable.php (100%) rename {notemyprogress/classes => classes}/phpml/IncrementalEstimator.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Comparison.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Distance.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Distance/Chebyshev.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Distance/Distance.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Distance/Euclidean.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Distance/Manhattan.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Distance/Minkowski.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Kernel.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Kernel/RBF.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/LinearAlgebra/EigenvalueDecomposition.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/LinearAlgebra/LUDecomposition.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Matrix.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Product.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Set.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Statistic/ANOVA.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Statistic/Correlation.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Statistic/Covariance.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Statistic/Gaussian.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Statistic/Mean.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Statistic/StandardDeviation.php (100%) rename {notemyprogress/classes => classes}/phpml/Math/Statistic/Variance.php (100%) rename {notemyprogress/classes => classes}/phpml/Metric/Accuracy.php (100%) rename {notemyprogress/classes => classes}/phpml/Metric/ClassificationReport.php (100%) rename {notemyprogress/classes => classes}/phpml/Metric/ConfusionMatrix.php (100%) rename {notemyprogress/classes => classes}/phpml/Metric/Regression.php (100%) rename {notemyprogress/classes => classes}/phpml/ModelManager.php (100%) rename {notemyprogress/classes => classes}/phpml/NeuralNetwork/ActivationFunction.php (100%) rename {notemyprogress/classes => classes}/phpml/NeuralNetwork/ActivationFunction/BinaryStep.php (100%) rename {notemyprogress/classes => classes}/phpml/NeuralNetwork/ActivationFunction/Gaussian.php (100%) rename {notemyprogress/classes => classes}/phpml/NeuralNetwork/ActivationFunction/HyperbolicTangent.php (100%) rename {notemyprogress/classes => classes}/phpml/NeuralNetwork/ActivationFunction/PReLU.php (100%) rename {notemyprogress/classes => classes}/phpml/NeuralNetwork/ActivationFunction/Sigmoid.php (100%) rename {notemyprogress/classes => classes}/phpml/NeuralNetwork/ActivationFunction/ThresholdedReLU.php (100%) rename {notemyprogress/classes => classes}/phpml/NeuralNetwork/Layer.php (100%) rename {notemyprogress/classes => classes}/phpml/NeuralNetwork/Network.php (100%) rename {notemyprogress/classes => classes}/phpml/NeuralNetwork/Network/LayeredNetwork.php (100%) rename {notemyprogress/classes => classes}/phpml/NeuralNetwork/Network/MultilayerPerceptron.php (100%) rename {notemyprogress/classes => classes}/phpml/NeuralNetwork/Node.php (100%) rename {notemyprogress/classes => classes}/phpml/NeuralNetwork/Node/Bias.php (100%) rename {notemyprogress/classes => classes}/phpml/NeuralNetwork/Node/Input.php (100%) rename {notemyprogress/classes => classes}/phpml/NeuralNetwork/Node/Neuron.php (100%) rename {notemyprogress/classes => classes}/phpml/NeuralNetwork/Node/Neuron/Synapse.php (100%) rename {notemyprogress/classes => classes}/phpml/NeuralNetwork/Training/Backpropagation.php (100%) rename {notemyprogress/classes => classes}/phpml/NeuralNetwork/Training/Backpropagation/Sigma.php (100%) rename {notemyprogress/classes => classes}/phpml/Pipeline.php (100%) rename {notemyprogress/classes => classes}/phpml/Preprocessing/ColumnFilter.php (100%) rename {notemyprogress/classes => classes}/phpml/Preprocessing/Imputer.php (100%) rename {notemyprogress/classes => classes}/phpml/Preprocessing/Imputer/Strategy.php (100%) rename {notemyprogress/classes => classes}/phpml/Preprocessing/Imputer/Strategy/MeanStrategy.php (100%) rename {notemyprogress/classes => classes}/phpml/Preprocessing/Imputer/Strategy/MedianStrategy.php (100%) rename {notemyprogress/classes => classes}/phpml/Preprocessing/Imputer/Strategy/MostFrequentStrategy.php (100%) rename {notemyprogress/classes => classes}/phpml/Preprocessing/LabelEncoder.php (100%) rename {notemyprogress/classes => classes}/phpml/Preprocessing/LambdaTransformer.php (100%) rename {notemyprogress/classes => classes}/phpml/Preprocessing/Normalizer.php (100%) rename {notemyprogress/classes => classes}/phpml/Preprocessing/NumberConverter.php (100%) rename {notemyprogress/classes => classes}/phpml/Preprocessing/OneHotEncoder.php (100%) rename {notemyprogress/classes => classes}/phpml/Preprocessing/Preprocessor.php (100%) rename {notemyprogress/classes => classes}/phpml/Regression/LeastSquares.php (100%) rename {notemyprogress/classes => classes}/phpml/Regression/Regression.php (100%) rename {notemyprogress/classes => classes}/phpml/Regression/SVR.php (100%) rename {notemyprogress/classes => classes}/phpml/SupportVectorMachine/DataTransformer.php (100%) rename {notemyprogress/classes => classes}/phpml/SupportVectorMachine/Kernel.php (100%) rename {notemyprogress/classes => classes}/phpml/SupportVectorMachine/SupportVectorMachine.php (100%) rename {notemyprogress/classes => classes}/phpml/SupportVectorMachine/Type.php (100%) rename {notemyprogress/classes => classes}/phpml/Tokenization/NGramTokenizer.php (100%) rename {notemyprogress/classes => classes}/phpml/Tokenization/NGramWordTokenizer.php (100%) rename {notemyprogress/classes => classes}/phpml/Tokenization/Tokenizer.php (100%) rename {notemyprogress/classes => classes}/phpml/Tokenization/WhitespaceTokenizer.php (100%) rename {notemyprogress/classes => classes}/phpml/Tokenization/WordTokenizer.php (100%) rename {notemyprogress/classes => classes}/phpml/Transformer.php (100%) rename {notemyprogress/classes => classes}/report.php (100%) rename {notemyprogress/classes => classes}/resourcetype.php (100%) rename {notemyprogress/classes => classes}/sessiongroup.php (100%) rename {notemyprogress/classes => classes}/srlog.php (100%) rename {notemyprogress/classes => classes}/student.php (100%) rename {notemyprogress/classes => classes}/task/generate_data.php (100%) rename {notemyprogress/classes => classes}/teacher.php (100%) rename {notemyprogress/css => css}/alertify.css (100%) rename {notemyprogress/css => css}/googlefonts.css (100%) rename {notemyprogress/css => css}/materialdesignicons.css (100%) rename {notemyprogress/css => css}/materialicon.css (100%) rename {notemyprogress/css => css}/quill.bubble.css (100%) rename {notemyprogress/css => css}/quill.core.css (100%) rename {notemyprogress/css => css}/quill.snow.css (100%) rename {notemyprogress/css => css}/vuetify.css (100%) rename {notemyprogress/db => db}/access.php (100%) rename {notemyprogress/db => db}/events.php (100%) rename {notemyprogress/db => db}/install.php (100%) rename {notemyprogress/db => db}/install.xml (100%) rename {notemyprogress/db => db}/services.php (100%) rename {notemyprogress/db => db}/tasks.php (100%) rename {notemyprogress/db => db}/uninstall.php (100%) rename {notemyprogress/db => db}/upgrade.php (100%) rename {notemyprogress/db => db}/upgradelib.php (100%) rename {notemyprogress/downloads => downloads}/ActivityLogsMoodle_Course2.csv (100%) rename {notemyprogress/downloads => downloads}/ActivityLogsMoodle_Course3.csv (100%) rename {notemyprogress/downloads => downloads}/ActivityLogsNMP_Course2.csv (100%) rename {notemyprogress/downloads => downloads}/ActivityLogsNMP_Course3.csv (100%) rename {notemyprogress/downloads => downloads}/Details_Informations_LogsNMP.pdf (100%) rename {notemyprogress/downloads => downloads}/README.md (100%) rename notemyprogress/dropout.php => dropout.php (100%) rename {notemyprogress/fonts => fonts}/Poppins-Medium.otf (100%) rename {notemyprogress/fonts => fonts}/Poppins-Regular.otf (100%) rename {notemyprogress/fonts => fonts}/materialdesignicons-webfont.eot (100%) rename {notemyprogress/fonts => fonts}/materialdesignicons-webfont.ttf (100%) rename {notemyprogress/fonts => fonts}/materialdesignicons-webfont.woff (100%) rename {notemyprogress/fonts => fonts}/materialdesignicons-webfont.woff2 (100%) rename notemyprogress/gamification.php => gamification.php (100%) rename notemyprogress/grades.php => grades.php (100%) rename notemyprogress/graph.php => graph.php (100%) rename {notemyprogress/img => img}/calendar.png (100%) rename {notemyprogress/img => img}/empty_char.png (100%) rename {notemyprogress/js => js}/alertify.js (100%) rename {notemyprogress/js => js}/axios.js (100%) rename {notemyprogress/js => js}/datepicker.js (100%) rename {notemyprogress/js => js}/draggable.js (100%) rename {notemyprogress/js => js}/highcharts/highcharts-3d.js (100%) rename {notemyprogress/js => js}/highcharts/highcharts-3d.js.map (100%) rename {notemyprogress/js => js}/highcharts/highcharts-3d.src.js (100%) rename {notemyprogress/js => js}/highcharts/highcharts-more.js (100%) rename {notemyprogress/js => js}/highcharts/highcharts-more.js.map (100%) rename {notemyprogress/js => js}/highcharts/highcharts-more.src.js (100%) rename {notemyprogress/js => js}/highcharts/highcharts.js (100%) rename {notemyprogress/js => js}/highcharts/highcharts.js.map (100%) rename {notemyprogress/js => js}/highcharts/highcharts.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/accessibility.js (100%) rename {notemyprogress/js => js}/highcharts/modules/accessibility.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/accessibility.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/annotations-advanced.js (100%) rename {notemyprogress/js => js}/highcharts/modules/annotations-advanced.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/annotations-advanced.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/annotations.js (100%) rename {notemyprogress/js => js}/highcharts/modules/annotations.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/annotations.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/arrow-symbols.js (100%) rename {notemyprogress/js => js}/highcharts/modules/arrow-symbols.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/arrow-symbols.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/boost-canvas.js (100%) rename {notemyprogress/js => js}/highcharts/modules/boost-canvas.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/boost-canvas.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/boost.js (100%) rename {notemyprogress/js => js}/highcharts/modules/boost.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/boost.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/broken-axis.js (100%) rename {notemyprogress/js => js}/highcharts/modules/broken-axis.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/broken-axis.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/bullet.js (100%) rename {notemyprogress/js => js}/highcharts/modules/bullet.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/bullet.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/coloraxis.js (100%) rename {notemyprogress/js => js}/highcharts/modules/coloraxis.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/coloraxis.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/current-date-indicator.js (100%) rename {notemyprogress/js => js}/highcharts/modules/current-date-indicator.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/current-date-indicator.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/cylinder.js (100%) rename {notemyprogress/js => js}/highcharts/modules/cylinder.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/cylinder.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/data.js (100%) rename {notemyprogress/js => js}/highcharts/modules/data.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/data.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/datagrouping.js (100%) rename {notemyprogress/js => js}/highcharts/modules/datagrouping.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/datagrouping.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/debugger.js (100%) rename {notemyprogress/js => js}/highcharts/modules/debugger.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/debugger.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/dependency-wheel.js (100%) rename {notemyprogress/js => js}/highcharts/modules/dependency-wheel.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/dependency-wheel.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/dotplot.js (100%) rename {notemyprogress/js => js}/highcharts/modules/dotplot.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/dotplot.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/drag-panes.js (100%) rename {notemyprogress/js => js}/highcharts/modules/drag-panes.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/drag-panes.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/draggable-points.js (100%) rename {notemyprogress/js => js}/highcharts/modules/draggable-points.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/draggable-points.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/drilldown.js (100%) rename {notemyprogress/js => js}/highcharts/modules/drilldown.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/drilldown.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/dumbbell.js (100%) rename {notemyprogress/js => js}/highcharts/modules/dumbbell.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/dumbbell.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/export-data.js (100%) rename {notemyprogress/js => js}/highcharts/modules/export-data.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/export-data.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/exporting.js (100%) rename {notemyprogress/js => js}/highcharts/modules/exporting.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/exporting.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/full-screen.js (100%) rename {notemyprogress/js => js}/highcharts/modules/full-screen.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/full-screen.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/funnel.js (100%) rename {notemyprogress/js => js}/highcharts/modules/funnel.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/funnel.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/funnel3d.js (100%) rename {notemyprogress/js => js}/highcharts/modules/funnel3d.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/funnel3d.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/gantt.js (100%) rename {notemyprogress/js => js}/highcharts/modules/gantt.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/gantt.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/grid-axis.js (100%) rename {notemyprogress/js => js}/highcharts/modules/grid-axis.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/grid-axis.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/heatmap.js (100%) rename {notemyprogress/js => js}/highcharts/modules/heatmap.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/heatmap.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/histogram-bellcurve.js (100%) rename {notemyprogress/js => js}/highcharts/modules/histogram-bellcurve.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/histogram-bellcurve.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/item-series.js (100%) rename {notemyprogress/js => js}/highcharts/modules/item-series.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/item-series.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/lollipop.js (100%) rename {notemyprogress/js => js}/highcharts/modules/lollipop.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/lollipop.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/marker-clusters.js (100%) rename {notemyprogress/js => js}/highcharts/modules/marker-clusters.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/marker-clusters.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/networkgraph.js (100%) rename {notemyprogress/js => js}/highcharts/modules/networkgraph.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/networkgraph.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/no-data-to-display.js (100%) rename {notemyprogress/js => js}/highcharts/modules/no-data-to-display.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/no-data-to-display.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/offline-exporting.js (100%) rename {notemyprogress/js => js}/highcharts/modules/offline-exporting.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/offline-exporting.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/oldie-polyfills.js (100%) rename {notemyprogress/js => js}/highcharts/modules/oldie-polyfills.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/oldie-polyfills.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/oldie.js (100%) rename {notemyprogress/js => js}/highcharts/modules/oldie.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/oldie.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/organization.js (100%) rename {notemyprogress/js => js}/highcharts/modules/organization.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/organization.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/overlapping-datalabels.js (100%) rename {notemyprogress/js => js}/highcharts/modules/overlapping-datalabels.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/overlapping-datalabels.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/parallel-coordinates.js (100%) rename {notemyprogress/js => js}/highcharts/modules/parallel-coordinates.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/parallel-coordinates.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/pareto.js (100%) rename {notemyprogress/js => js}/highcharts/modules/pareto.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/pareto.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/pathfinder.js (100%) rename {notemyprogress/js => js}/highcharts/modules/pathfinder.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/pathfinder.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/pattern-fill.js (100%) rename {notemyprogress/js => js}/highcharts/modules/pattern-fill.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/pattern-fill.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/price-indicator.js (100%) rename {notemyprogress/js => js}/highcharts/modules/price-indicator.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/price-indicator.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/pyramid3d.js (100%) rename {notemyprogress/js => js}/highcharts/modules/pyramid3d.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/pyramid3d.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/sankey.js (100%) rename {notemyprogress/js => js}/highcharts/modules/sankey.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/sankey.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/series-label.js (100%) rename {notemyprogress/js => js}/highcharts/modules/series-label.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/series-label.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/solid-gauge.js (100%) rename {notemyprogress/js => js}/highcharts/modules/solid-gauge.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/solid-gauge.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/sonification.js (100%) rename {notemyprogress/js => js}/highcharts/modules/sonification.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/sonification.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/static-scale.js (100%) rename {notemyprogress/js => js}/highcharts/modules/static-scale.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/static-scale.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/stock-tools.js (100%) rename {notemyprogress/js => js}/highcharts/modules/stock-tools.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/stock-tools.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/stock.js (100%) rename {notemyprogress/js => js}/highcharts/modules/stock.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/stock.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/streamgraph.js (100%) rename {notemyprogress/js => js}/highcharts/modules/streamgraph.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/streamgraph.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/sunburst.js (100%) rename {notemyprogress/js => js}/highcharts/modules/sunburst.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/sunburst.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/tilemap.js (100%) rename {notemyprogress/js => js}/highcharts/modules/tilemap.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/tilemap.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/timeline.js (100%) rename {notemyprogress/js => js}/highcharts/modules/timeline.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/timeline.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/treegrid.js (100%) rename {notemyprogress/js => js}/highcharts/modules/treegrid.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/treegrid.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/treemap.js (100%) rename {notemyprogress/js => js}/highcharts/modules/treemap.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/treemap.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/variable-pie.js (100%) rename {notemyprogress/js => js}/highcharts/modules/variable-pie.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/variable-pie.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/variwide.js (100%) rename {notemyprogress/js => js}/highcharts/modules/variwide.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/variwide.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/vector.js (100%) rename {notemyprogress/js => js}/highcharts/modules/vector.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/vector.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/venn.js (100%) rename {notemyprogress/js => js}/highcharts/modules/venn.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/venn.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/windbarb.js (100%) rename {notemyprogress/js => js}/highcharts/modules/windbarb.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/windbarb.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/wordcloud.js (100%) rename {notemyprogress/js => js}/highcharts/modules/wordcloud.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/wordcloud.src.js (100%) rename {notemyprogress/js => js}/highcharts/modules/xrange.js (100%) rename {notemyprogress/js => js}/highcharts/modules/xrange.js.map (100%) rename {notemyprogress/js => js}/highcharts/modules/xrange.src.js (100%) rename {notemyprogress/js => js}/moment-timezone.js (100%) rename {notemyprogress/js => js}/moment.js (100%) rename {notemyprogress/js => js}/sortablejs.js (100%) rename {notemyprogress/js => js}/vue.js (100%) rename {notemyprogress/js => js}/vuetify.js (100%) rename {notemyprogress/lang => lang}/en/local_notemyprogress.php (100%) rename {notemyprogress/lang => lang}/es/local_notemyprogress.php (100%) rename {notemyprogress/lang => lang}/fr/local_notemyprogress.php (100%) rename notemyprogress/lib.php => lib.php (100%) rename notemyprogress/locallib.php => locallib.php (100%) rename notemyprogress/logs.php => logs.php (100%) rename notemyprogress/metareflexion.php => metareflexion.php (100%) delete mode 100644 notemyprogress/README.md rename notemyprogress/notes.php => notes.php (100%) rename {notemyprogress/pix => pix}/badge.png (100%) rename {notemyprogress/pix => pix}/rankImage.png (100%) rename notemyprogress/prueba.php => prueba.php (100%) rename notemyprogress/quiz.php => quiz.php (100%) rename {notemyprogress/server => server}/composer.json (100%) rename {notemyprogress/server => server}/composer.lock (100%) rename {notemyprogress/server => server}/vendor/autoload.php (100%) rename {notemyprogress/server => server}/vendor/composer/ClassLoader.php (100%) rename {notemyprogress/server => server}/vendor/composer/InstalledVersions.php (100%) rename {notemyprogress/server => server}/vendor/composer/LICENSE (100%) rename {notemyprogress/server => server}/vendor/composer/autoload_classmap.php (100%) rename {notemyprogress/server => server}/vendor/composer/autoload_files.php (100%) rename {notemyprogress/server => server}/vendor/composer/autoload_namespaces.php (100%) rename {notemyprogress/server => server}/vendor/composer/autoload_psr4.php (100%) rename {notemyprogress/server => server}/vendor/composer/autoload_real.php (100%) rename {notemyprogress/server => server}/vendor/composer/autoload_static.php (100%) rename {notemyprogress/server => server}/vendor/composer/installed.json (100%) rename {notemyprogress/server => server}/vendor/composer/installed.php (100%) rename {notemyprogress/server => server}/vendor/composer/package-versions-deprecated/CHANGELOG.md (100%) rename {notemyprogress/server => server}/vendor/composer/package-versions-deprecated/CONTRIBUTING.md (100%) rename {notemyprogress/server => server}/vendor/composer/package-versions-deprecated/LICENSE (100%) rename {notemyprogress/server => server}/vendor/composer/package-versions-deprecated/README.md (100%) rename {notemyprogress/server => server}/vendor/composer/package-versions-deprecated/SECURITY.md (100%) rename {notemyprogress/server => server}/vendor/composer/package-versions-deprecated/composer.json (100%) rename {notemyprogress/server => server}/vendor/composer/package-versions-deprecated/composer.lock (100%) rename {notemyprogress/server => server}/vendor/composer/package-versions-deprecated/phpcs.xml.dist (100%) rename {notemyprogress/server => server}/vendor/composer/package-versions-deprecated/src/PackageVersions/FallbackVersions.php (100%) rename {notemyprogress/server => server}/vendor/composer/package-versions-deprecated/src/PackageVersions/Installer.php (100%) rename {notemyprogress/server => server}/vendor/composer/package-versions-deprecated/src/PackageVersions/Versions.php (100%) rename {notemyprogress/server => server}/vendor/composer/platform_check.php (100%) rename {notemyprogress/server => server}/vendor/jean85/pretty-package-versions/.github/workflows/tests.yaml (100%) rename {notemyprogress/server => server}/vendor/jean85/pretty-package-versions/LICENSE (100%) rename {notemyprogress/server => server}/vendor/jean85/pretty-package-versions/codecov.yml (100%) rename {notemyprogress/server => server}/vendor/jean85/pretty-package-versions/composer.json (100%) rename {notemyprogress/server => server}/vendor/jean85/pretty-package-versions/src/PrettyVersions.php (100%) rename {notemyprogress/server => server}/vendor/jean85/pretty-package-versions/src/Version.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/auth_aws/README.md (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_assume_role.js (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_ec2.js (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_ecs.js (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_regular_aws.js (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/aws_assign_instance_profile.py (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/aws_assume_role.py (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/aws_e2e_lib.js (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/container_tester.py (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/ecs_hosted_test.js (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/ecs_hosted_test.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/compile-unix.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/compile-windows.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/compile.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/config.yml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/config/php.ini (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/download-mongodb.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/generate_task_config.py (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/install-dependencies.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/make-docs.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/make-release.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/README.md (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/certs.yml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ca.crt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ca.key (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ca.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-delegate-revoked.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-delegate-valid.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-revoked.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-valid.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ocsp-responder.crt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ocsp-responder.key (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/rename.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server-mustStaple-singleEndpoint.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server-mustStaple.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server-singleEndpoint.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/mock-ocsp-responder-requirements.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/mock_ocsp_responder.py (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/ocsp_mock.py (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ca.crt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ca.key (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ca.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-delegate-revoked.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-delegate-valid.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-revoked.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-valid.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ocsp-responder.crt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ocsp-responder.key (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server-mustStaple-singleEndpoint.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server-mustStaple.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server-singleEndpoint.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/orchestration/configs/sharded_clusters/basic.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/orchestration/db/.empty (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/orchestration/lib/client.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/run-atlas-proxy.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/run-orchestration.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/run-tests.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/start-orchestration.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/stop-orchestration.sh (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/x509gen/82e9b7a6.0 (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/x509gen/altname.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/x509gen/ca.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/x509gen/client-private.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/x509gen/client-public.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/x509gen/client.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/x509gen/commonName.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/x509gen/crl.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/x509gen/expired.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/x509gen/password_protected.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/x509gen/server.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.evergreen/x509gen/wild.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.gitignore (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/.travis.yml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/CONTRIBUTING.md (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/LICENSE (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/Makefile (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/README.md (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/composer.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/.static/.mongodb (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-common-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-construct-driverOptions.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-construct-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-createClientEncryption-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-dropDatabase-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-dropDatabase-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-get-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-listDatabases-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-listDatabases-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectCollection-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectCollection-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectDatabase-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectDatabase-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-watch-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-watch-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-common-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-common-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-aggregate-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-aggregate-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-bulkWrite-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-bulkWrite-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-construct-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-construct-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-count-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-count-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-countDocuments-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-countDocuments-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndex-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndex-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndexes-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndexes-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteMany-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteMany-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteOne-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteOne-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-distinct-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-distinct-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-drop-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-drop-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndex-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndex-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndexes-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndexes-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-estimateDocumentCount-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-estimateDocumentCount-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-explain-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-explain-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-find-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-find-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOne-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOne-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndDelete-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndDelete-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndReplace-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndReplace-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndUpdate-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndUpdate-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertMany-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertMany-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertOne-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertOne-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-listIndexes-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-listIndexes-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-mapReduce-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-mapReduce-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-replaceOne-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-replaceOne-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateMany-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateMany-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateOne-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateOne-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-watch-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-watch-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-withOptions-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-withOptions-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-common-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-aggregate-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-aggregate-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-command-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-command-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-construct-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-construct-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-createCollection-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-createCollection-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-drop-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-drop-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-dropCollection-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-dropCollection-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-get-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-listCollections-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-listCollections-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-modifyCollection-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-modifyCollection-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectCollection-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectCollection-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectGridFSBucket-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectGridFSBucket-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-watch-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-watch-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-withOptions-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-withOptions-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-common-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-common-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-construct-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-construct-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-delete-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-downloadToStream-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-downloadToStreamByName-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-downloadToStreamByName-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-find-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-findOne-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-getFileDocumentForStream-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-getFileIdForStream-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openDownloadStream-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openDownloadStreamByName-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openDownloadStreamByName-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openUploadStream-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openUploadStream-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-rename-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-uploadFromStream-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-uploadFromStream-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-aggregate-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-common-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-common-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-function-with_transaction-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-method-watch-option.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/apiargs-method-watch-param.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/extracts-bulkwriteexception.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/extracts-error.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/includes/extracts-note.yaml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/index.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/pretty.js (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/bson.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/class/MongoDBClient.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/class/MongoDBCollection.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/class/MongoDBDatabase.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/class/MongoDBGridFSBucket.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/enumeration-classes.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/exception-classes.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/function/with_transaction.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/functions.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getDeletedCount.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getInsertedCount.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getInsertedIds.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getMatchedCount.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getModifiedCount.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getUpsertedCount.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getUpsertedIds.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-isAcknowledged.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-current.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-getCursorId.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-getResumeToken.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-key.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-next.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-rewind.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-valid.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-createClientEncryption.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-dropDatabase.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getManager.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getReadConcern.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getReadPreference.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getTypeMap.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getWriteConcern.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-listDatabaseNames.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-listDatabases.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-selectCollection.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-selectDatabase.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-startSession.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-watch.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient__construct.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient__get.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-aggregate.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-bulkWrite.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-count.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-countDocuments.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-createIndex.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-createIndexes.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-deleteMany.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-deleteOne.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-distinct.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-drop.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-dropIndex.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-dropIndexes.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-estimatedDocumentCount.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-explain.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-find.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOne.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOneAndDelete.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOneAndReplace.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOneAndUpdate.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getCollectionName.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getDatabaseName.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getManager.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getNamespace.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getReadConcern.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getReadPreference.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getTypeMap.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getWriteConcern.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-insertMany.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-insertOne.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-listIndexes.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-mapReduce.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-replaceOne.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-updateMany.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-updateOne.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-watch.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-withOptions.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection__construct.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-aggregate.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-command.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-createCollection.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-drop.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-dropCollection.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getDatabaseName.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getManager.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getReadConcern.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getReadPreference.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getTypeMap.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getWriteConcern.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-listCollectionNames.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-listCollections.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-modifyCollection.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-selectCollection.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-selectGridFSBucket.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-watch.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-withOptions.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase__construct.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase__get.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDeleteResult-getDeletedCount.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBDeleteResult-isAcknowledged.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-delete.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-downloadToStream.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-downloadToStreamByName.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-drop.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-find.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-findOne.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getBucketName.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getChunkSizeBytes.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getChunksCollection.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getDatabaseName.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getFileDocumentForStream.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getFileIdForStream.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getFilesCollection.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getReadConcern.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getReadPreference.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getTypeMap.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getWriteConcern.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-openDownloadStream.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-openDownloadStreamByName.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-openUploadStream.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-rename.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-uploadFromStream.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket__construct.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertManyResult-getInsertedCount.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertManyResult-getInsertedIds.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertManyResult-isAcknowledged.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertOneResult-getInsertedCount.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertOneResult-getInsertedId.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertOneResult-isAcknowledged.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getCounts.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getExecutionTimeMS.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getIterator.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getTiming.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getCappedMax.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getCappedSize.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getName.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getOptions.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-isCapped.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelDatabaseInfo-getName.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelDatabaseInfo-getSizeOnDisk.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelDatabaseInfo-isEmpty.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getKey.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getName.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getNamespace.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getVersion.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-is2dSphere.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isGeoHaystack.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isSparse.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isText.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isTtl.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isUnique.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getMatchedCount.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getModifiedCount.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getUpsertedCount.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getUpsertedId.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-isAcknowledged.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/result-classes.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/reference/write-result-classes.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/tutorial.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/tutorial/client-side-encryption.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/tutorial/collation.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/tutorial/commands.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/tutorial/crud.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/tutorial/custom-types.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/tutorial/decimal128.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/tutorial/example-data.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/tutorial/gridfs.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/tutorial/indexes.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/tutorial/install-php-library.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/tutorial/tailable-cursor.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/docs/upgrade.txt (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/mongo-orchestration/replica_sets/replicaset-old.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/mongo-orchestration/replica_sets/replicaset-one-node.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/mongo-orchestration/replica_sets/replicaset.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/mongo-orchestration/sharded_clusters/cluster.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/mongo-orchestration/sharded_clusters/cluster_replset.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/mongo-orchestration/ssl/ca.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/mongo-orchestration/ssl/client.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/mongo-orchestration/ssl/crl.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/mongo-orchestration/ssl/server.pem (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone-auth.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone-old.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone-ssl.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/phpcs.xml.dist (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/phpunit.evergreen.xml (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/phpunit.xml.dist (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/BulkWriteResult.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/ChangeStream.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Client.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Collection.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Command/ListCollections.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Command/ListDatabases.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Database.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/DeleteResult.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Exception/BadMethodCallException.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Exception/Exception.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Exception/InvalidArgumentException.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Exception/ResumeTokenException.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Exception/RuntimeException.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Exception/UnexpectedValueException.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Exception/UnsupportedException.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/GridFS/Bucket.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/GridFS/CollectionWrapper.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/GridFS/Exception/CorruptFileException.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/GridFS/Exception/FileNotFoundException.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/GridFS/Exception/StreamException.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/GridFS/ReadableStream.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/GridFS/StreamWrapper.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/GridFS/WritableStream.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/InsertManyResult.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/InsertOneResult.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/MapReduceResult.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Model/BSONArray.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Model/BSONDocument.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Model/BSONIterator.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Model/CachingIterator.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Model/CallbackIterator.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Model/ChangeStreamIterator.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Model/CollectionInfo.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Model/CollectionInfoCommandIterator.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Model/CollectionInfoIterator.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Model/DatabaseInfo.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Model/DatabaseInfoIterator.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Model/DatabaseInfoLegacyIterator.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Model/IndexInfo.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Model/IndexInfoIterator.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Model/IndexInfoIteratorIterator.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Model/IndexInput.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/Aggregate.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/BulkWrite.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/Count.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/CountDocuments.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/CreateCollection.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/CreateIndexes.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/DatabaseCommand.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/Delete.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/DeleteMany.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/DeleteOne.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/Distinct.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/DropCollection.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/DropDatabase.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/DropIndexes.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/EstimatedDocumentCount.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/Executable.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/Explain.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/Explainable.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/Find.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/FindAndModify.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/FindOne.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/FindOneAndDelete.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/FindOneAndReplace.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/FindOneAndUpdate.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/InsertMany.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/InsertOne.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/ListCollectionNames.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/ListCollections.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/ListDatabaseNames.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/ListDatabases.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/ListIndexes.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/MapReduce.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/ModifyCollection.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/ReplaceOne.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/Update.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/UpdateMany.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/UpdateOne.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/Watch.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/Operation/WithTransaction.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/UpdateResult.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/src/functions.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/ClientFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/ClientTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/CollectionFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/CrudSpecFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/FunctionalTestCase.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/aggregate-collation.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/aggregate-out.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/aggregate.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/count-collation.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/count-empty.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/count.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/distinct-collation.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/distinct.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/find-collation.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/find.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/bulkWrite-arrayFilters.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/bulkWrite-collation.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/bulkWrite.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteMany-collation.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteMany.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteOne-collation.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteOne.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndDelete-collation.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndDelete.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndReplace-collation.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndReplace-upsert.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndReplace.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndUpdate-arrayFilters.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndUpdate-collation.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndUpdate.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/insertMany.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/insertOne.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/replaceOne-collation.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/replaceOne.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateMany-arrayFilters.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateMany-collation.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateMany.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateOne-arrayFilters.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateOne-collation.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateOne.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Command/ListCollectionsTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Command/ListDatabasesTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/CommandObserver.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Database/CollectionManagementFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Database/DatabaseFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Database/FunctionalTestCase.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/DocumentationExamplesTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/FunctionalTestCase.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/FunctionsTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/GridFS/BucketFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/GridFS/FunctionalTestCase.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/GridFS/ReadableStreamFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/GridFS/SpecFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/GridFS/StreamWrapperFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/GridFS/UnusableStream.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/GridFS/WritableStreamFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/GridFS/spec-tests/delete.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/GridFS/spec-tests/download.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/GridFS/spec-tests/download_by_name.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/GridFS/spec-tests/upload.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Model/BSONArrayTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Model/BSONDocumentTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Model/BSONIteratorTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Model/CachingIteratorTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Model/ChangeStreamIteratorTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Model/CollectionInfoTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Model/DatabaseInfoTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Model/IndexInfoFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Model/IndexInfoTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Model/IndexInputTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Model/UncloneableObject.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/AggregateFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/AggregateTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/BulkWriteFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/BulkWriteTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/CountDocumentsFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/CountDocumentsTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/CountFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/CountTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/CreateCollectionFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/CreateCollectionTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/CreateIndexesFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/CreateIndexesTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/DatabaseCommandFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/DatabaseCommandTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/DeleteFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/DeleteTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/DistinctFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/DistinctTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/DropCollectionFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/DropCollectionTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/DropDatabaseFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/DropDatabaseTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/DropIndexesFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/DropIndexesTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/EstimatedDocumentCountTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/ExplainFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/ExplainTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/FindAndModifyFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/FindAndModifyTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/FindFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/FindOneAndDeleteTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/FindOneAndReplaceTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/FindOneAndUpdateTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/FindOneFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/FindTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/FunctionalTestCase.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/InsertManyFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/InsertManyTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/InsertOneFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/InsertOneTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/ListCollectionNamesFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/ListCollectionsFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/ListDatabaseNamesFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/ListDatabasesFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/ListIndexesFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/ListIndexesTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/MapReduceFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/MapReduceTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/ModifyCollectionFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/ModifyCollectionTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/ReplaceOneTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/TestCase.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/UpdateFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/UpdateManyTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/UpdateOneTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/UpdateTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/WatchFunctionalTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/Operation/WatchTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/PHPUnit/Functions.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/PedantryTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/AtlasDataLakeSpecTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/ChangeStreamsSpecTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/ClientSideEncryptionSpecTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/CommandExpectations.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/CommandMonitoringSpecTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/Context.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/CrudSpecTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/DocumentsMatchConstraint.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/DocumentsMatchConstraintTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/ErrorExpectation.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/FunctionalTestCase.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/Operation.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/PrimaryStepDownSpecTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/ReadWriteConcernSpecTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/ResultExpectation.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/RetryableReadsSpecTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/RetryableWritesSpecTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/TransactionsSpecTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/aggregate.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/estimatedDocumentCount.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/find.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/getMore.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/listCollections.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/listDatabases.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/runCommand.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/change-streams/README.rst (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams-errors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams-resume-errorLabels.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams-resume-whitelist.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-encrypted.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-key-aws.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-key-local.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-schema.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/external/external-key.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/external/external-schema.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/limits/limits-doc.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/limits/limits-key.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/limits/limits-schema.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/aggregate.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/badQueries.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/badSchema.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/basic.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/bulk.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/bypassAutoEncryption.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/bypassedCommand.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/count.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/countDocuments.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/delete.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/distinct.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/explain.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/find.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/findOneAndDelete.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/findOneAndReplace.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/findOneAndUpdate.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/getMore.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/insert.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/keyAltName.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/localKMS.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/localSchema.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/malformedCiphertext.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/maxWireVersion.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/missingKey.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/replaceOne.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/types.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/unsupportedCommand.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/updateMany.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/updateOne.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/bulkWrite.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/command.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/deleteMany.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/deleteOne.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/find.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/insertMany.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/insertOne.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/unacknowledgedBulkWrite.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/updateMany.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/updateOne.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/aggregate-merge.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/aggregate-out-readConcern.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-arrayFilters-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-arrayFilters.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-delete-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-delete-hint-serverError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-delete-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-hint-serverError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-validation.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/db-aggregate.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteMany-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteMany-hint-serverError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteMany-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteOne-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteOne-hint-serverError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteOne-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/find-allowdiskuse-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/find-allowdiskuse-serverError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/find-allowdiskuse.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndDelete-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndDelete-hint-serverError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndDelete-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndReplace-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndReplace-hint-serverError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndReplace-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndUpdate-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndUpdate-hint-serverError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndUpdate-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/replaceOne-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/replaceOne-validation.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-delete-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-delete-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-update-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-update-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteMany-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteMany-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteOne-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteOne-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndDelete-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndDelete-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndReplace-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndReplace-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndUpdate-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndUpdate-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-replaceOne-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-replaceOne-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateMany-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateMany-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateOne-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateOne-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-hint-serverError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-validation.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-hint-clientError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-hint-serverError.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-hint.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-validation.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/crud/updateWithPipelines.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-2.6.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-3.2.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-3.4.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-4.2.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/aggregate-merge.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/aggregate-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/aggregate.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-client.watch-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-client.watch.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.coll.watch-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.coll.watch.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.watch-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.watch.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/count-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/count.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/countDocuments-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/countDocuments.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/distinct-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/distinct.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/estimatedDocumentCount-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/estimatedDocumentCount.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/find-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/find.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/findOne-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/findOne.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-download-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-download.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-downloadByName-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-downloadByName.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionNames-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionNames.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionObjects-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionObjects.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollections-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollections.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseNames-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseNames.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseObjects-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseObjects.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabases-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabases.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexNames-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexNames.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexes-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexes.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/mapReduce.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/bulkWrite-errorLabels.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/bulkWrite-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/bulkWrite.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteMany.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteOne-errorLabels.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteOne-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteOne.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndDelete-errorLabels.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndDelete-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndDelete.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndReplace-errorLabels.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndReplace-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndReplace.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndUpdate-errorLabels.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndUpdate-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndUpdate.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertMany-errorLabels.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertMany-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertMany.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertOne-errorLabels.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertOne-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertOne.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/replaceOne-errorLabels.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/replaceOne-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/replaceOne.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateMany.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateOne-errorLabels.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateOne-serverErrors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateOne.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/callback-aborts.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/callback-commits.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/callback-retry.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-retry.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-transienttransactionerror-4.2.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-transienttransactionerror.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-writeconcernerror.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/transaction-options.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/abort.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/bulk.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/causal-consistency.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/commit.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/count.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/create-collection.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/create-index.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/delete.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/error-labels.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/errors-client.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/errors.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/findOneAndDelete.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/findOneAndReplace.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/findOneAndUpdate.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/insert.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/isolation.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/mongos-pin-auto.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/mongos-recovery-token.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/pin-mongos.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/read-concern.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/read-pref.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/reads.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-abort-errorLabels.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-abort.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-commit-errorLabels.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-commit.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-writes.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/run-command.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/transaction-options-repl.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/transaction-options.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/update.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/SpecTests/transactions/write-concern.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/TestCase.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/CollectionData.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/IsBsonType.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/IsBsonTypeTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/Matches.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/MatchesTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Context.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/DirtySessionObserver.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/EntityMap.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/EventObserver.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/ExpectedError.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/ExpectedResult.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/FailPointObserver.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Operation.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/RunOnRequirement.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/UnifiedSpecTest.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Util.php (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-bucket-database-undefined.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-collection-database-undefined.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-database-client-undefined.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-session-client-undefined.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/returnDocument-enum-invalid.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/schemaVersion-unsupported.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-change-streams.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-command-monitoring.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-crud.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-gridfs.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-retryable-reads.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-retryable-writes.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-sessions.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-transactions-convenient-api.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-transactions-mongos-pin-auto.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-transactions.json (100%) rename {notemyprogress/server => server}/vendor/mongodb/mongodb/tests/bootstrap.php (100%) rename {notemyprogress/server => server}/vendor/symfony/polyfill-php80/LICENSE (100%) rename {notemyprogress/server => server}/vendor/symfony/polyfill-php80/Php80.php (100%) rename {notemyprogress/server => server}/vendor/symfony/polyfill-php80/README.md (100%) rename {notemyprogress/server => server}/vendor/symfony/polyfill-php80/Resources/stubs/Attribute.php (100%) rename {notemyprogress/server => server}/vendor/symfony/polyfill-php80/Resources/stubs/Stringable.php (100%) rename {notemyprogress/server => server}/vendor/symfony/polyfill-php80/Resources/stubs/UnhandledMatchError.php (100%) rename {notemyprogress/server => server}/vendor/symfony/polyfill-php80/Resources/stubs/ValueError.php (100%) rename {notemyprogress/server => server}/vendor/symfony/polyfill-php80/bootstrap.php (100%) rename {notemyprogress/server => server}/vendor/symfony/polyfill-php80/composer.json (100%) rename notemyprogress/sessions.php => sessions.php (100%) rename notemyprogress/settings.php => settings.php (100%) rename notemyprogress/setweeks.php => setweeks.php (100%) rename notemyprogress/student.php => student.php (100%) rename notemyprogress/student_gamification.php => student_gamification.php (100%) rename notemyprogress/student_sessions.php => student_sessions.php (100%) rename notemyprogress/styles.css => styles.css (100%) rename notemyprogress/teacher.php => teacher.php (100%) rename {notemyprogress/templates => templates}/assignments.mustache (100%) rename {notemyprogress/templates => templates}/auto_evaluation.mustache (100%) rename {notemyprogress/templates => templates}/dropout.mustache (100%) rename {notemyprogress/templates => templates}/gamification.mustache (100%) rename {notemyprogress/templates => templates}/grades.mustache (100%) rename {notemyprogress/templates => templates}/graph.mustache (100%) rename {notemyprogress/templates => templates}/logs.mustache (100%) rename {notemyprogress/templates => templates}/metareflexion.mustache (100%) rename {notemyprogress/templates => templates}/navbar_popover.mustache (100%) rename {notemyprogress/templates => templates}/prueba.mustache (100%) rename {notemyprogress/templates => templates}/quiz.mustache (100%) rename {notemyprogress/templates => templates}/sessions.mustache (100%) rename {notemyprogress/templates => templates}/setweeks.mustache (100%) rename {notemyprogress/templates => templates}/student.mustache (100%) rename {notemyprogress/templates => templates}/student_gamification.mustache (100%) rename {notemyprogress/templates => templates}/student_planning.mustache (100%) rename {notemyprogress/templates => templates}/student_sessions.mustache (100%) rename {notemyprogress/templates => templates}/teacher.mustache (100%) rename notemyprogress/version.php => version.php (100%) diff --git a/notemyprogress/.gitignore b/.gitignore similarity index 100% rename from notemyprogress/.gitignore rename to .gitignore diff --git a/notemyprogress/LICENSE.md b/LICENSE.md similarity index 100% rename from notemyprogress/LICENSE.md rename to LICENSE.md diff --git a/notemyprogress/ajax.php b/ajax.php similarity index 100% rename from notemyprogress/ajax.php rename to ajax.php diff --git a/notemyprogress/amd/build/alertify.min.js b/amd/build/alertify.min.js similarity index 100% rename from notemyprogress/amd/build/alertify.min.js rename to amd/build/alertify.min.js diff --git a/notemyprogress/amd/build/alertify.min.js.map b/amd/build/alertify.min.js.map similarity index 100% rename from notemyprogress/amd/build/alertify.min.js.map rename to amd/build/alertify.min.js.map diff --git a/notemyprogress/amd/build/assignments.min.js b/amd/build/assignments.min.js similarity index 100% rename from notemyprogress/amd/build/assignments.min.js rename to amd/build/assignments.min.js diff --git a/notemyprogress/amd/build/assignments.min.js.map b/amd/build/assignments.min.js.map similarity index 100% rename from notemyprogress/amd/build/assignments.min.js.map rename to amd/build/assignments.min.js.map diff --git a/notemyprogress/amd/build/auto_evaluation.min.js b/amd/build/auto_evaluation.min.js similarity index 100% rename from notemyprogress/amd/build/auto_evaluation.min.js rename to amd/build/auto_evaluation.min.js diff --git a/notemyprogress/amd/build/axios.min.js b/amd/build/axios.min.js similarity index 100% rename from notemyprogress/amd/build/axios.min.js rename to amd/build/axios.min.js diff --git a/notemyprogress/amd/build/axios.min.js.map b/amd/build/axios.min.js.map similarity index 100% rename from notemyprogress/amd/build/axios.min.js.map rename to amd/build/axios.min.js.map diff --git a/notemyprogress/amd/build/chartdynamic.min.js b/amd/build/chartdynamic.min.js similarity index 100% rename from notemyprogress/amd/build/chartdynamic.min.js rename to amd/build/chartdynamic.min.js diff --git a/notemyprogress/amd/build/chartdynamic.min.js.map b/amd/build/chartdynamic.min.js.map similarity index 100% rename from notemyprogress/amd/build/chartdynamic.min.js.map rename to amd/build/chartdynamic.min.js.map diff --git a/notemyprogress/amd/build/chartstatic.min.js b/amd/build/chartstatic.min.js similarity index 100% rename from notemyprogress/amd/build/chartstatic.min.js rename to amd/build/chartstatic.min.js diff --git a/notemyprogress/amd/build/chartstatic.min.js.map b/amd/build/chartstatic.min.js.map similarity index 100% rename from notemyprogress/amd/build/chartstatic.min.js.map rename to amd/build/chartstatic.min.js.map diff --git a/notemyprogress/amd/build/config.min.js b/amd/build/config.min.js similarity index 100% rename from notemyprogress/amd/build/config.min.js rename to amd/build/config.min.js diff --git a/notemyprogress/amd/build/config.min.js.map b/amd/build/config.min.js.map similarity index 100% rename from notemyprogress/amd/build/config.min.js.map rename to amd/build/config.min.js.map diff --git a/notemyprogress/amd/build/datepicker.min.js b/amd/build/datepicker.min.js similarity index 100% rename from notemyprogress/amd/build/datepicker.min.js rename to amd/build/datepicker.min.js diff --git a/notemyprogress/amd/build/datepicker.min.js.map b/amd/build/datepicker.min.js.map similarity index 100% rename from notemyprogress/amd/build/datepicker.min.js.map rename to amd/build/datepicker.min.js.map diff --git a/notemyprogress/amd/build/draggable.min.js b/amd/build/draggable.min.js similarity index 100% rename from notemyprogress/amd/build/draggable.min.js rename to amd/build/draggable.min.js diff --git a/notemyprogress/amd/build/draggable.min.js.map b/amd/build/draggable.min.js.map similarity index 100% rename from notemyprogress/amd/build/draggable.min.js.map rename to amd/build/draggable.min.js.map diff --git a/notemyprogress/amd/build/dropout.min.js b/amd/build/dropout.min.js similarity index 100% rename from notemyprogress/amd/build/dropout.min.js rename to amd/build/dropout.min.js diff --git a/notemyprogress/amd/build/dropout.min.js.map b/amd/build/dropout.min.js.map similarity index 100% rename from notemyprogress/amd/build/dropout.min.js.map rename to amd/build/dropout.min.js.map diff --git a/notemyprogress/amd/build/emailform.min.js b/amd/build/emailform.min.js similarity index 100% rename from notemyprogress/amd/build/emailform.min.js rename to amd/build/emailform.min.js diff --git a/notemyprogress/amd/build/gamification.min.js b/amd/build/gamification.min.js similarity index 100% rename from notemyprogress/amd/build/gamification.min.js rename to amd/build/gamification.min.js diff --git a/notemyprogress/amd/build/grades.min.js b/amd/build/grades.min.js similarity index 100% rename from notemyprogress/amd/build/grades.min.js rename to amd/build/grades.min.js diff --git a/notemyprogress/amd/build/grades.min.js.map b/amd/build/grades.min.js.map similarity index 100% rename from notemyprogress/amd/build/grades.min.js.map rename to amd/build/grades.min.js.map diff --git a/notemyprogress/amd/build/graph.min.js b/amd/build/graph.min.js similarity index 100% rename from notemyprogress/amd/build/graph.min.js rename to amd/build/graph.min.js diff --git a/notemyprogress/amd/build/graph.min.js.map b/amd/build/graph.min.js.map similarity index 100% rename from notemyprogress/amd/build/graph.min.js.map rename to amd/build/graph.min.js.map diff --git a/notemyprogress/amd/build/helpdialog.min.js b/amd/build/helpdialog.min.js similarity index 100% rename from notemyprogress/amd/build/helpdialog.min.js rename to amd/build/helpdialog.min.js diff --git a/notemyprogress/amd/build/helpdialog.min.js.map b/amd/build/helpdialog.min.js.map similarity index 100% rename from notemyprogress/amd/build/helpdialog.min.js.map rename to amd/build/helpdialog.min.js.map diff --git a/notemyprogress/amd/build/listener.min.js b/amd/build/listener.min.js similarity index 100% rename from notemyprogress/amd/build/listener.min.js rename to amd/build/listener.min.js diff --git a/notemyprogress/amd/build/logs.min.js b/amd/build/logs.min.js similarity index 100% rename from notemyprogress/amd/build/logs.min.js rename to amd/build/logs.min.js diff --git a/notemyprogress/amd/build/metareflexion.min.js b/amd/build/metareflexion.min.js similarity index 100% rename from notemyprogress/amd/build/metareflexion.min.js rename to amd/build/metareflexion.min.js diff --git a/notemyprogress/amd/build/modulesform.min.js b/amd/build/modulesform.min.js similarity index 100% rename from notemyprogress/amd/build/modulesform.min.js rename to amd/build/modulesform.min.js diff --git a/notemyprogress/amd/build/modulesform.min.js.map b/amd/build/modulesform.min.js.map similarity index 100% rename from notemyprogress/amd/build/modulesform.min.js.map rename to amd/build/modulesform.min.js.map diff --git a/notemyprogress/amd/build/moment.min.js b/amd/build/moment.min.js similarity index 100% rename from notemyprogress/amd/build/moment.min.js rename to amd/build/moment.min.js diff --git a/notemyprogress/amd/build/moment.min.js.map b/amd/build/moment.min.js.map similarity index 100% rename from notemyprogress/amd/build/moment.min.js.map rename to amd/build/moment.min.js.map diff --git a/notemyprogress/amd/build/momenttimezone.min.js b/amd/build/momenttimezone.min.js similarity index 100% rename from notemyprogress/amd/build/momenttimezone.min.js rename to amd/build/momenttimezone.min.js diff --git a/notemyprogress/amd/build/momenttimezone.min.js.map b/amd/build/momenttimezone.min.js.map similarity index 100% rename from notemyprogress/amd/build/momenttimezone.min.js.map rename to amd/build/momenttimezone.min.js.map diff --git a/notemyprogress/amd/build/pageheader.min.js b/amd/build/pageheader.min.js similarity index 100% rename from notemyprogress/amd/build/pageheader.min.js rename to amd/build/pageheader.min.js diff --git a/notemyprogress/amd/build/pageheader.min.js.map b/amd/build/pageheader.min.js.map similarity index 100% rename from notemyprogress/amd/build/pageheader.min.js.map rename to amd/build/pageheader.min.js.map diff --git a/notemyprogress/amd/build/pagination.min.js b/amd/build/pagination.min.js similarity index 100% rename from notemyprogress/amd/build/pagination.min.js rename to amd/build/pagination.min.js diff --git a/notemyprogress/amd/build/paginationcomponent.min.js b/amd/build/paginationcomponent.min.js similarity index 100% rename from notemyprogress/amd/build/paginationcomponent.min.js rename to amd/build/paginationcomponent.min.js diff --git a/notemyprogress/amd/build/prueba.min.js b/amd/build/prueba.min.js similarity index 100% rename from notemyprogress/amd/build/prueba.min.js rename to amd/build/prueba.min.js diff --git a/notemyprogress/amd/build/prueba.min.js.map b/amd/build/prueba.min.js.map similarity index 100% rename from notemyprogress/amd/build/prueba.min.js.map rename to amd/build/prueba.min.js.map diff --git a/notemyprogress/amd/build/quiz.min.js b/amd/build/quiz.min.js similarity index 100% rename from notemyprogress/amd/build/quiz.min.js rename to amd/build/quiz.min.js diff --git a/notemyprogress/amd/build/quiz.min.js.map b/amd/build/quiz.min.js.map similarity index 100% rename from notemyprogress/amd/build/quiz.min.js.map rename to amd/build/quiz.min.js.map diff --git a/notemyprogress/amd/build/sessions.min.js b/amd/build/sessions.min.js similarity index 100% rename from notemyprogress/amd/build/sessions.min.js rename to amd/build/sessions.min.js diff --git a/notemyprogress/amd/build/sessions.min.js.map b/amd/build/sessions.min.js.map similarity index 100% rename from notemyprogress/amd/build/sessions.min.js.map rename to amd/build/sessions.min.js.map diff --git a/notemyprogress/amd/build/setweeks.min.js b/amd/build/setweeks.min.js similarity index 100% rename from notemyprogress/amd/build/setweeks.min.js rename to amd/build/setweeks.min.js diff --git a/notemyprogress/amd/build/sortablejs.min.js b/amd/build/sortablejs.min.js similarity index 100% rename from notemyprogress/amd/build/sortablejs.min.js rename to amd/build/sortablejs.min.js diff --git a/notemyprogress/amd/build/sortablejs.min.js.map b/amd/build/sortablejs.min.js.map similarity index 100% rename from notemyprogress/amd/build/sortablejs.min.js.map rename to amd/build/sortablejs.min.js.map diff --git a/notemyprogress/amd/build/student.min.js b/amd/build/student.min.js similarity index 100% rename from notemyprogress/amd/build/student.min.js rename to amd/build/student.min.js diff --git a/notemyprogress/amd/build/student.min.js.map b/amd/build/student.min.js.map similarity index 100% rename from notemyprogress/amd/build/student.min.js.map rename to amd/build/student.min.js.map diff --git a/notemyprogress/amd/build/student_gamification.min.js b/amd/build/student_gamification.min.js similarity index 100% rename from notemyprogress/amd/build/student_gamification.min.js rename to amd/build/student_gamification.min.js diff --git a/notemyprogress/amd/build/student_sessions.min.js b/amd/build/student_sessions.min.js similarity index 100% rename from notemyprogress/amd/build/student_sessions.min.js rename to amd/build/student_sessions.min.js diff --git a/notemyprogress/amd/build/student_sessions.min.js.map b/amd/build/student_sessions.min.js.map similarity index 100% rename from notemyprogress/amd/build/student_sessions.min.js.map rename to amd/build/student_sessions.min.js.map diff --git a/notemyprogress/amd/build/teacher.min.js b/amd/build/teacher.min.js similarity index 100% rename from notemyprogress/amd/build/teacher.min.js rename to amd/build/teacher.min.js diff --git a/notemyprogress/amd/build/teacher.min.js.map b/amd/build/teacher.min.js.map similarity index 100% rename from notemyprogress/amd/build/teacher.min.js.map rename to amd/build/teacher.min.js.map diff --git a/notemyprogress/amd/build/vue.min.js b/amd/build/vue.min.js similarity index 100% rename from notemyprogress/amd/build/vue.min.js rename to amd/build/vue.min.js diff --git a/notemyprogress/amd/build/vue.min.js.map b/amd/build/vue.min.js.map similarity index 100% rename from notemyprogress/amd/build/vue.min.js.map rename to amd/build/vue.min.js.map diff --git a/notemyprogress/amd/build/vuetify.min.js b/amd/build/vuetify.min.js similarity index 100% rename from notemyprogress/amd/build/vuetify.min.js rename to amd/build/vuetify.min.js diff --git a/notemyprogress/amd/build/vuetify.min.js.map b/amd/build/vuetify.min.js.map similarity index 100% rename from notemyprogress/amd/build/vuetify.min.js.map rename to amd/build/vuetify.min.js.map diff --git a/notemyprogress/amd/src/alertify.js b/amd/src/alertify.js similarity index 100% rename from notemyprogress/amd/src/alertify.js rename to amd/src/alertify.js diff --git a/notemyprogress/amd/src/assignments.js b/amd/src/assignments.js similarity index 100% rename from notemyprogress/amd/src/assignments.js rename to amd/src/assignments.js diff --git a/notemyprogress/amd/src/auto_evaluation.js b/amd/src/auto_evaluation.js similarity index 100% rename from notemyprogress/amd/src/auto_evaluation.js rename to amd/src/auto_evaluation.js diff --git a/notemyprogress/amd/src/axios.js b/amd/src/axios.js similarity index 100% rename from notemyprogress/amd/src/axios.js rename to amd/src/axios.js diff --git a/notemyprogress/amd/src/chartdynamic.js b/amd/src/chartdynamic.js similarity index 100% rename from notemyprogress/amd/src/chartdynamic.js rename to amd/src/chartdynamic.js diff --git a/notemyprogress/amd/src/chartstatic.js b/amd/src/chartstatic.js similarity index 100% rename from notemyprogress/amd/src/chartstatic.js rename to amd/src/chartstatic.js diff --git a/notemyprogress/amd/src/config.js b/amd/src/config.js similarity index 100% rename from notemyprogress/amd/src/config.js rename to amd/src/config.js diff --git a/notemyprogress/amd/src/datepicker.js b/amd/src/datepicker.js similarity index 100% rename from notemyprogress/amd/src/datepicker.js rename to amd/src/datepicker.js diff --git a/notemyprogress/amd/src/draggable.js b/amd/src/draggable.js similarity index 100% rename from notemyprogress/amd/src/draggable.js rename to amd/src/draggable.js diff --git a/notemyprogress/amd/src/dropout.js b/amd/src/dropout.js similarity index 100% rename from notemyprogress/amd/src/dropout.js rename to amd/src/dropout.js diff --git a/notemyprogress/amd/src/emailform.js b/amd/src/emailform.js similarity index 100% rename from notemyprogress/amd/src/emailform.js rename to amd/src/emailform.js diff --git a/notemyprogress/amd/src/gamification.js b/amd/src/gamification.js similarity index 100% rename from notemyprogress/amd/src/gamification.js rename to amd/src/gamification.js diff --git a/notemyprogress/amd/src/grades.js b/amd/src/grades.js similarity index 100% rename from notemyprogress/amd/src/grades.js rename to amd/src/grades.js diff --git a/notemyprogress/amd/src/graph.js b/amd/src/graph.js similarity index 100% rename from notemyprogress/amd/src/graph.js rename to amd/src/graph.js diff --git a/notemyprogress/amd/src/helpdialog.js b/amd/src/helpdialog.js similarity index 100% rename from notemyprogress/amd/src/helpdialog.js rename to amd/src/helpdialog.js diff --git a/notemyprogress/amd/src/logs.js b/amd/src/logs.js similarity index 100% rename from notemyprogress/amd/src/logs.js rename to amd/src/logs.js diff --git a/notemyprogress/amd/src/metareflexion.js b/amd/src/metareflexion.js similarity index 100% rename from notemyprogress/amd/src/metareflexion.js rename to amd/src/metareflexion.js diff --git a/notemyprogress/amd/src/modulesform.js b/amd/src/modulesform.js similarity index 100% rename from notemyprogress/amd/src/modulesform.js rename to amd/src/modulesform.js diff --git a/notemyprogress/amd/src/moment.js b/amd/src/moment.js similarity index 100% rename from notemyprogress/amd/src/moment.js rename to amd/src/moment.js diff --git a/notemyprogress/amd/src/momenttimezone.js b/amd/src/momenttimezone.js similarity index 100% rename from notemyprogress/amd/src/momenttimezone.js rename to amd/src/momenttimezone.js diff --git a/notemyprogress/amd/src/pageheader.js b/amd/src/pageheader.js similarity index 100% rename from notemyprogress/amd/src/pageheader.js rename to amd/src/pageheader.js diff --git a/notemyprogress/amd/src/pagination.js b/amd/src/pagination.js similarity index 100% rename from notemyprogress/amd/src/pagination.js rename to amd/src/pagination.js diff --git a/notemyprogress/amd/src/paginationcomponent.min.js b/amd/src/paginationcomponent.min.js similarity index 100% rename from notemyprogress/amd/src/paginationcomponent.min.js rename to amd/src/paginationcomponent.min.js diff --git a/notemyprogress/amd/src/prueba.js b/amd/src/prueba.js similarity index 100% rename from notemyprogress/amd/src/prueba.js rename to amd/src/prueba.js diff --git a/notemyprogress/amd/src/quiz.js b/amd/src/quiz.js similarity index 100% rename from notemyprogress/amd/src/quiz.js rename to amd/src/quiz.js diff --git a/notemyprogress/amd/src/sessions.js b/amd/src/sessions.js similarity index 100% rename from notemyprogress/amd/src/sessions.js rename to amd/src/sessions.js diff --git a/notemyprogress/amd/src/setweeks.js b/amd/src/setweeks.js similarity index 100% rename from notemyprogress/amd/src/setweeks.js rename to amd/src/setweeks.js diff --git a/notemyprogress/amd/src/sortablejs.js b/amd/src/sortablejs.js similarity index 100% rename from notemyprogress/amd/src/sortablejs.js rename to amd/src/sortablejs.js diff --git a/notemyprogress/amd/src/student.js b/amd/src/student.js similarity index 100% rename from notemyprogress/amd/src/student.js rename to amd/src/student.js diff --git a/notemyprogress/amd/src/student_gamification.js b/amd/src/student_gamification.js similarity index 100% rename from notemyprogress/amd/src/student_gamification.js rename to amd/src/student_gamification.js diff --git a/notemyprogress/amd/src/student_planning.js b/amd/src/student_planning.js similarity index 100% rename from notemyprogress/amd/src/student_planning.js rename to amd/src/student_planning.js diff --git a/notemyprogress/amd/src/student_sessions.js b/amd/src/student_sessions.js similarity index 100% rename from notemyprogress/amd/src/student_sessions.js rename to amd/src/student_sessions.js diff --git a/notemyprogress/amd/src/teacher.js b/amd/src/teacher.js similarity index 100% rename from notemyprogress/amd/src/teacher.js rename to amd/src/teacher.js diff --git a/notemyprogress/amd/src/vue.js b/amd/src/vue.js similarity index 100% rename from notemyprogress/amd/src/vue.js rename to amd/src/vue.js diff --git a/notemyprogress/amd/src/vuetify.js b/amd/src/vuetify.js similarity index 100% rename from notemyprogress/amd/src/vuetify.js rename to amd/src/vuetify.js diff --git a/notemyprogress/assignments.php b/assignments.php similarity index 100% rename from notemyprogress/assignments.php rename to assignments.php diff --git a/notemyprogress/auto_evaluation.php b/auto_evaluation.php similarity index 100% rename from notemyprogress/auto_evaluation.php rename to auto_evaluation.php diff --git a/notemyprogress/classes/auto_evaluation.php b/classes/auto_evaluation.php similarity index 100% rename from notemyprogress/classes/auto_evaluation.php rename to classes/auto_evaluation.php diff --git a/notemyprogress/classes/configgamification.php b/classes/configgamification.php similarity index 100% rename from notemyprogress/classes/configgamification.php rename to classes/configgamification.php diff --git a/notemyprogress/classes/configweeks.php b/classes/configweeks.php similarity index 100% rename from notemyprogress/classes/configweeks.php rename to classes/configweeks.php diff --git a/notemyprogress/classes/course_participant.php b/classes/course_participant.php similarity index 100% rename from notemyprogress/classes/course_participant.php rename to classes/course_participant.php diff --git a/notemyprogress/classes/dropout.php b/classes/dropout.php similarity index 100% rename from notemyprogress/classes/dropout.php rename to classes/dropout.php diff --git a/notemyprogress/classes/email.php b/classes/email.php similarity index 100% rename from notemyprogress/classes/email.php rename to classes/email.php diff --git a/notemyprogress/classes/event_strategy.php b/classes/event_strategy.php similarity index 100% rename from notemyprogress/classes/event_strategy.php rename to classes/event_strategy.php diff --git a/notemyprogress/classes/external/external.php b/classes/external/external.php similarity index 100% rename from notemyprogress/classes/external/external.php rename to classes/external/external.php diff --git a/notemyprogress/classes/group_manager.php b/classes/group_manager.php similarity index 100% rename from notemyprogress/classes/group_manager.php rename to classes/group_manager.php diff --git a/notemyprogress/classes/jwt/BeforeValidException.php b/classes/jwt/BeforeValidException.php similarity index 100% rename from notemyprogress/classes/jwt/BeforeValidException.php rename to classes/jwt/BeforeValidException.php diff --git a/notemyprogress/classes/jwt/ExpiredException.php b/classes/jwt/ExpiredException.php similarity index 100% rename from notemyprogress/classes/jwt/ExpiredException.php rename to classes/jwt/ExpiredException.php diff --git a/notemyprogress/classes/jwt/JWK.php b/classes/jwt/JWK.php similarity index 100% rename from notemyprogress/classes/jwt/JWK.php rename to classes/jwt/JWK.php diff --git a/notemyprogress/classes/jwt/JWT.php b/classes/jwt/JWT.php similarity index 100% rename from notemyprogress/classes/jwt/JWT.php rename to classes/jwt/JWT.php diff --git a/notemyprogress/classes/jwt/SignatureInvalidException.php b/classes/jwt/SignatureInvalidException.php similarity index 100% rename from notemyprogress/classes/jwt/SignatureInvalidException.php rename to classes/jwt/SignatureInvalidException.php diff --git a/notemyprogress/classes/lib_trait.php b/classes/lib_trait.php similarity index 100% rename from notemyprogress/classes/lib_trait.php rename to classes/lib_trait.php diff --git a/notemyprogress/classes/log.php b/classes/log.php similarity index 100% rename from notemyprogress/classes/log.php rename to classes/log.php diff --git a/notemyprogress/classes/logs.php b/classes/logs.php similarity index 100% rename from notemyprogress/classes/logs.php rename to classes/logs.php diff --git a/notemyprogress/classes/metareflexion.php b/classes/metareflexion.php similarity index 100% rename from notemyprogress/classes/metareflexion.php rename to classes/metareflexion.php diff --git a/notemyprogress/classes/observer/observer.php b/classes/observer/observer.php similarity index 100% rename from notemyprogress/classes/observer/observer.php rename to classes/observer/observer.php diff --git a/notemyprogress/classes/phpml/Association/Apriori.php b/classes/phpml/Association/Apriori.php similarity index 100% rename from notemyprogress/classes/phpml/Association/Apriori.php rename to classes/phpml/Association/Apriori.php diff --git a/notemyprogress/classes/phpml/Association/Associator.php b/classes/phpml/Association/Associator.php similarity index 100% rename from notemyprogress/classes/phpml/Association/Associator.php rename to classes/phpml/Association/Associator.php diff --git a/notemyprogress/classes/phpml/Classification/Classifier.php b/classes/phpml/Classification/Classifier.php similarity index 100% rename from notemyprogress/classes/phpml/Classification/Classifier.php rename to classes/phpml/Classification/Classifier.php diff --git a/notemyprogress/classes/phpml/Classification/DecisionTree.php b/classes/phpml/Classification/DecisionTree.php similarity index 100% rename from notemyprogress/classes/phpml/Classification/DecisionTree.php rename to classes/phpml/Classification/DecisionTree.php diff --git a/notemyprogress/classes/phpml/Classification/DecisionTree/DecisionTreeLeaf.php b/classes/phpml/Classification/DecisionTree/DecisionTreeLeaf.php similarity index 100% rename from notemyprogress/classes/phpml/Classification/DecisionTree/DecisionTreeLeaf.php rename to classes/phpml/Classification/DecisionTree/DecisionTreeLeaf.php diff --git a/notemyprogress/classes/phpml/Classification/Ensemble/AdaBoost.php b/classes/phpml/Classification/Ensemble/AdaBoost.php similarity index 100% rename from notemyprogress/classes/phpml/Classification/Ensemble/AdaBoost.php rename to classes/phpml/Classification/Ensemble/AdaBoost.php diff --git a/notemyprogress/classes/phpml/Classification/Ensemble/Bagging.php b/classes/phpml/Classification/Ensemble/Bagging.php similarity index 100% rename from notemyprogress/classes/phpml/Classification/Ensemble/Bagging.php rename to classes/phpml/Classification/Ensemble/Bagging.php diff --git a/notemyprogress/classes/phpml/Classification/Ensemble/RandomForest.php b/classes/phpml/Classification/Ensemble/RandomForest.php similarity index 100% rename from notemyprogress/classes/phpml/Classification/Ensemble/RandomForest.php rename to classes/phpml/Classification/Ensemble/RandomForest.php diff --git a/notemyprogress/classes/phpml/Classification/KNearestNeighbors.php b/classes/phpml/Classification/KNearestNeighbors.php similarity index 100% rename from notemyprogress/classes/phpml/Classification/KNearestNeighbors.php rename to classes/phpml/Classification/KNearestNeighbors.php diff --git a/notemyprogress/classes/phpml/Classification/Linear/Adaline.php b/classes/phpml/Classification/Linear/Adaline.php similarity index 100% rename from notemyprogress/classes/phpml/Classification/Linear/Adaline.php rename to classes/phpml/Classification/Linear/Adaline.php diff --git a/notemyprogress/classes/phpml/Classification/Linear/DecisionStump.php b/classes/phpml/Classification/Linear/DecisionStump.php similarity index 100% rename from notemyprogress/classes/phpml/Classification/Linear/DecisionStump.php rename to classes/phpml/Classification/Linear/DecisionStump.php diff --git a/notemyprogress/classes/phpml/Classification/Linear/LogisticRegression.php b/classes/phpml/Classification/Linear/LogisticRegression.php similarity index 100% rename from notemyprogress/classes/phpml/Classification/Linear/LogisticRegression.php rename to classes/phpml/Classification/Linear/LogisticRegression.php diff --git a/notemyprogress/classes/phpml/Classification/Linear/Perceptron.php b/classes/phpml/Classification/Linear/Perceptron.php similarity index 100% rename from notemyprogress/classes/phpml/Classification/Linear/Perceptron.php rename to classes/phpml/Classification/Linear/Perceptron.php diff --git a/notemyprogress/classes/phpml/Classification/MLPClassifier.php b/classes/phpml/Classification/MLPClassifier.php similarity index 100% rename from notemyprogress/classes/phpml/Classification/MLPClassifier.php rename to classes/phpml/Classification/MLPClassifier.php diff --git a/notemyprogress/classes/phpml/Classification/NaiveBayes.php b/classes/phpml/Classification/NaiveBayes.php similarity index 100% rename from notemyprogress/classes/phpml/Classification/NaiveBayes.php rename to classes/phpml/Classification/NaiveBayes.php diff --git a/notemyprogress/classes/phpml/Classification/SVC.php b/classes/phpml/Classification/SVC.php similarity index 100% rename from notemyprogress/classes/phpml/Classification/SVC.php rename to classes/phpml/Classification/SVC.php diff --git a/notemyprogress/classes/phpml/Classification/WeightedClassifier.php b/classes/phpml/Classification/WeightedClassifier.php similarity index 100% rename from notemyprogress/classes/phpml/Classification/WeightedClassifier.php rename to classes/phpml/Classification/WeightedClassifier.php diff --git a/notemyprogress/classes/phpml/Clustering/Clusterer.php b/classes/phpml/Clustering/Clusterer.php similarity index 100% rename from notemyprogress/classes/phpml/Clustering/Clusterer.php rename to classes/phpml/Clustering/Clusterer.php diff --git a/notemyprogress/classes/phpml/Clustering/DBSCAN.php b/classes/phpml/Clustering/DBSCAN.php similarity index 100% rename from notemyprogress/classes/phpml/Clustering/DBSCAN.php rename to classes/phpml/Clustering/DBSCAN.php diff --git a/notemyprogress/classes/phpml/Clustering/FuzzyCMeans.php b/classes/phpml/Clustering/FuzzyCMeans.php similarity index 100% rename from notemyprogress/classes/phpml/Clustering/FuzzyCMeans.php rename to classes/phpml/Clustering/FuzzyCMeans.php diff --git a/notemyprogress/classes/phpml/Clustering/KMeans.php b/classes/phpml/Clustering/KMeans.php similarity index 100% rename from notemyprogress/classes/phpml/Clustering/KMeans.php rename to classes/phpml/Clustering/KMeans.php diff --git a/notemyprogress/classes/phpml/Clustering/KMeans/Cluster.php b/classes/phpml/Clustering/KMeans/Cluster.php similarity index 100% rename from notemyprogress/classes/phpml/Clustering/KMeans/Cluster.php rename to classes/phpml/Clustering/KMeans/Cluster.php diff --git a/notemyprogress/classes/phpml/Clustering/KMeans/Point.php b/classes/phpml/Clustering/KMeans/Point.php similarity index 100% rename from notemyprogress/classes/phpml/Clustering/KMeans/Point.php rename to classes/phpml/Clustering/KMeans/Point.php diff --git a/notemyprogress/classes/phpml/Clustering/KMeans/Space.php b/classes/phpml/Clustering/KMeans/Space.php similarity index 100% rename from notemyprogress/classes/phpml/Clustering/KMeans/Space.php rename to classes/phpml/Clustering/KMeans/Space.php diff --git a/notemyprogress/classes/phpml/CrossValidation/RandomSplit.php b/classes/phpml/CrossValidation/RandomSplit.php similarity index 100% rename from notemyprogress/classes/phpml/CrossValidation/RandomSplit.php rename to classes/phpml/CrossValidation/RandomSplit.php diff --git a/notemyprogress/classes/phpml/CrossValidation/Split.php b/classes/phpml/CrossValidation/Split.php similarity index 100% rename from notemyprogress/classes/phpml/CrossValidation/Split.php rename to classes/phpml/CrossValidation/Split.php diff --git a/notemyprogress/classes/phpml/CrossValidation/StratifiedRandomSplit.php b/classes/phpml/CrossValidation/StratifiedRandomSplit.php similarity index 100% rename from notemyprogress/classes/phpml/CrossValidation/StratifiedRandomSplit.php rename to classes/phpml/CrossValidation/StratifiedRandomSplit.php diff --git a/notemyprogress/classes/phpml/Dataset/ArrayDataset.php b/classes/phpml/Dataset/ArrayDataset.php similarity index 100% rename from notemyprogress/classes/phpml/Dataset/ArrayDataset.php rename to classes/phpml/Dataset/ArrayDataset.php diff --git a/notemyprogress/classes/phpml/Dataset/CsvDataset.php b/classes/phpml/Dataset/CsvDataset.php similarity index 100% rename from notemyprogress/classes/phpml/Dataset/CsvDataset.php rename to classes/phpml/Dataset/CsvDataset.php diff --git a/notemyprogress/classes/phpml/Dataset/Dataset.php b/classes/phpml/Dataset/Dataset.php similarity index 100% rename from notemyprogress/classes/phpml/Dataset/Dataset.php rename to classes/phpml/Dataset/Dataset.php diff --git a/notemyprogress/classes/phpml/Dataset/Demo/GlassDataset.php b/classes/phpml/Dataset/Demo/GlassDataset.php similarity index 100% rename from notemyprogress/classes/phpml/Dataset/Demo/GlassDataset.php rename to classes/phpml/Dataset/Demo/GlassDataset.php diff --git a/notemyprogress/classes/phpml/Dataset/Demo/IrisDataset.php b/classes/phpml/Dataset/Demo/IrisDataset.php similarity index 100% rename from notemyprogress/classes/phpml/Dataset/Demo/IrisDataset.php rename to classes/phpml/Dataset/Demo/IrisDataset.php diff --git a/notemyprogress/classes/phpml/Dataset/Demo/WineDataset.php b/classes/phpml/Dataset/Demo/WineDataset.php similarity index 100% rename from notemyprogress/classes/phpml/Dataset/Demo/WineDataset.php rename to classes/phpml/Dataset/Demo/WineDataset.php diff --git a/notemyprogress/classes/phpml/Dataset/FilesDataset.php b/classes/phpml/Dataset/FilesDataset.php similarity index 100% rename from notemyprogress/classes/phpml/Dataset/FilesDataset.php rename to classes/phpml/Dataset/FilesDataset.php diff --git a/notemyprogress/classes/phpml/Dataset/MnistDataset.php b/classes/phpml/Dataset/MnistDataset.php similarity index 100% rename from notemyprogress/classes/phpml/Dataset/MnistDataset.php rename to classes/phpml/Dataset/MnistDataset.php diff --git a/notemyprogress/classes/phpml/Dataset/SvmDataset.php b/classes/phpml/Dataset/SvmDataset.php similarity index 100% rename from notemyprogress/classes/phpml/Dataset/SvmDataset.php rename to classes/phpml/Dataset/SvmDataset.php diff --git a/notemyprogress/classes/phpml/DimensionReduction/EigenTransformerBase.php b/classes/phpml/DimensionReduction/EigenTransformerBase.php similarity index 100% rename from notemyprogress/classes/phpml/DimensionReduction/EigenTransformerBase.php rename to classes/phpml/DimensionReduction/EigenTransformerBase.php diff --git a/notemyprogress/classes/phpml/DimensionReduction/KernelPCA.php b/classes/phpml/DimensionReduction/KernelPCA.php similarity index 100% rename from notemyprogress/classes/phpml/DimensionReduction/KernelPCA.php rename to classes/phpml/DimensionReduction/KernelPCA.php diff --git a/notemyprogress/classes/phpml/DimensionReduction/LDA.php b/classes/phpml/DimensionReduction/LDA.php similarity index 100% rename from notemyprogress/classes/phpml/DimensionReduction/LDA.php rename to classes/phpml/DimensionReduction/LDA.php diff --git a/notemyprogress/classes/phpml/DimensionReduction/PCA.php b/classes/phpml/DimensionReduction/PCA.php similarity index 100% rename from notemyprogress/classes/phpml/DimensionReduction/PCA.php rename to classes/phpml/DimensionReduction/PCA.php diff --git a/notemyprogress/classes/phpml/Estimator.php b/classes/phpml/Estimator.php similarity index 100% rename from notemyprogress/classes/phpml/Estimator.php rename to classes/phpml/Estimator.php diff --git a/notemyprogress/classes/phpml/Exception/DatasetException.php b/classes/phpml/Exception/DatasetException.php similarity index 100% rename from notemyprogress/classes/phpml/Exception/DatasetException.php rename to classes/phpml/Exception/DatasetException.php diff --git a/notemyprogress/classes/phpml/Exception/FileException.php b/classes/phpml/Exception/FileException.php similarity index 100% rename from notemyprogress/classes/phpml/Exception/FileException.php rename to classes/phpml/Exception/FileException.php diff --git a/notemyprogress/classes/phpml/Exception/InvalidArgumentException.php b/classes/phpml/Exception/InvalidArgumentException.php similarity index 100% rename from notemyprogress/classes/phpml/Exception/InvalidArgumentException.php rename to classes/phpml/Exception/InvalidArgumentException.php diff --git a/notemyprogress/classes/phpml/Exception/InvalidOperationException.php b/classes/phpml/Exception/InvalidOperationException.php similarity index 100% rename from notemyprogress/classes/phpml/Exception/InvalidOperationException.php rename to classes/phpml/Exception/InvalidOperationException.php diff --git a/notemyprogress/classes/phpml/Exception/LibsvmCommandException.php b/classes/phpml/Exception/LibsvmCommandException.php similarity index 100% rename from notemyprogress/classes/phpml/Exception/LibsvmCommandException.php rename to classes/phpml/Exception/LibsvmCommandException.php diff --git a/notemyprogress/classes/phpml/Exception/MatrixException.php b/classes/phpml/Exception/MatrixException.php similarity index 100% rename from notemyprogress/classes/phpml/Exception/MatrixException.php rename to classes/phpml/Exception/MatrixException.php diff --git a/notemyprogress/classes/phpml/Exception/NormalizerException.php b/classes/phpml/Exception/NormalizerException.php similarity index 100% rename from notemyprogress/classes/phpml/Exception/NormalizerException.php rename to classes/phpml/Exception/NormalizerException.php diff --git a/notemyprogress/classes/phpml/Exception/SerializeException.php b/classes/phpml/Exception/SerializeException.php similarity index 100% rename from notemyprogress/classes/phpml/Exception/SerializeException.php rename to classes/phpml/Exception/SerializeException.php diff --git a/notemyprogress/classes/phpml/FeatureExtraction/StopWords.php b/classes/phpml/FeatureExtraction/StopWords.php similarity index 100% rename from notemyprogress/classes/phpml/FeatureExtraction/StopWords.php rename to classes/phpml/FeatureExtraction/StopWords.php diff --git a/notemyprogress/classes/phpml/FeatureExtraction/StopWords/English.php b/classes/phpml/FeatureExtraction/StopWords/English.php similarity index 100% rename from notemyprogress/classes/phpml/FeatureExtraction/StopWords/English.php rename to classes/phpml/FeatureExtraction/StopWords/English.php diff --git a/notemyprogress/classes/phpml/FeatureExtraction/StopWords/French.php b/classes/phpml/FeatureExtraction/StopWords/French.php similarity index 100% rename from notemyprogress/classes/phpml/FeatureExtraction/StopWords/French.php rename to classes/phpml/FeatureExtraction/StopWords/French.php diff --git a/notemyprogress/classes/phpml/FeatureExtraction/StopWords/Polish.php b/classes/phpml/FeatureExtraction/StopWords/Polish.php similarity index 100% rename from notemyprogress/classes/phpml/FeatureExtraction/StopWords/Polish.php rename to classes/phpml/FeatureExtraction/StopWords/Polish.php diff --git a/notemyprogress/classes/phpml/FeatureExtraction/StopWords/Russian.php b/classes/phpml/FeatureExtraction/StopWords/Russian.php similarity index 100% rename from notemyprogress/classes/phpml/FeatureExtraction/StopWords/Russian.php rename to classes/phpml/FeatureExtraction/StopWords/Russian.php diff --git a/notemyprogress/classes/phpml/FeatureExtraction/TfIdfTransformer.php b/classes/phpml/FeatureExtraction/TfIdfTransformer.php similarity index 100% rename from notemyprogress/classes/phpml/FeatureExtraction/TfIdfTransformer.php rename to classes/phpml/FeatureExtraction/TfIdfTransformer.php diff --git a/notemyprogress/classes/phpml/FeatureExtraction/TokenCountVectorizer.php b/classes/phpml/FeatureExtraction/TokenCountVectorizer.php similarity index 100% rename from notemyprogress/classes/phpml/FeatureExtraction/TokenCountVectorizer.php rename to classes/phpml/FeatureExtraction/TokenCountVectorizer.php diff --git a/notemyprogress/classes/phpml/FeatureSelection/ScoringFunction.php b/classes/phpml/FeatureSelection/ScoringFunction.php similarity index 100% rename from notemyprogress/classes/phpml/FeatureSelection/ScoringFunction.php rename to classes/phpml/FeatureSelection/ScoringFunction.php diff --git a/notemyprogress/classes/phpml/FeatureSelection/ScoringFunction/ANOVAFValue.php b/classes/phpml/FeatureSelection/ScoringFunction/ANOVAFValue.php similarity index 100% rename from notemyprogress/classes/phpml/FeatureSelection/ScoringFunction/ANOVAFValue.php rename to classes/phpml/FeatureSelection/ScoringFunction/ANOVAFValue.php diff --git a/notemyprogress/classes/phpml/FeatureSelection/ScoringFunction/UnivariateLinearRegression.php b/classes/phpml/FeatureSelection/ScoringFunction/UnivariateLinearRegression.php similarity index 100% rename from notemyprogress/classes/phpml/FeatureSelection/ScoringFunction/UnivariateLinearRegression.php rename to classes/phpml/FeatureSelection/ScoringFunction/UnivariateLinearRegression.php diff --git a/notemyprogress/classes/phpml/FeatureSelection/SelectKBest.php b/classes/phpml/FeatureSelection/SelectKBest.php similarity index 100% rename from notemyprogress/classes/phpml/FeatureSelection/SelectKBest.php rename to classes/phpml/FeatureSelection/SelectKBest.php diff --git a/notemyprogress/classes/phpml/FeatureSelection/VarianceThreshold.php b/classes/phpml/FeatureSelection/VarianceThreshold.php similarity index 100% rename from notemyprogress/classes/phpml/FeatureSelection/VarianceThreshold.php rename to classes/phpml/FeatureSelection/VarianceThreshold.php diff --git a/notemyprogress/classes/phpml/FeatureUnion.php b/classes/phpml/FeatureUnion.php similarity index 100% rename from notemyprogress/classes/phpml/FeatureUnion.php rename to classes/phpml/FeatureUnion.php diff --git a/notemyprogress/classes/phpml/Helper/OneVsRest.php b/classes/phpml/Helper/OneVsRest.php similarity index 100% rename from notemyprogress/classes/phpml/Helper/OneVsRest.php rename to classes/phpml/Helper/OneVsRest.php diff --git a/notemyprogress/classes/phpml/Helper/Optimizer/ConjugateGradient.php b/classes/phpml/Helper/Optimizer/ConjugateGradient.php similarity index 100% rename from notemyprogress/classes/phpml/Helper/Optimizer/ConjugateGradient.php rename to classes/phpml/Helper/Optimizer/ConjugateGradient.php diff --git a/notemyprogress/classes/phpml/Helper/Optimizer/GD.php b/classes/phpml/Helper/Optimizer/GD.php similarity index 100% rename from notemyprogress/classes/phpml/Helper/Optimizer/GD.php rename to classes/phpml/Helper/Optimizer/GD.php diff --git a/notemyprogress/classes/phpml/Helper/Optimizer/Optimizer.php b/classes/phpml/Helper/Optimizer/Optimizer.php similarity index 100% rename from notemyprogress/classes/phpml/Helper/Optimizer/Optimizer.php rename to classes/phpml/Helper/Optimizer/Optimizer.php diff --git a/notemyprogress/classes/phpml/Helper/Optimizer/StochasticGD.php b/classes/phpml/Helper/Optimizer/StochasticGD.php similarity index 100% rename from notemyprogress/classes/phpml/Helper/Optimizer/StochasticGD.php rename to classes/phpml/Helper/Optimizer/StochasticGD.php diff --git a/notemyprogress/classes/phpml/Helper/Predictable.php b/classes/phpml/Helper/Predictable.php similarity index 100% rename from notemyprogress/classes/phpml/Helper/Predictable.php rename to classes/phpml/Helper/Predictable.php diff --git a/notemyprogress/classes/phpml/Helper/Trainable.php b/classes/phpml/Helper/Trainable.php similarity index 100% rename from notemyprogress/classes/phpml/Helper/Trainable.php rename to classes/phpml/Helper/Trainable.php diff --git a/notemyprogress/classes/phpml/IncrementalEstimator.php b/classes/phpml/IncrementalEstimator.php similarity index 100% rename from notemyprogress/classes/phpml/IncrementalEstimator.php rename to classes/phpml/IncrementalEstimator.php diff --git a/notemyprogress/classes/phpml/Math/Comparison.php b/classes/phpml/Math/Comparison.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Comparison.php rename to classes/phpml/Math/Comparison.php diff --git a/notemyprogress/classes/phpml/Math/Distance.php b/classes/phpml/Math/Distance.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Distance.php rename to classes/phpml/Math/Distance.php diff --git a/notemyprogress/classes/phpml/Math/Distance/Chebyshev.php b/classes/phpml/Math/Distance/Chebyshev.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Distance/Chebyshev.php rename to classes/phpml/Math/Distance/Chebyshev.php diff --git a/notemyprogress/classes/phpml/Math/Distance/Distance.php b/classes/phpml/Math/Distance/Distance.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Distance/Distance.php rename to classes/phpml/Math/Distance/Distance.php diff --git a/notemyprogress/classes/phpml/Math/Distance/Euclidean.php b/classes/phpml/Math/Distance/Euclidean.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Distance/Euclidean.php rename to classes/phpml/Math/Distance/Euclidean.php diff --git a/notemyprogress/classes/phpml/Math/Distance/Manhattan.php b/classes/phpml/Math/Distance/Manhattan.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Distance/Manhattan.php rename to classes/phpml/Math/Distance/Manhattan.php diff --git a/notemyprogress/classes/phpml/Math/Distance/Minkowski.php b/classes/phpml/Math/Distance/Minkowski.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Distance/Minkowski.php rename to classes/phpml/Math/Distance/Minkowski.php diff --git a/notemyprogress/classes/phpml/Math/Kernel.php b/classes/phpml/Math/Kernel.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Kernel.php rename to classes/phpml/Math/Kernel.php diff --git a/notemyprogress/classes/phpml/Math/Kernel/RBF.php b/classes/phpml/Math/Kernel/RBF.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Kernel/RBF.php rename to classes/phpml/Math/Kernel/RBF.php diff --git a/notemyprogress/classes/phpml/Math/LinearAlgebra/EigenvalueDecomposition.php b/classes/phpml/Math/LinearAlgebra/EigenvalueDecomposition.php similarity index 100% rename from notemyprogress/classes/phpml/Math/LinearAlgebra/EigenvalueDecomposition.php rename to classes/phpml/Math/LinearAlgebra/EigenvalueDecomposition.php diff --git a/notemyprogress/classes/phpml/Math/LinearAlgebra/LUDecomposition.php b/classes/phpml/Math/LinearAlgebra/LUDecomposition.php similarity index 100% rename from notemyprogress/classes/phpml/Math/LinearAlgebra/LUDecomposition.php rename to classes/phpml/Math/LinearAlgebra/LUDecomposition.php diff --git a/notemyprogress/classes/phpml/Math/Matrix.php b/classes/phpml/Math/Matrix.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Matrix.php rename to classes/phpml/Math/Matrix.php diff --git a/notemyprogress/classes/phpml/Math/Product.php b/classes/phpml/Math/Product.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Product.php rename to classes/phpml/Math/Product.php diff --git a/notemyprogress/classes/phpml/Math/Set.php b/classes/phpml/Math/Set.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Set.php rename to classes/phpml/Math/Set.php diff --git a/notemyprogress/classes/phpml/Math/Statistic/ANOVA.php b/classes/phpml/Math/Statistic/ANOVA.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Statistic/ANOVA.php rename to classes/phpml/Math/Statistic/ANOVA.php diff --git a/notemyprogress/classes/phpml/Math/Statistic/Correlation.php b/classes/phpml/Math/Statistic/Correlation.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Statistic/Correlation.php rename to classes/phpml/Math/Statistic/Correlation.php diff --git a/notemyprogress/classes/phpml/Math/Statistic/Covariance.php b/classes/phpml/Math/Statistic/Covariance.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Statistic/Covariance.php rename to classes/phpml/Math/Statistic/Covariance.php diff --git a/notemyprogress/classes/phpml/Math/Statistic/Gaussian.php b/classes/phpml/Math/Statistic/Gaussian.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Statistic/Gaussian.php rename to classes/phpml/Math/Statistic/Gaussian.php diff --git a/notemyprogress/classes/phpml/Math/Statistic/Mean.php b/classes/phpml/Math/Statistic/Mean.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Statistic/Mean.php rename to classes/phpml/Math/Statistic/Mean.php diff --git a/notemyprogress/classes/phpml/Math/Statistic/StandardDeviation.php b/classes/phpml/Math/Statistic/StandardDeviation.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Statistic/StandardDeviation.php rename to classes/phpml/Math/Statistic/StandardDeviation.php diff --git a/notemyprogress/classes/phpml/Math/Statistic/Variance.php b/classes/phpml/Math/Statistic/Variance.php similarity index 100% rename from notemyprogress/classes/phpml/Math/Statistic/Variance.php rename to classes/phpml/Math/Statistic/Variance.php diff --git a/notemyprogress/classes/phpml/Metric/Accuracy.php b/classes/phpml/Metric/Accuracy.php similarity index 100% rename from notemyprogress/classes/phpml/Metric/Accuracy.php rename to classes/phpml/Metric/Accuracy.php diff --git a/notemyprogress/classes/phpml/Metric/ClassificationReport.php b/classes/phpml/Metric/ClassificationReport.php similarity index 100% rename from notemyprogress/classes/phpml/Metric/ClassificationReport.php rename to classes/phpml/Metric/ClassificationReport.php diff --git a/notemyprogress/classes/phpml/Metric/ConfusionMatrix.php b/classes/phpml/Metric/ConfusionMatrix.php similarity index 100% rename from notemyprogress/classes/phpml/Metric/ConfusionMatrix.php rename to classes/phpml/Metric/ConfusionMatrix.php diff --git a/notemyprogress/classes/phpml/Metric/Regression.php b/classes/phpml/Metric/Regression.php similarity index 100% rename from notemyprogress/classes/phpml/Metric/Regression.php rename to classes/phpml/Metric/Regression.php diff --git a/notemyprogress/classes/phpml/ModelManager.php b/classes/phpml/ModelManager.php similarity index 100% rename from notemyprogress/classes/phpml/ModelManager.php rename to classes/phpml/ModelManager.php diff --git a/notemyprogress/classes/phpml/NeuralNetwork/ActivationFunction.php b/classes/phpml/NeuralNetwork/ActivationFunction.php similarity index 100% rename from notemyprogress/classes/phpml/NeuralNetwork/ActivationFunction.php rename to classes/phpml/NeuralNetwork/ActivationFunction.php diff --git a/notemyprogress/classes/phpml/NeuralNetwork/ActivationFunction/BinaryStep.php b/classes/phpml/NeuralNetwork/ActivationFunction/BinaryStep.php similarity index 100% rename from notemyprogress/classes/phpml/NeuralNetwork/ActivationFunction/BinaryStep.php rename to classes/phpml/NeuralNetwork/ActivationFunction/BinaryStep.php diff --git a/notemyprogress/classes/phpml/NeuralNetwork/ActivationFunction/Gaussian.php b/classes/phpml/NeuralNetwork/ActivationFunction/Gaussian.php similarity index 100% rename from notemyprogress/classes/phpml/NeuralNetwork/ActivationFunction/Gaussian.php rename to classes/phpml/NeuralNetwork/ActivationFunction/Gaussian.php diff --git a/notemyprogress/classes/phpml/NeuralNetwork/ActivationFunction/HyperbolicTangent.php b/classes/phpml/NeuralNetwork/ActivationFunction/HyperbolicTangent.php similarity index 100% rename from notemyprogress/classes/phpml/NeuralNetwork/ActivationFunction/HyperbolicTangent.php rename to classes/phpml/NeuralNetwork/ActivationFunction/HyperbolicTangent.php diff --git a/notemyprogress/classes/phpml/NeuralNetwork/ActivationFunction/PReLU.php b/classes/phpml/NeuralNetwork/ActivationFunction/PReLU.php similarity index 100% rename from notemyprogress/classes/phpml/NeuralNetwork/ActivationFunction/PReLU.php rename to classes/phpml/NeuralNetwork/ActivationFunction/PReLU.php diff --git a/notemyprogress/classes/phpml/NeuralNetwork/ActivationFunction/Sigmoid.php b/classes/phpml/NeuralNetwork/ActivationFunction/Sigmoid.php similarity index 100% rename from notemyprogress/classes/phpml/NeuralNetwork/ActivationFunction/Sigmoid.php rename to classes/phpml/NeuralNetwork/ActivationFunction/Sigmoid.php diff --git a/notemyprogress/classes/phpml/NeuralNetwork/ActivationFunction/ThresholdedReLU.php b/classes/phpml/NeuralNetwork/ActivationFunction/ThresholdedReLU.php similarity index 100% rename from notemyprogress/classes/phpml/NeuralNetwork/ActivationFunction/ThresholdedReLU.php rename to classes/phpml/NeuralNetwork/ActivationFunction/ThresholdedReLU.php diff --git a/notemyprogress/classes/phpml/NeuralNetwork/Layer.php b/classes/phpml/NeuralNetwork/Layer.php similarity index 100% rename from notemyprogress/classes/phpml/NeuralNetwork/Layer.php rename to classes/phpml/NeuralNetwork/Layer.php diff --git a/notemyprogress/classes/phpml/NeuralNetwork/Network.php b/classes/phpml/NeuralNetwork/Network.php similarity index 100% rename from notemyprogress/classes/phpml/NeuralNetwork/Network.php rename to classes/phpml/NeuralNetwork/Network.php diff --git a/notemyprogress/classes/phpml/NeuralNetwork/Network/LayeredNetwork.php b/classes/phpml/NeuralNetwork/Network/LayeredNetwork.php similarity index 100% rename from notemyprogress/classes/phpml/NeuralNetwork/Network/LayeredNetwork.php rename to classes/phpml/NeuralNetwork/Network/LayeredNetwork.php diff --git a/notemyprogress/classes/phpml/NeuralNetwork/Network/MultilayerPerceptron.php b/classes/phpml/NeuralNetwork/Network/MultilayerPerceptron.php similarity index 100% rename from notemyprogress/classes/phpml/NeuralNetwork/Network/MultilayerPerceptron.php rename to classes/phpml/NeuralNetwork/Network/MultilayerPerceptron.php diff --git a/notemyprogress/classes/phpml/NeuralNetwork/Node.php b/classes/phpml/NeuralNetwork/Node.php similarity index 100% rename from notemyprogress/classes/phpml/NeuralNetwork/Node.php rename to classes/phpml/NeuralNetwork/Node.php diff --git a/notemyprogress/classes/phpml/NeuralNetwork/Node/Bias.php b/classes/phpml/NeuralNetwork/Node/Bias.php similarity index 100% rename from notemyprogress/classes/phpml/NeuralNetwork/Node/Bias.php rename to classes/phpml/NeuralNetwork/Node/Bias.php diff --git a/notemyprogress/classes/phpml/NeuralNetwork/Node/Input.php b/classes/phpml/NeuralNetwork/Node/Input.php similarity index 100% rename from notemyprogress/classes/phpml/NeuralNetwork/Node/Input.php rename to classes/phpml/NeuralNetwork/Node/Input.php diff --git a/notemyprogress/classes/phpml/NeuralNetwork/Node/Neuron.php b/classes/phpml/NeuralNetwork/Node/Neuron.php similarity index 100% rename from notemyprogress/classes/phpml/NeuralNetwork/Node/Neuron.php rename to classes/phpml/NeuralNetwork/Node/Neuron.php diff --git a/notemyprogress/classes/phpml/NeuralNetwork/Node/Neuron/Synapse.php b/classes/phpml/NeuralNetwork/Node/Neuron/Synapse.php similarity index 100% rename from notemyprogress/classes/phpml/NeuralNetwork/Node/Neuron/Synapse.php rename to classes/phpml/NeuralNetwork/Node/Neuron/Synapse.php diff --git a/notemyprogress/classes/phpml/NeuralNetwork/Training/Backpropagation.php b/classes/phpml/NeuralNetwork/Training/Backpropagation.php similarity index 100% rename from notemyprogress/classes/phpml/NeuralNetwork/Training/Backpropagation.php rename to classes/phpml/NeuralNetwork/Training/Backpropagation.php diff --git a/notemyprogress/classes/phpml/NeuralNetwork/Training/Backpropagation/Sigma.php b/classes/phpml/NeuralNetwork/Training/Backpropagation/Sigma.php similarity index 100% rename from notemyprogress/classes/phpml/NeuralNetwork/Training/Backpropagation/Sigma.php rename to classes/phpml/NeuralNetwork/Training/Backpropagation/Sigma.php diff --git a/notemyprogress/classes/phpml/Pipeline.php b/classes/phpml/Pipeline.php similarity index 100% rename from notemyprogress/classes/phpml/Pipeline.php rename to classes/phpml/Pipeline.php diff --git a/notemyprogress/classes/phpml/Preprocessing/ColumnFilter.php b/classes/phpml/Preprocessing/ColumnFilter.php similarity index 100% rename from notemyprogress/classes/phpml/Preprocessing/ColumnFilter.php rename to classes/phpml/Preprocessing/ColumnFilter.php diff --git a/notemyprogress/classes/phpml/Preprocessing/Imputer.php b/classes/phpml/Preprocessing/Imputer.php similarity index 100% rename from notemyprogress/classes/phpml/Preprocessing/Imputer.php rename to classes/phpml/Preprocessing/Imputer.php diff --git a/notemyprogress/classes/phpml/Preprocessing/Imputer/Strategy.php b/classes/phpml/Preprocessing/Imputer/Strategy.php similarity index 100% rename from notemyprogress/classes/phpml/Preprocessing/Imputer/Strategy.php rename to classes/phpml/Preprocessing/Imputer/Strategy.php diff --git a/notemyprogress/classes/phpml/Preprocessing/Imputer/Strategy/MeanStrategy.php b/classes/phpml/Preprocessing/Imputer/Strategy/MeanStrategy.php similarity index 100% rename from notemyprogress/classes/phpml/Preprocessing/Imputer/Strategy/MeanStrategy.php rename to classes/phpml/Preprocessing/Imputer/Strategy/MeanStrategy.php diff --git a/notemyprogress/classes/phpml/Preprocessing/Imputer/Strategy/MedianStrategy.php b/classes/phpml/Preprocessing/Imputer/Strategy/MedianStrategy.php similarity index 100% rename from notemyprogress/classes/phpml/Preprocessing/Imputer/Strategy/MedianStrategy.php rename to classes/phpml/Preprocessing/Imputer/Strategy/MedianStrategy.php diff --git a/notemyprogress/classes/phpml/Preprocessing/Imputer/Strategy/MostFrequentStrategy.php b/classes/phpml/Preprocessing/Imputer/Strategy/MostFrequentStrategy.php similarity index 100% rename from notemyprogress/classes/phpml/Preprocessing/Imputer/Strategy/MostFrequentStrategy.php rename to classes/phpml/Preprocessing/Imputer/Strategy/MostFrequentStrategy.php diff --git a/notemyprogress/classes/phpml/Preprocessing/LabelEncoder.php b/classes/phpml/Preprocessing/LabelEncoder.php similarity index 100% rename from notemyprogress/classes/phpml/Preprocessing/LabelEncoder.php rename to classes/phpml/Preprocessing/LabelEncoder.php diff --git a/notemyprogress/classes/phpml/Preprocessing/LambdaTransformer.php b/classes/phpml/Preprocessing/LambdaTransformer.php similarity index 100% rename from notemyprogress/classes/phpml/Preprocessing/LambdaTransformer.php rename to classes/phpml/Preprocessing/LambdaTransformer.php diff --git a/notemyprogress/classes/phpml/Preprocessing/Normalizer.php b/classes/phpml/Preprocessing/Normalizer.php similarity index 100% rename from notemyprogress/classes/phpml/Preprocessing/Normalizer.php rename to classes/phpml/Preprocessing/Normalizer.php diff --git a/notemyprogress/classes/phpml/Preprocessing/NumberConverter.php b/classes/phpml/Preprocessing/NumberConverter.php similarity index 100% rename from notemyprogress/classes/phpml/Preprocessing/NumberConverter.php rename to classes/phpml/Preprocessing/NumberConverter.php diff --git a/notemyprogress/classes/phpml/Preprocessing/OneHotEncoder.php b/classes/phpml/Preprocessing/OneHotEncoder.php similarity index 100% rename from notemyprogress/classes/phpml/Preprocessing/OneHotEncoder.php rename to classes/phpml/Preprocessing/OneHotEncoder.php diff --git a/notemyprogress/classes/phpml/Preprocessing/Preprocessor.php b/classes/phpml/Preprocessing/Preprocessor.php similarity index 100% rename from notemyprogress/classes/phpml/Preprocessing/Preprocessor.php rename to classes/phpml/Preprocessing/Preprocessor.php diff --git a/notemyprogress/classes/phpml/Regression/LeastSquares.php b/classes/phpml/Regression/LeastSquares.php similarity index 100% rename from notemyprogress/classes/phpml/Regression/LeastSquares.php rename to classes/phpml/Regression/LeastSquares.php diff --git a/notemyprogress/classes/phpml/Regression/Regression.php b/classes/phpml/Regression/Regression.php similarity index 100% rename from notemyprogress/classes/phpml/Regression/Regression.php rename to classes/phpml/Regression/Regression.php diff --git a/notemyprogress/classes/phpml/Regression/SVR.php b/classes/phpml/Regression/SVR.php similarity index 100% rename from notemyprogress/classes/phpml/Regression/SVR.php rename to classes/phpml/Regression/SVR.php diff --git a/notemyprogress/classes/phpml/SupportVectorMachine/DataTransformer.php b/classes/phpml/SupportVectorMachine/DataTransformer.php similarity index 100% rename from notemyprogress/classes/phpml/SupportVectorMachine/DataTransformer.php rename to classes/phpml/SupportVectorMachine/DataTransformer.php diff --git a/notemyprogress/classes/phpml/SupportVectorMachine/Kernel.php b/classes/phpml/SupportVectorMachine/Kernel.php similarity index 100% rename from notemyprogress/classes/phpml/SupportVectorMachine/Kernel.php rename to classes/phpml/SupportVectorMachine/Kernel.php diff --git a/notemyprogress/classes/phpml/SupportVectorMachine/SupportVectorMachine.php b/classes/phpml/SupportVectorMachine/SupportVectorMachine.php similarity index 100% rename from notemyprogress/classes/phpml/SupportVectorMachine/SupportVectorMachine.php rename to classes/phpml/SupportVectorMachine/SupportVectorMachine.php diff --git a/notemyprogress/classes/phpml/SupportVectorMachine/Type.php b/classes/phpml/SupportVectorMachine/Type.php similarity index 100% rename from notemyprogress/classes/phpml/SupportVectorMachine/Type.php rename to classes/phpml/SupportVectorMachine/Type.php diff --git a/notemyprogress/classes/phpml/Tokenization/NGramTokenizer.php b/classes/phpml/Tokenization/NGramTokenizer.php similarity index 100% rename from notemyprogress/classes/phpml/Tokenization/NGramTokenizer.php rename to classes/phpml/Tokenization/NGramTokenizer.php diff --git a/notemyprogress/classes/phpml/Tokenization/NGramWordTokenizer.php b/classes/phpml/Tokenization/NGramWordTokenizer.php similarity index 100% rename from notemyprogress/classes/phpml/Tokenization/NGramWordTokenizer.php rename to classes/phpml/Tokenization/NGramWordTokenizer.php diff --git a/notemyprogress/classes/phpml/Tokenization/Tokenizer.php b/classes/phpml/Tokenization/Tokenizer.php similarity index 100% rename from notemyprogress/classes/phpml/Tokenization/Tokenizer.php rename to classes/phpml/Tokenization/Tokenizer.php diff --git a/notemyprogress/classes/phpml/Tokenization/WhitespaceTokenizer.php b/classes/phpml/Tokenization/WhitespaceTokenizer.php similarity index 100% rename from notemyprogress/classes/phpml/Tokenization/WhitespaceTokenizer.php rename to classes/phpml/Tokenization/WhitespaceTokenizer.php diff --git a/notemyprogress/classes/phpml/Tokenization/WordTokenizer.php b/classes/phpml/Tokenization/WordTokenizer.php similarity index 100% rename from notemyprogress/classes/phpml/Tokenization/WordTokenizer.php rename to classes/phpml/Tokenization/WordTokenizer.php diff --git a/notemyprogress/classes/phpml/Transformer.php b/classes/phpml/Transformer.php similarity index 100% rename from notemyprogress/classes/phpml/Transformer.php rename to classes/phpml/Transformer.php diff --git a/notemyprogress/classes/report.php b/classes/report.php similarity index 100% rename from notemyprogress/classes/report.php rename to classes/report.php diff --git a/notemyprogress/classes/resourcetype.php b/classes/resourcetype.php similarity index 100% rename from notemyprogress/classes/resourcetype.php rename to classes/resourcetype.php diff --git a/notemyprogress/classes/sessiongroup.php b/classes/sessiongroup.php similarity index 100% rename from notemyprogress/classes/sessiongroup.php rename to classes/sessiongroup.php diff --git a/notemyprogress/classes/srlog.php b/classes/srlog.php similarity index 100% rename from notemyprogress/classes/srlog.php rename to classes/srlog.php diff --git a/notemyprogress/classes/student.php b/classes/student.php similarity index 100% rename from notemyprogress/classes/student.php rename to classes/student.php diff --git a/notemyprogress/classes/task/generate_data.php b/classes/task/generate_data.php similarity index 100% rename from notemyprogress/classes/task/generate_data.php rename to classes/task/generate_data.php diff --git a/notemyprogress/classes/teacher.php b/classes/teacher.php similarity index 100% rename from notemyprogress/classes/teacher.php rename to classes/teacher.php diff --git a/notemyprogress/css/alertify.css b/css/alertify.css similarity index 100% rename from notemyprogress/css/alertify.css rename to css/alertify.css diff --git a/notemyprogress/css/googlefonts.css b/css/googlefonts.css similarity index 100% rename from notemyprogress/css/googlefonts.css rename to css/googlefonts.css diff --git a/notemyprogress/css/materialdesignicons.css b/css/materialdesignicons.css similarity index 100% rename from notemyprogress/css/materialdesignicons.css rename to css/materialdesignicons.css diff --git a/notemyprogress/css/materialicon.css b/css/materialicon.css similarity index 100% rename from notemyprogress/css/materialicon.css rename to css/materialicon.css diff --git a/notemyprogress/css/quill.bubble.css b/css/quill.bubble.css similarity index 100% rename from notemyprogress/css/quill.bubble.css rename to css/quill.bubble.css diff --git a/notemyprogress/css/quill.core.css b/css/quill.core.css similarity index 100% rename from notemyprogress/css/quill.core.css rename to css/quill.core.css diff --git a/notemyprogress/css/quill.snow.css b/css/quill.snow.css similarity index 100% rename from notemyprogress/css/quill.snow.css rename to css/quill.snow.css diff --git a/notemyprogress/css/vuetify.css b/css/vuetify.css similarity index 100% rename from notemyprogress/css/vuetify.css rename to css/vuetify.css diff --git a/notemyprogress/db/access.php b/db/access.php similarity index 100% rename from notemyprogress/db/access.php rename to db/access.php diff --git a/notemyprogress/db/events.php b/db/events.php similarity index 100% rename from notemyprogress/db/events.php rename to db/events.php diff --git a/notemyprogress/db/install.php b/db/install.php similarity index 100% rename from notemyprogress/db/install.php rename to db/install.php diff --git a/notemyprogress/db/install.xml b/db/install.xml similarity index 100% rename from notemyprogress/db/install.xml rename to db/install.xml diff --git a/notemyprogress/db/services.php b/db/services.php similarity index 100% rename from notemyprogress/db/services.php rename to db/services.php diff --git a/notemyprogress/db/tasks.php b/db/tasks.php similarity index 100% rename from notemyprogress/db/tasks.php rename to db/tasks.php diff --git a/notemyprogress/db/uninstall.php b/db/uninstall.php similarity index 100% rename from notemyprogress/db/uninstall.php rename to db/uninstall.php diff --git a/notemyprogress/db/upgrade.php b/db/upgrade.php similarity index 100% rename from notemyprogress/db/upgrade.php rename to db/upgrade.php diff --git a/notemyprogress/db/upgradelib.php b/db/upgradelib.php similarity index 100% rename from notemyprogress/db/upgradelib.php rename to db/upgradelib.php diff --git a/notemyprogress/downloads/ActivityLogsMoodle_Course2.csv b/downloads/ActivityLogsMoodle_Course2.csv similarity index 100% rename from notemyprogress/downloads/ActivityLogsMoodle_Course2.csv rename to downloads/ActivityLogsMoodle_Course2.csv diff --git a/notemyprogress/downloads/ActivityLogsMoodle_Course3.csv b/downloads/ActivityLogsMoodle_Course3.csv similarity index 100% rename from notemyprogress/downloads/ActivityLogsMoodle_Course3.csv rename to downloads/ActivityLogsMoodle_Course3.csv diff --git a/notemyprogress/downloads/ActivityLogsNMP_Course2.csv b/downloads/ActivityLogsNMP_Course2.csv similarity index 100% rename from notemyprogress/downloads/ActivityLogsNMP_Course2.csv rename to downloads/ActivityLogsNMP_Course2.csv diff --git a/notemyprogress/downloads/ActivityLogsNMP_Course3.csv b/downloads/ActivityLogsNMP_Course3.csv similarity index 100% rename from notemyprogress/downloads/ActivityLogsNMP_Course3.csv rename to downloads/ActivityLogsNMP_Course3.csv diff --git a/notemyprogress/downloads/Details_Informations_LogsNMP.pdf b/downloads/Details_Informations_LogsNMP.pdf similarity index 100% rename from notemyprogress/downloads/Details_Informations_LogsNMP.pdf rename to downloads/Details_Informations_LogsNMP.pdf diff --git a/notemyprogress/downloads/README.md b/downloads/README.md similarity index 100% rename from notemyprogress/downloads/README.md rename to downloads/README.md diff --git a/notemyprogress/dropout.php b/dropout.php similarity index 100% rename from notemyprogress/dropout.php rename to dropout.php diff --git a/notemyprogress/fonts/Poppins-Medium.otf b/fonts/Poppins-Medium.otf similarity index 100% rename from notemyprogress/fonts/Poppins-Medium.otf rename to fonts/Poppins-Medium.otf diff --git a/notemyprogress/fonts/Poppins-Regular.otf b/fonts/Poppins-Regular.otf similarity index 100% rename from notemyprogress/fonts/Poppins-Regular.otf rename to fonts/Poppins-Regular.otf diff --git a/notemyprogress/fonts/materialdesignicons-webfont.eot b/fonts/materialdesignicons-webfont.eot similarity index 100% rename from notemyprogress/fonts/materialdesignicons-webfont.eot rename to fonts/materialdesignicons-webfont.eot diff --git a/notemyprogress/fonts/materialdesignicons-webfont.ttf b/fonts/materialdesignicons-webfont.ttf similarity index 100% rename from notemyprogress/fonts/materialdesignicons-webfont.ttf rename to fonts/materialdesignicons-webfont.ttf diff --git a/notemyprogress/fonts/materialdesignicons-webfont.woff b/fonts/materialdesignicons-webfont.woff similarity index 100% rename from notemyprogress/fonts/materialdesignicons-webfont.woff rename to fonts/materialdesignicons-webfont.woff diff --git a/notemyprogress/fonts/materialdesignicons-webfont.woff2 b/fonts/materialdesignicons-webfont.woff2 similarity index 100% rename from notemyprogress/fonts/materialdesignicons-webfont.woff2 rename to fonts/materialdesignicons-webfont.woff2 diff --git a/notemyprogress/gamification.php b/gamification.php similarity index 100% rename from notemyprogress/gamification.php rename to gamification.php diff --git a/notemyprogress/grades.php b/grades.php similarity index 100% rename from notemyprogress/grades.php rename to grades.php diff --git a/notemyprogress/graph.php b/graph.php similarity index 100% rename from notemyprogress/graph.php rename to graph.php diff --git a/notemyprogress/img/calendar.png b/img/calendar.png similarity index 100% rename from notemyprogress/img/calendar.png rename to img/calendar.png diff --git a/notemyprogress/img/empty_char.png b/img/empty_char.png similarity index 100% rename from notemyprogress/img/empty_char.png rename to img/empty_char.png diff --git a/notemyprogress/js/alertify.js b/js/alertify.js similarity index 100% rename from notemyprogress/js/alertify.js rename to js/alertify.js diff --git a/notemyprogress/js/axios.js b/js/axios.js similarity index 100% rename from notemyprogress/js/axios.js rename to js/axios.js diff --git a/notemyprogress/js/datepicker.js b/js/datepicker.js similarity index 100% rename from notemyprogress/js/datepicker.js rename to js/datepicker.js diff --git a/notemyprogress/js/draggable.js b/js/draggable.js similarity index 100% rename from notemyprogress/js/draggable.js rename to js/draggable.js diff --git a/notemyprogress/js/highcharts/highcharts-3d.js b/js/highcharts/highcharts-3d.js similarity index 100% rename from notemyprogress/js/highcharts/highcharts-3d.js rename to js/highcharts/highcharts-3d.js diff --git a/notemyprogress/js/highcharts/highcharts-3d.js.map b/js/highcharts/highcharts-3d.js.map similarity index 100% rename from notemyprogress/js/highcharts/highcharts-3d.js.map rename to js/highcharts/highcharts-3d.js.map diff --git a/notemyprogress/js/highcharts/highcharts-3d.src.js b/js/highcharts/highcharts-3d.src.js similarity index 100% rename from notemyprogress/js/highcharts/highcharts-3d.src.js rename to js/highcharts/highcharts-3d.src.js diff --git a/notemyprogress/js/highcharts/highcharts-more.js b/js/highcharts/highcharts-more.js similarity index 100% rename from notemyprogress/js/highcharts/highcharts-more.js rename to js/highcharts/highcharts-more.js diff --git a/notemyprogress/js/highcharts/highcharts-more.js.map b/js/highcharts/highcharts-more.js.map similarity index 100% rename from notemyprogress/js/highcharts/highcharts-more.js.map rename to js/highcharts/highcharts-more.js.map diff --git a/notemyprogress/js/highcharts/highcharts-more.src.js b/js/highcharts/highcharts-more.src.js similarity index 100% rename from notemyprogress/js/highcharts/highcharts-more.src.js rename to js/highcharts/highcharts-more.src.js diff --git a/notemyprogress/js/highcharts/highcharts.js b/js/highcharts/highcharts.js similarity index 100% rename from notemyprogress/js/highcharts/highcharts.js rename to js/highcharts/highcharts.js diff --git a/notemyprogress/js/highcharts/highcharts.js.map b/js/highcharts/highcharts.js.map similarity index 100% rename from notemyprogress/js/highcharts/highcharts.js.map rename to js/highcharts/highcharts.js.map diff --git a/notemyprogress/js/highcharts/highcharts.src.js b/js/highcharts/highcharts.src.js similarity index 100% rename from notemyprogress/js/highcharts/highcharts.src.js rename to js/highcharts/highcharts.src.js diff --git a/notemyprogress/js/highcharts/modules/accessibility.js b/js/highcharts/modules/accessibility.js similarity index 100% rename from notemyprogress/js/highcharts/modules/accessibility.js rename to js/highcharts/modules/accessibility.js diff --git a/notemyprogress/js/highcharts/modules/accessibility.js.map b/js/highcharts/modules/accessibility.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/accessibility.js.map rename to js/highcharts/modules/accessibility.js.map diff --git a/notemyprogress/js/highcharts/modules/accessibility.src.js b/js/highcharts/modules/accessibility.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/accessibility.src.js rename to js/highcharts/modules/accessibility.src.js diff --git a/notemyprogress/js/highcharts/modules/annotations-advanced.js b/js/highcharts/modules/annotations-advanced.js similarity index 100% rename from notemyprogress/js/highcharts/modules/annotations-advanced.js rename to js/highcharts/modules/annotations-advanced.js diff --git a/notemyprogress/js/highcharts/modules/annotations-advanced.js.map b/js/highcharts/modules/annotations-advanced.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/annotations-advanced.js.map rename to js/highcharts/modules/annotations-advanced.js.map diff --git a/notemyprogress/js/highcharts/modules/annotations-advanced.src.js b/js/highcharts/modules/annotations-advanced.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/annotations-advanced.src.js rename to js/highcharts/modules/annotations-advanced.src.js diff --git a/notemyprogress/js/highcharts/modules/annotations.js b/js/highcharts/modules/annotations.js similarity index 100% rename from notemyprogress/js/highcharts/modules/annotations.js rename to js/highcharts/modules/annotations.js diff --git a/notemyprogress/js/highcharts/modules/annotations.js.map b/js/highcharts/modules/annotations.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/annotations.js.map rename to js/highcharts/modules/annotations.js.map diff --git a/notemyprogress/js/highcharts/modules/annotations.src.js b/js/highcharts/modules/annotations.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/annotations.src.js rename to js/highcharts/modules/annotations.src.js diff --git a/notemyprogress/js/highcharts/modules/arrow-symbols.js b/js/highcharts/modules/arrow-symbols.js similarity index 100% rename from notemyprogress/js/highcharts/modules/arrow-symbols.js rename to js/highcharts/modules/arrow-symbols.js diff --git a/notemyprogress/js/highcharts/modules/arrow-symbols.js.map b/js/highcharts/modules/arrow-symbols.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/arrow-symbols.js.map rename to js/highcharts/modules/arrow-symbols.js.map diff --git a/notemyprogress/js/highcharts/modules/arrow-symbols.src.js b/js/highcharts/modules/arrow-symbols.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/arrow-symbols.src.js rename to js/highcharts/modules/arrow-symbols.src.js diff --git a/notemyprogress/js/highcharts/modules/boost-canvas.js b/js/highcharts/modules/boost-canvas.js similarity index 100% rename from notemyprogress/js/highcharts/modules/boost-canvas.js rename to js/highcharts/modules/boost-canvas.js diff --git a/notemyprogress/js/highcharts/modules/boost-canvas.js.map b/js/highcharts/modules/boost-canvas.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/boost-canvas.js.map rename to js/highcharts/modules/boost-canvas.js.map diff --git a/notemyprogress/js/highcharts/modules/boost-canvas.src.js b/js/highcharts/modules/boost-canvas.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/boost-canvas.src.js rename to js/highcharts/modules/boost-canvas.src.js diff --git a/notemyprogress/js/highcharts/modules/boost.js b/js/highcharts/modules/boost.js similarity index 100% rename from notemyprogress/js/highcharts/modules/boost.js rename to js/highcharts/modules/boost.js diff --git a/notemyprogress/js/highcharts/modules/boost.js.map b/js/highcharts/modules/boost.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/boost.js.map rename to js/highcharts/modules/boost.js.map diff --git a/notemyprogress/js/highcharts/modules/boost.src.js b/js/highcharts/modules/boost.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/boost.src.js rename to js/highcharts/modules/boost.src.js diff --git a/notemyprogress/js/highcharts/modules/broken-axis.js b/js/highcharts/modules/broken-axis.js similarity index 100% rename from notemyprogress/js/highcharts/modules/broken-axis.js rename to js/highcharts/modules/broken-axis.js diff --git a/notemyprogress/js/highcharts/modules/broken-axis.js.map b/js/highcharts/modules/broken-axis.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/broken-axis.js.map rename to js/highcharts/modules/broken-axis.js.map diff --git a/notemyprogress/js/highcharts/modules/broken-axis.src.js b/js/highcharts/modules/broken-axis.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/broken-axis.src.js rename to js/highcharts/modules/broken-axis.src.js diff --git a/notemyprogress/js/highcharts/modules/bullet.js b/js/highcharts/modules/bullet.js similarity index 100% rename from notemyprogress/js/highcharts/modules/bullet.js rename to js/highcharts/modules/bullet.js diff --git a/notemyprogress/js/highcharts/modules/bullet.js.map b/js/highcharts/modules/bullet.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/bullet.js.map rename to js/highcharts/modules/bullet.js.map diff --git a/notemyprogress/js/highcharts/modules/bullet.src.js b/js/highcharts/modules/bullet.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/bullet.src.js rename to js/highcharts/modules/bullet.src.js diff --git a/notemyprogress/js/highcharts/modules/coloraxis.js b/js/highcharts/modules/coloraxis.js similarity index 100% rename from notemyprogress/js/highcharts/modules/coloraxis.js rename to js/highcharts/modules/coloraxis.js diff --git a/notemyprogress/js/highcharts/modules/coloraxis.js.map b/js/highcharts/modules/coloraxis.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/coloraxis.js.map rename to js/highcharts/modules/coloraxis.js.map diff --git a/notemyprogress/js/highcharts/modules/coloraxis.src.js b/js/highcharts/modules/coloraxis.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/coloraxis.src.js rename to js/highcharts/modules/coloraxis.src.js diff --git a/notemyprogress/js/highcharts/modules/current-date-indicator.js b/js/highcharts/modules/current-date-indicator.js similarity index 100% rename from notemyprogress/js/highcharts/modules/current-date-indicator.js rename to js/highcharts/modules/current-date-indicator.js diff --git a/notemyprogress/js/highcharts/modules/current-date-indicator.js.map b/js/highcharts/modules/current-date-indicator.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/current-date-indicator.js.map rename to js/highcharts/modules/current-date-indicator.js.map diff --git a/notemyprogress/js/highcharts/modules/current-date-indicator.src.js b/js/highcharts/modules/current-date-indicator.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/current-date-indicator.src.js rename to js/highcharts/modules/current-date-indicator.src.js diff --git a/notemyprogress/js/highcharts/modules/cylinder.js b/js/highcharts/modules/cylinder.js similarity index 100% rename from notemyprogress/js/highcharts/modules/cylinder.js rename to js/highcharts/modules/cylinder.js diff --git a/notemyprogress/js/highcharts/modules/cylinder.js.map b/js/highcharts/modules/cylinder.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/cylinder.js.map rename to js/highcharts/modules/cylinder.js.map diff --git a/notemyprogress/js/highcharts/modules/cylinder.src.js b/js/highcharts/modules/cylinder.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/cylinder.src.js rename to js/highcharts/modules/cylinder.src.js diff --git a/notemyprogress/js/highcharts/modules/data.js b/js/highcharts/modules/data.js similarity index 100% rename from notemyprogress/js/highcharts/modules/data.js rename to js/highcharts/modules/data.js diff --git a/notemyprogress/js/highcharts/modules/data.js.map b/js/highcharts/modules/data.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/data.js.map rename to js/highcharts/modules/data.js.map diff --git a/notemyprogress/js/highcharts/modules/data.src.js b/js/highcharts/modules/data.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/data.src.js rename to js/highcharts/modules/data.src.js diff --git a/notemyprogress/js/highcharts/modules/datagrouping.js b/js/highcharts/modules/datagrouping.js similarity index 100% rename from notemyprogress/js/highcharts/modules/datagrouping.js rename to js/highcharts/modules/datagrouping.js diff --git a/notemyprogress/js/highcharts/modules/datagrouping.js.map b/js/highcharts/modules/datagrouping.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/datagrouping.js.map rename to js/highcharts/modules/datagrouping.js.map diff --git a/notemyprogress/js/highcharts/modules/datagrouping.src.js b/js/highcharts/modules/datagrouping.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/datagrouping.src.js rename to js/highcharts/modules/datagrouping.src.js diff --git a/notemyprogress/js/highcharts/modules/debugger.js b/js/highcharts/modules/debugger.js similarity index 100% rename from notemyprogress/js/highcharts/modules/debugger.js rename to js/highcharts/modules/debugger.js diff --git a/notemyprogress/js/highcharts/modules/debugger.js.map b/js/highcharts/modules/debugger.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/debugger.js.map rename to js/highcharts/modules/debugger.js.map diff --git a/notemyprogress/js/highcharts/modules/debugger.src.js b/js/highcharts/modules/debugger.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/debugger.src.js rename to js/highcharts/modules/debugger.src.js diff --git a/notemyprogress/js/highcharts/modules/dependency-wheel.js b/js/highcharts/modules/dependency-wheel.js similarity index 100% rename from notemyprogress/js/highcharts/modules/dependency-wheel.js rename to js/highcharts/modules/dependency-wheel.js diff --git a/notemyprogress/js/highcharts/modules/dependency-wheel.js.map b/js/highcharts/modules/dependency-wheel.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/dependency-wheel.js.map rename to js/highcharts/modules/dependency-wheel.js.map diff --git a/notemyprogress/js/highcharts/modules/dependency-wheel.src.js b/js/highcharts/modules/dependency-wheel.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/dependency-wheel.src.js rename to js/highcharts/modules/dependency-wheel.src.js diff --git a/notemyprogress/js/highcharts/modules/dotplot.js b/js/highcharts/modules/dotplot.js similarity index 100% rename from notemyprogress/js/highcharts/modules/dotplot.js rename to js/highcharts/modules/dotplot.js diff --git a/notemyprogress/js/highcharts/modules/dotplot.js.map b/js/highcharts/modules/dotplot.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/dotplot.js.map rename to js/highcharts/modules/dotplot.js.map diff --git a/notemyprogress/js/highcharts/modules/dotplot.src.js b/js/highcharts/modules/dotplot.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/dotplot.src.js rename to js/highcharts/modules/dotplot.src.js diff --git a/notemyprogress/js/highcharts/modules/drag-panes.js b/js/highcharts/modules/drag-panes.js similarity index 100% rename from notemyprogress/js/highcharts/modules/drag-panes.js rename to js/highcharts/modules/drag-panes.js diff --git a/notemyprogress/js/highcharts/modules/drag-panes.js.map b/js/highcharts/modules/drag-panes.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/drag-panes.js.map rename to js/highcharts/modules/drag-panes.js.map diff --git a/notemyprogress/js/highcharts/modules/drag-panes.src.js b/js/highcharts/modules/drag-panes.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/drag-panes.src.js rename to js/highcharts/modules/drag-panes.src.js diff --git a/notemyprogress/js/highcharts/modules/draggable-points.js b/js/highcharts/modules/draggable-points.js similarity index 100% rename from notemyprogress/js/highcharts/modules/draggable-points.js rename to js/highcharts/modules/draggable-points.js diff --git a/notemyprogress/js/highcharts/modules/draggable-points.js.map b/js/highcharts/modules/draggable-points.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/draggable-points.js.map rename to js/highcharts/modules/draggable-points.js.map diff --git a/notemyprogress/js/highcharts/modules/draggable-points.src.js b/js/highcharts/modules/draggable-points.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/draggable-points.src.js rename to js/highcharts/modules/draggable-points.src.js diff --git a/notemyprogress/js/highcharts/modules/drilldown.js b/js/highcharts/modules/drilldown.js similarity index 100% rename from notemyprogress/js/highcharts/modules/drilldown.js rename to js/highcharts/modules/drilldown.js diff --git a/notemyprogress/js/highcharts/modules/drilldown.js.map b/js/highcharts/modules/drilldown.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/drilldown.js.map rename to js/highcharts/modules/drilldown.js.map diff --git a/notemyprogress/js/highcharts/modules/drilldown.src.js b/js/highcharts/modules/drilldown.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/drilldown.src.js rename to js/highcharts/modules/drilldown.src.js diff --git a/notemyprogress/js/highcharts/modules/dumbbell.js b/js/highcharts/modules/dumbbell.js similarity index 100% rename from notemyprogress/js/highcharts/modules/dumbbell.js rename to js/highcharts/modules/dumbbell.js diff --git a/notemyprogress/js/highcharts/modules/dumbbell.js.map b/js/highcharts/modules/dumbbell.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/dumbbell.js.map rename to js/highcharts/modules/dumbbell.js.map diff --git a/notemyprogress/js/highcharts/modules/dumbbell.src.js b/js/highcharts/modules/dumbbell.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/dumbbell.src.js rename to js/highcharts/modules/dumbbell.src.js diff --git a/notemyprogress/js/highcharts/modules/export-data.js b/js/highcharts/modules/export-data.js similarity index 100% rename from notemyprogress/js/highcharts/modules/export-data.js rename to js/highcharts/modules/export-data.js diff --git a/notemyprogress/js/highcharts/modules/export-data.js.map b/js/highcharts/modules/export-data.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/export-data.js.map rename to js/highcharts/modules/export-data.js.map diff --git a/notemyprogress/js/highcharts/modules/export-data.src.js b/js/highcharts/modules/export-data.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/export-data.src.js rename to js/highcharts/modules/export-data.src.js diff --git a/notemyprogress/js/highcharts/modules/exporting.js b/js/highcharts/modules/exporting.js similarity index 100% rename from notemyprogress/js/highcharts/modules/exporting.js rename to js/highcharts/modules/exporting.js diff --git a/notemyprogress/js/highcharts/modules/exporting.js.map b/js/highcharts/modules/exporting.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/exporting.js.map rename to js/highcharts/modules/exporting.js.map diff --git a/notemyprogress/js/highcharts/modules/exporting.src.js b/js/highcharts/modules/exporting.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/exporting.src.js rename to js/highcharts/modules/exporting.src.js diff --git a/notemyprogress/js/highcharts/modules/full-screen.js b/js/highcharts/modules/full-screen.js similarity index 100% rename from notemyprogress/js/highcharts/modules/full-screen.js rename to js/highcharts/modules/full-screen.js diff --git a/notemyprogress/js/highcharts/modules/full-screen.js.map b/js/highcharts/modules/full-screen.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/full-screen.js.map rename to js/highcharts/modules/full-screen.js.map diff --git a/notemyprogress/js/highcharts/modules/full-screen.src.js b/js/highcharts/modules/full-screen.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/full-screen.src.js rename to js/highcharts/modules/full-screen.src.js diff --git a/notemyprogress/js/highcharts/modules/funnel.js b/js/highcharts/modules/funnel.js similarity index 100% rename from notemyprogress/js/highcharts/modules/funnel.js rename to js/highcharts/modules/funnel.js diff --git a/notemyprogress/js/highcharts/modules/funnel.js.map b/js/highcharts/modules/funnel.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/funnel.js.map rename to js/highcharts/modules/funnel.js.map diff --git a/notemyprogress/js/highcharts/modules/funnel.src.js b/js/highcharts/modules/funnel.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/funnel.src.js rename to js/highcharts/modules/funnel.src.js diff --git a/notemyprogress/js/highcharts/modules/funnel3d.js b/js/highcharts/modules/funnel3d.js similarity index 100% rename from notemyprogress/js/highcharts/modules/funnel3d.js rename to js/highcharts/modules/funnel3d.js diff --git a/notemyprogress/js/highcharts/modules/funnel3d.js.map b/js/highcharts/modules/funnel3d.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/funnel3d.js.map rename to js/highcharts/modules/funnel3d.js.map diff --git a/notemyprogress/js/highcharts/modules/funnel3d.src.js b/js/highcharts/modules/funnel3d.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/funnel3d.src.js rename to js/highcharts/modules/funnel3d.src.js diff --git a/notemyprogress/js/highcharts/modules/gantt.js b/js/highcharts/modules/gantt.js similarity index 100% rename from notemyprogress/js/highcharts/modules/gantt.js rename to js/highcharts/modules/gantt.js diff --git a/notemyprogress/js/highcharts/modules/gantt.js.map b/js/highcharts/modules/gantt.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/gantt.js.map rename to js/highcharts/modules/gantt.js.map diff --git a/notemyprogress/js/highcharts/modules/gantt.src.js b/js/highcharts/modules/gantt.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/gantt.src.js rename to js/highcharts/modules/gantt.src.js diff --git a/notemyprogress/js/highcharts/modules/grid-axis.js b/js/highcharts/modules/grid-axis.js similarity index 100% rename from notemyprogress/js/highcharts/modules/grid-axis.js rename to js/highcharts/modules/grid-axis.js diff --git a/notemyprogress/js/highcharts/modules/grid-axis.js.map b/js/highcharts/modules/grid-axis.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/grid-axis.js.map rename to js/highcharts/modules/grid-axis.js.map diff --git a/notemyprogress/js/highcharts/modules/grid-axis.src.js b/js/highcharts/modules/grid-axis.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/grid-axis.src.js rename to js/highcharts/modules/grid-axis.src.js diff --git a/notemyprogress/js/highcharts/modules/heatmap.js b/js/highcharts/modules/heatmap.js similarity index 100% rename from notemyprogress/js/highcharts/modules/heatmap.js rename to js/highcharts/modules/heatmap.js diff --git a/notemyprogress/js/highcharts/modules/heatmap.js.map b/js/highcharts/modules/heatmap.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/heatmap.js.map rename to js/highcharts/modules/heatmap.js.map diff --git a/notemyprogress/js/highcharts/modules/heatmap.src.js b/js/highcharts/modules/heatmap.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/heatmap.src.js rename to js/highcharts/modules/heatmap.src.js diff --git a/notemyprogress/js/highcharts/modules/histogram-bellcurve.js b/js/highcharts/modules/histogram-bellcurve.js similarity index 100% rename from notemyprogress/js/highcharts/modules/histogram-bellcurve.js rename to js/highcharts/modules/histogram-bellcurve.js diff --git a/notemyprogress/js/highcharts/modules/histogram-bellcurve.js.map b/js/highcharts/modules/histogram-bellcurve.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/histogram-bellcurve.js.map rename to js/highcharts/modules/histogram-bellcurve.js.map diff --git a/notemyprogress/js/highcharts/modules/histogram-bellcurve.src.js b/js/highcharts/modules/histogram-bellcurve.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/histogram-bellcurve.src.js rename to js/highcharts/modules/histogram-bellcurve.src.js diff --git a/notemyprogress/js/highcharts/modules/item-series.js b/js/highcharts/modules/item-series.js similarity index 100% rename from notemyprogress/js/highcharts/modules/item-series.js rename to js/highcharts/modules/item-series.js diff --git a/notemyprogress/js/highcharts/modules/item-series.js.map b/js/highcharts/modules/item-series.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/item-series.js.map rename to js/highcharts/modules/item-series.js.map diff --git a/notemyprogress/js/highcharts/modules/item-series.src.js b/js/highcharts/modules/item-series.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/item-series.src.js rename to js/highcharts/modules/item-series.src.js diff --git a/notemyprogress/js/highcharts/modules/lollipop.js b/js/highcharts/modules/lollipop.js similarity index 100% rename from notemyprogress/js/highcharts/modules/lollipop.js rename to js/highcharts/modules/lollipop.js diff --git a/notemyprogress/js/highcharts/modules/lollipop.js.map b/js/highcharts/modules/lollipop.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/lollipop.js.map rename to js/highcharts/modules/lollipop.js.map diff --git a/notemyprogress/js/highcharts/modules/lollipop.src.js b/js/highcharts/modules/lollipop.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/lollipop.src.js rename to js/highcharts/modules/lollipop.src.js diff --git a/notemyprogress/js/highcharts/modules/marker-clusters.js b/js/highcharts/modules/marker-clusters.js similarity index 100% rename from notemyprogress/js/highcharts/modules/marker-clusters.js rename to js/highcharts/modules/marker-clusters.js diff --git a/notemyprogress/js/highcharts/modules/marker-clusters.js.map b/js/highcharts/modules/marker-clusters.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/marker-clusters.js.map rename to js/highcharts/modules/marker-clusters.js.map diff --git a/notemyprogress/js/highcharts/modules/marker-clusters.src.js b/js/highcharts/modules/marker-clusters.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/marker-clusters.src.js rename to js/highcharts/modules/marker-clusters.src.js diff --git a/notemyprogress/js/highcharts/modules/networkgraph.js b/js/highcharts/modules/networkgraph.js similarity index 100% rename from notemyprogress/js/highcharts/modules/networkgraph.js rename to js/highcharts/modules/networkgraph.js diff --git a/notemyprogress/js/highcharts/modules/networkgraph.js.map b/js/highcharts/modules/networkgraph.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/networkgraph.js.map rename to js/highcharts/modules/networkgraph.js.map diff --git a/notemyprogress/js/highcharts/modules/networkgraph.src.js b/js/highcharts/modules/networkgraph.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/networkgraph.src.js rename to js/highcharts/modules/networkgraph.src.js diff --git a/notemyprogress/js/highcharts/modules/no-data-to-display.js b/js/highcharts/modules/no-data-to-display.js similarity index 100% rename from notemyprogress/js/highcharts/modules/no-data-to-display.js rename to js/highcharts/modules/no-data-to-display.js diff --git a/notemyprogress/js/highcharts/modules/no-data-to-display.js.map b/js/highcharts/modules/no-data-to-display.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/no-data-to-display.js.map rename to js/highcharts/modules/no-data-to-display.js.map diff --git a/notemyprogress/js/highcharts/modules/no-data-to-display.src.js b/js/highcharts/modules/no-data-to-display.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/no-data-to-display.src.js rename to js/highcharts/modules/no-data-to-display.src.js diff --git a/notemyprogress/js/highcharts/modules/offline-exporting.js b/js/highcharts/modules/offline-exporting.js similarity index 100% rename from notemyprogress/js/highcharts/modules/offline-exporting.js rename to js/highcharts/modules/offline-exporting.js diff --git a/notemyprogress/js/highcharts/modules/offline-exporting.js.map b/js/highcharts/modules/offline-exporting.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/offline-exporting.js.map rename to js/highcharts/modules/offline-exporting.js.map diff --git a/notemyprogress/js/highcharts/modules/offline-exporting.src.js b/js/highcharts/modules/offline-exporting.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/offline-exporting.src.js rename to js/highcharts/modules/offline-exporting.src.js diff --git a/notemyprogress/js/highcharts/modules/oldie-polyfills.js b/js/highcharts/modules/oldie-polyfills.js similarity index 100% rename from notemyprogress/js/highcharts/modules/oldie-polyfills.js rename to js/highcharts/modules/oldie-polyfills.js diff --git a/notemyprogress/js/highcharts/modules/oldie-polyfills.js.map b/js/highcharts/modules/oldie-polyfills.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/oldie-polyfills.js.map rename to js/highcharts/modules/oldie-polyfills.js.map diff --git a/notemyprogress/js/highcharts/modules/oldie-polyfills.src.js b/js/highcharts/modules/oldie-polyfills.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/oldie-polyfills.src.js rename to js/highcharts/modules/oldie-polyfills.src.js diff --git a/notemyprogress/js/highcharts/modules/oldie.js b/js/highcharts/modules/oldie.js similarity index 100% rename from notemyprogress/js/highcharts/modules/oldie.js rename to js/highcharts/modules/oldie.js diff --git a/notemyprogress/js/highcharts/modules/oldie.js.map b/js/highcharts/modules/oldie.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/oldie.js.map rename to js/highcharts/modules/oldie.js.map diff --git a/notemyprogress/js/highcharts/modules/oldie.src.js b/js/highcharts/modules/oldie.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/oldie.src.js rename to js/highcharts/modules/oldie.src.js diff --git a/notemyprogress/js/highcharts/modules/organization.js b/js/highcharts/modules/organization.js similarity index 100% rename from notemyprogress/js/highcharts/modules/organization.js rename to js/highcharts/modules/organization.js diff --git a/notemyprogress/js/highcharts/modules/organization.js.map b/js/highcharts/modules/organization.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/organization.js.map rename to js/highcharts/modules/organization.js.map diff --git a/notemyprogress/js/highcharts/modules/organization.src.js b/js/highcharts/modules/organization.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/organization.src.js rename to js/highcharts/modules/organization.src.js diff --git a/notemyprogress/js/highcharts/modules/overlapping-datalabels.js b/js/highcharts/modules/overlapping-datalabels.js similarity index 100% rename from notemyprogress/js/highcharts/modules/overlapping-datalabels.js rename to js/highcharts/modules/overlapping-datalabels.js diff --git a/notemyprogress/js/highcharts/modules/overlapping-datalabels.js.map b/js/highcharts/modules/overlapping-datalabels.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/overlapping-datalabels.js.map rename to js/highcharts/modules/overlapping-datalabels.js.map diff --git a/notemyprogress/js/highcharts/modules/overlapping-datalabels.src.js b/js/highcharts/modules/overlapping-datalabels.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/overlapping-datalabels.src.js rename to js/highcharts/modules/overlapping-datalabels.src.js diff --git a/notemyprogress/js/highcharts/modules/parallel-coordinates.js b/js/highcharts/modules/parallel-coordinates.js similarity index 100% rename from notemyprogress/js/highcharts/modules/parallel-coordinates.js rename to js/highcharts/modules/parallel-coordinates.js diff --git a/notemyprogress/js/highcharts/modules/parallel-coordinates.js.map b/js/highcharts/modules/parallel-coordinates.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/parallel-coordinates.js.map rename to js/highcharts/modules/parallel-coordinates.js.map diff --git a/notemyprogress/js/highcharts/modules/parallel-coordinates.src.js b/js/highcharts/modules/parallel-coordinates.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/parallel-coordinates.src.js rename to js/highcharts/modules/parallel-coordinates.src.js diff --git a/notemyprogress/js/highcharts/modules/pareto.js b/js/highcharts/modules/pareto.js similarity index 100% rename from notemyprogress/js/highcharts/modules/pareto.js rename to js/highcharts/modules/pareto.js diff --git a/notemyprogress/js/highcharts/modules/pareto.js.map b/js/highcharts/modules/pareto.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/pareto.js.map rename to js/highcharts/modules/pareto.js.map diff --git a/notemyprogress/js/highcharts/modules/pareto.src.js b/js/highcharts/modules/pareto.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/pareto.src.js rename to js/highcharts/modules/pareto.src.js diff --git a/notemyprogress/js/highcharts/modules/pathfinder.js b/js/highcharts/modules/pathfinder.js similarity index 100% rename from notemyprogress/js/highcharts/modules/pathfinder.js rename to js/highcharts/modules/pathfinder.js diff --git a/notemyprogress/js/highcharts/modules/pathfinder.js.map b/js/highcharts/modules/pathfinder.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/pathfinder.js.map rename to js/highcharts/modules/pathfinder.js.map diff --git a/notemyprogress/js/highcharts/modules/pathfinder.src.js b/js/highcharts/modules/pathfinder.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/pathfinder.src.js rename to js/highcharts/modules/pathfinder.src.js diff --git a/notemyprogress/js/highcharts/modules/pattern-fill.js b/js/highcharts/modules/pattern-fill.js similarity index 100% rename from notemyprogress/js/highcharts/modules/pattern-fill.js rename to js/highcharts/modules/pattern-fill.js diff --git a/notemyprogress/js/highcharts/modules/pattern-fill.js.map b/js/highcharts/modules/pattern-fill.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/pattern-fill.js.map rename to js/highcharts/modules/pattern-fill.js.map diff --git a/notemyprogress/js/highcharts/modules/pattern-fill.src.js b/js/highcharts/modules/pattern-fill.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/pattern-fill.src.js rename to js/highcharts/modules/pattern-fill.src.js diff --git a/notemyprogress/js/highcharts/modules/price-indicator.js b/js/highcharts/modules/price-indicator.js similarity index 100% rename from notemyprogress/js/highcharts/modules/price-indicator.js rename to js/highcharts/modules/price-indicator.js diff --git a/notemyprogress/js/highcharts/modules/price-indicator.js.map b/js/highcharts/modules/price-indicator.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/price-indicator.js.map rename to js/highcharts/modules/price-indicator.js.map diff --git a/notemyprogress/js/highcharts/modules/price-indicator.src.js b/js/highcharts/modules/price-indicator.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/price-indicator.src.js rename to js/highcharts/modules/price-indicator.src.js diff --git a/notemyprogress/js/highcharts/modules/pyramid3d.js b/js/highcharts/modules/pyramid3d.js similarity index 100% rename from notemyprogress/js/highcharts/modules/pyramid3d.js rename to js/highcharts/modules/pyramid3d.js diff --git a/notemyprogress/js/highcharts/modules/pyramid3d.js.map b/js/highcharts/modules/pyramid3d.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/pyramid3d.js.map rename to js/highcharts/modules/pyramid3d.js.map diff --git a/notemyprogress/js/highcharts/modules/pyramid3d.src.js b/js/highcharts/modules/pyramid3d.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/pyramid3d.src.js rename to js/highcharts/modules/pyramid3d.src.js diff --git a/notemyprogress/js/highcharts/modules/sankey.js b/js/highcharts/modules/sankey.js similarity index 100% rename from notemyprogress/js/highcharts/modules/sankey.js rename to js/highcharts/modules/sankey.js diff --git a/notemyprogress/js/highcharts/modules/sankey.js.map b/js/highcharts/modules/sankey.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/sankey.js.map rename to js/highcharts/modules/sankey.js.map diff --git a/notemyprogress/js/highcharts/modules/sankey.src.js b/js/highcharts/modules/sankey.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/sankey.src.js rename to js/highcharts/modules/sankey.src.js diff --git a/notemyprogress/js/highcharts/modules/series-label.js b/js/highcharts/modules/series-label.js similarity index 100% rename from notemyprogress/js/highcharts/modules/series-label.js rename to js/highcharts/modules/series-label.js diff --git a/notemyprogress/js/highcharts/modules/series-label.js.map b/js/highcharts/modules/series-label.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/series-label.js.map rename to js/highcharts/modules/series-label.js.map diff --git a/notemyprogress/js/highcharts/modules/series-label.src.js b/js/highcharts/modules/series-label.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/series-label.src.js rename to js/highcharts/modules/series-label.src.js diff --git a/notemyprogress/js/highcharts/modules/solid-gauge.js b/js/highcharts/modules/solid-gauge.js similarity index 100% rename from notemyprogress/js/highcharts/modules/solid-gauge.js rename to js/highcharts/modules/solid-gauge.js diff --git a/notemyprogress/js/highcharts/modules/solid-gauge.js.map b/js/highcharts/modules/solid-gauge.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/solid-gauge.js.map rename to js/highcharts/modules/solid-gauge.js.map diff --git a/notemyprogress/js/highcharts/modules/solid-gauge.src.js b/js/highcharts/modules/solid-gauge.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/solid-gauge.src.js rename to js/highcharts/modules/solid-gauge.src.js diff --git a/notemyprogress/js/highcharts/modules/sonification.js b/js/highcharts/modules/sonification.js similarity index 100% rename from notemyprogress/js/highcharts/modules/sonification.js rename to js/highcharts/modules/sonification.js diff --git a/notemyprogress/js/highcharts/modules/sonification.js.map b/js/highcharts/modules/sonification.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/sonification.js.map rename to js/highcharts/modules/sonification.js.map diff --git a/notemyprogress/js/highcharts/modules/sonification.src.js b/js/highcharts/modules/sonification.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/sonification.src.js rename to js/highcharts/modules/sonification.src.js diff --git a/notemyprogress/js/highcharts/modules/static-scale.js b/js/highcharts/modules/static-scale.js similarity index 100% rename from notemyprogress/js/highcharts/modules/static-scale.js rename to js/highcharts/modules/static-scale.js diff --git a/notemyprogress/js/highcharts/modules/static-scale.js.map b/js/highcharts/modules/static-scale.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/static-scale.js.map rename to js/highcharts/modules/static-scale.js.map diff --git a/notemyprogress/js/highcharts/modules/static-scale.src.js b/js/highcharts/modules/static-scale.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/static-scale.src.js rename to js/highcharts/modules/static-scale.src.js diff --git a/notemyprogress/js/highcharts/modules/stock-tools.js b/js/highcharts/modules/stock-tools.js similarity index 100% rename from notemyprogress/js/highcharts/modules/stock-tools.js rename to js/highcharts/modules/stock-tools.js diff --git a/notemyprogress/js/highcharts/modules/stock-tools.js.map b/js/highcharts/modules/stock-tools.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/stock-tools.js.map rename to js/highcharts/modules/stock-tools.js.map diff --git a/notemyprogress/js/highcharts/modules/stock-tools.src.js b/js/highcharts/modules/stock-tools.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/stock-tools.src.js rename to js/highcharts/modules/stock-tools.src.js diff --git a/notemyprogress/js/highcharts/modules/stock.js b/js/highcharts/modules/stock.js similarity index 100% rename from notemyprogress/js/highcharts/modules/stock.js rename to js/highcharts/modules/stock.js diff --git a/notemyprogress/js/highcharts/modules/stock.js.map b/js/highcharts/modules/stock.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/stock.js.map rename to js/highcharts/modules/stock.js.map diff --git a/notemyprogress/js/highcharts/modules/stock.src.js b/js/highcharts/modules/stock.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/stock.src.js rename to js/highcharts/modules/stock.src.js diff --git a/notemyprogress/js/highcharts/modules/streamgraph.js b/js/highcharts/modules/streamgraph.js similarity index 100% rename from notemyprogress/js/highcharts/modules/streamgraph.js rename to js/highcharts/modules/streamgraph.js diff --git a/notemyprogress/js/highcharts/modules/streamgraph.js.map b/js/highcharts/modules/streamgraph.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/streamgraph.js.map rename to js/highcharts/modules/streamgraph.js.map diff --git a/notemyprogress/js/highcharts/modules/streamgraph.src.js b/js/highcharts/modules/streamgraph.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/streamgraph.src.js rename to js/highcharts/modules/streamgraph.src.js diff --git a/notemyprogress/js/highcharts/modules/sunburst.js b/js/highcharts/modules/sunburst.js similarity index 100% rename from notemyprogress/js/highcharts/modules/sunburst.js rename to js/highcharts/modules/sunburst.js diff --git a/notemyprogress/js/highcharts/modules/sunburst.js.map b/js/highcharts/modules/sunburst.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/sunburst.js.map rename to js/highcharts/modules/sunburst.js.map diff --git a/notemyprogress/js/highcharts/modules/sunburst.src.js b/js/highcharts/modules/sunburst.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/sunburst.src.js rename to js/highcharts/modules/sunburst.src.js diff --git a/notemyprogress/js/highcharts/modules/tilemap.js b/js/highcharts/modules/tilemap.js similarity index 100% rename from notemyprogress/js/highcharts/modules/tilemap.js rename to js/highcharts/modules/tilemap.js diff --git a/notemyprogress/js/highcharts/modules/tilemap.js.map b/js/highcharts/modules/tilemap.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/tilemap.js.map rename to js/highcharts/modules/tilemap.js.map diff --git a/notemyprogress/js/highcharts/modules/tilemap.src.js b/js/highcharts/modules/tilemap.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/tilemap.src.js rename to js/highcharts/modules/tilemap.src.js diff --git a/notemyprogress/js/highcharts/modules/timeline.js b/js/highcharts/modules/timeline.js similarity index 100% rename from notemyprogress/js/highcharts/modules/timeline.js rename to js/highcharts/modules/timeline.js diff --git a/notemyprogress/js/highcharts/modules/timeline.js.map b/js/highcharts/modules/timeline.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/timeline.js.map rename to js/highcharts/modules/timeline.js.map diff --git a/notemyprogress/js/highcharts/modules/timeline.src.js b/js/highcharts/modules/timeline.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/timeline.src.js rename to js/highcharts/modules/timeline.src.js diff --git a/notemyprogress/js/highcharts/modules/treegrid.js b/js/highcharts/modules/treegrid.js similarity index 100% rename from notemyprogress/js/highcharts/modules/treegrid.js rename to js/highcharts/modules/treegrid.js diff --git a/notemyprogress/js/highcharts/modules/treegrid.js.map b/js/highcharts/modules/treegrid.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/treegrid.js.map rename to js/highcharts/modules/treegrid.js.map diff --git a/notemyprogress/js/highcharts/modules/treegrid.src.js b/js/highcharts/modules/treegrid.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/treegrid.src.js rename to js/highcharts/modules/treegrid.src.js diff --git a/notemyprogress/js/highcharts/modules/treemap.js b/js/highcharts/modules/treemap.js similarity index 100% rename from notemyprogress/js/highcharts/modules/treemap.js rename to js/highcharts/modules/treemap.js diff --git a/notemyprogress/js/highcharts/modules/treemap.js.map b/js/highcharts/modules/treemap.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/treemap.js.map rename to js/highcharts/modules/treemap.js.map diff --git a/notemyprogress/js/highcharts/modules/treemap.src.js b/js/highcharts/modules/treemap.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/treemap.src.js rename to js/highcharts/modules/treemap.src.js diff --git a/notemyprogress/js/highcharts/modules/variable-pie.js b/js/highcharts/modules/variable-pie.js similarity index 100% rename from notemyprogress/js/highcharts/modules/variable-pie.js rename to js/highcharts/modules/variable-pie.js diff --git a/notemyprogress/js/highcharts/modules/variable-pie.js.map b/js/highcharts/modules/variable-pie.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/variable-pie.js.map rename to js/highcharts/modules/variable-pie.js.map diff --git a/notemyprogress/js/highcharts/modules/variable-pie.src.js b/js/highcharts/modules/variable-pie.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/variable-pie.src.js rename to js/highcharts/modules/variable-pie.src.js diff --git a/notemyprogress/js/highcharts/modules/variwide.js b/js/highcharts/modules/variwide.js similarity index 100% rename from notemyprogress/js/highcharts/modules/variwide.js rename to js/highcharts/modules/variwide.js diff --git a/notemyprogress/js/highcharts/modules/variwide.js.map b/js/highcharts/modules/variwide.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/variwide.js.map rename to js/highcharts/modules/variwide.js.map diff --git a/notemyprogress/js/highcharts/modules/variwide.src.js b/js/highcharts/modules/variwide.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/variwide.src.js rename to js/highcharts/modules/variwide.src.js diff --git a/notemyprogress/js/highcharts/modules/vector.js b/js/highcharts/modules/vector.js similarity index 100% rename from notemyprogress/js/highcharts/modules/vector.js rename to js/highcharts/modules/vector.js diff --git a/notemyprogress/js/highcharts/modules/vector.js.map b/js/highcharts/modules/vector.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/vector.js.map rename to js/highcharts/modules/vector.js.map diff --git a/notemyprogress/js/highcharts/modules/vector.src.js b/js/highcharts/modules/vector.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/vector.src.js rename to js/highcharts/modules/vector.src.js diff --git a/notemyprogress/js/highcharts/modules/venn.js b/js/highcharts/modules/venn.js similarity index 100% rename from notemyprogress/js/highcharts/modules/venn.js rename to js/highcharts/modules/venn.js diff --git a/notemyprogress/js/highcharts/modules/venn.js.map b/js/highcharts/modules/venn.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/venn.js.map rename to js/highcharts/modules/venn.js.map diff --git a/notemyprogress/js/highcharts/modules/venn.src.js b/js/highcharts/modules/venn.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/venn.src.js rename to js/highcharts/modules/venn.src.js diff --git a/notemyprogress/js/highcharts/modules/windbarb.js b/js/highcharts/modules/windbarb.js similarity index 100% rename from notemyprogress/js/highcharts/modules/windbarb.js rename to js/highcharts/modules/windbarb.js diff --git a/notemyprogress/js/highcharts/modules/windbarb.js.map b/js/highcharts/modules/windbarb.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/windbarb.js.map rename to js/highcharts/modules/windbarb.js.map diff --git a/notemyprogress/js/highcharts/modules/windbarb.src.js b/js/highcharts/modules/windbarb.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/windbarb.src.js rename to js/highcharts/modules/windbarb.src.js diff --git a/notemyprogress/js/highcharts/modules/wordcloud.js b/js/highcharts/modules/wordcloud.js similarity index 100% rename from notemyprogress/js/highcharts/modules/wordcloud.js rename to js/highcharts/modules/wordcloud.js diff --git a/notemyprogress/js/highcharts/modules/wordcloud.js.map b/js/highcharts/modules/wordcloud.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/wordcloud.js.map rename to js/highcharts/modules/wordcloud.js.map diff --git a/notemyprogress/js/highcharts/modules/wordcloud.src.js b/js/highcharts/modules/wordcloud.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/wordcloud.src.js rename to js/highcharts/modules/wordcloud.src.js diff --git a/notemyprogress/js/highcharts/modules/xrange.js b/js/highcharts/modules/xrange.js similarity index 100% rename from notemyprogress/js/highcharts/modules/xrange.js rename to js/highcharts/modules/xrange.js diff --git a/notemyprogress/js/highcharts/modules/xrange.js.map b/js/highcharts/modules/xrange.js.map similarity index 100% rename from notemyprogress/js/highcharts/modules/xrange.js.map rename to js/highcharts/modules/xrange.js.map diff --git a/notemyprogress/js/highcharts/modules/xrange.src.js b/js/highcharts/modules/xrange.src.js similarity index 100% rename from notemyprogress/js/highcharts/modules/xrange.src.js rename to js/highcharts/modules/xrange.src.js diff --git a/notemyprogress/js/moment-timezone.js b/js/moment-timezone.js similarity index 100% rename from notemyprogress/js/moment-timezone.js rename to js/moment-timezone.js diff --git a/notemyprogress/js/moment.js b/js/moment.js similarity index 100% rename from notemyprogress/js/moment.js rename to js/moment.js diff --git a/notemyprogress/js/sortablejs.js b/js/sortablejs.js similarity index 100% rename from notemyprogress/js/sortablejs.js rename to js/sortablejs.js diff --git a/notemyprogress/js/vue.js b/js/vue.js similarity index 100% rename from notemyprogress/js/vue.js rename to js/vue.js diff --git a/notemyprogress/js/vuetify.js b/js/vuetify.js similarity index 100% rename from notemyprogress/js/vuetify.js rename to js/vuetify.js diff --git a/notemyprogress/lang/en/local_notemyprogress.php b/lang/en/local_notemyprogress.php similarity index 100% rename from notemyprogress/lang/en/local_notemyprogress.php rename to lang/en/local_notemyprogress.php diff --git a/notemyprogress/lang/es/local_notemyprogress.php b/lang/es/local_notemyprogress.php similarity index 100% rename from notemyprogress/lang/es/local_notemyprogress.php rename to lang/es/local_notemyprogress.php diff --git a/notemyprogress/lang/fr/local_notemyprogress.php b/lang/fr/local_notemyprogress.php similarity index 100% rename from notemyprogress/lang/fr/local_notemyprogress.php rename to lang/fr/local_notemyprogress.php diff --git a/notemyprogress/lib.php b/lib.php similarity index 100% rename from notemyprogress/lib.php rename to lib.php diff --git a/notemyprogress/locallib.php b/locallib.php similarity index 100% rename from notemyprogress/locallib.php rename to locallib.php diff --git a/notemyprogress/logs.php b/logs.php similarity index 100% rename from notemyprogress/logs.php rename to logs.php diff --git a/notemyprogress/metareflexion.php b/metareflexion.php similarity index 100% rename from notemyprogress/metareflexion.php rename to metareflexion.php diff --git a/notemyprogress/README.md b/notemyprogress/README.md deleted file mode 100644 index 7d02b14..0000000 --- a/notemyprogress/README.md +++ /dev/null @@ -1,21 +0,0 @@ -# Flip My Learning # - -TODO Describe the plugin shortly here. - -TODO Provide more detailed description here. - -## License ## - -2020 Edisson Sigua <edissonf.sigua@gmail.com>, Bryan Aguilar <bryan.aguilar6174@gmail.com> - -This program is free software: you can redistribute it and/or modify it under -the terms of the GNU General Public License as published by the Free Software -Foundation, either version 3 of the License, or (at your option) any later -version. - -This program is distributed in the hope that it will be useful, but WITHOUT ANY -WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A -PARTICULAR PURPOSE. See the GNU General Public License for more details. - -You should have received a copy of the GNU General Public License along with -this program. If not, see <http://www.gnu.org/licenses/>. diff --git a/notemyprogress/notes.php b/notes.php similarity index 100% rename from notemyprogress/notes.php rename to notes.php diff --git a/notemyprogress/pix/badge.png b/pix/badge.png similarity index 100% rename from notemyprogress/pix/badge.png rename to pix/badge.png diff --git a/notemyprogress/pix/rankImage.png b/pix/rankImage.png similarity index 100% rename from notemyprogress/pix/rankImage.png rename to pix/rankImage.png diff --git a/notemyprogress/prueba.php b/prueba.php similarity index 100% rename from notemyprogress/prueba.php rename to prueba.php diff --git a/notemyprogress/quiz.php b/quiz.php similarity index 100% rename from notemyprogress/quiz.php rename to quiz.php diff --git a/notemyprogress/server/composer.json b/server/composer.json similarity index 100% rename from notemyprogress/server/composer.json rename to server/composer.json diff --git a/notemyprogress/server/composer.lock b/server/composer.lock similarity index 100% rename from notemyprogress/server/composer.lock rename to server/composer.lock diff --git a/notemyprogress/server/vendor/autoload.php b/server/vendor/autoload.php similarity index 100% rename from notemyprogress/server/vendor/autoload.php rename to server/vendor/autoload.php diff --git a/notemyprogress/server/vendor/composer/ClassLoader.php b/server/vendor/composer/ClassLoader.php similarity index 100% rename from notemyprogress/server/vendor/composer/ClassLoader.php rename to server/vendor/composer/ClassLoader.php diff --git a/notemyprogress/server/vendor/composer/InstalledVersions.php b/server/vendor/composer/InstalledVersions.php similarity index 100% rename from notemyprogress/server/vendor/composer/InstalledVersions.php rename to server/vendor/composer/InstalledVersions.php diff --git a/notemyprogress/server/vendor/composer/LICENSE b/server/vendor/composer/LICENSE similarity index 100% rename from notemyprogress/server/vendor/composer/LICENSE rename to server/vendor/composer/LICENSE diff --git a/notemyprogress/server/vendor/composer/autoload_classmap.php b/server/vendor/composer/autoload_classmap.php similarity index 100% rename from notemyprogress/server/vendor/composer/autoload_classmap.php rename to server/vendor/composer/autoload_classmap.php diff --git a/notemyprogress/server/vendor/composer/autoload_files.php b/server/vendor/composer/autoload_files.php similarity index 100% rename from notemyprogress/server/vendor/composer/autoload_files.php rename to server/vendor/composer/autoload_files.php diff --git a/notemyprogress/server/vendor/composer/autoload_namespaces.php b/server/vendor/composer/autoload_namespaces.php similarity index 100% rename from notemyprogress/server/vendor/composer/autoload_namespaces.php rename to server/vendor/composer/autoload_namespaces.php diff --git a/notemyprogress/server/vendor/composer/autoload_psr4.php b/server/vendor/composer/autoload_psr4.php similarity index 100% rename from notemyprogress/server/vendor/composer/autoload_psr4.php rename to server/vendor/composer/autoload_psr4.php diff --git a/notemyprogress/server/vendor/composer/autoload_real.php b/server/vendor/composer/autoload_real.php similarity index 100% rename from notemyprogress/server/vendor/composer/autoload_real.php rename to server/vendor/composer/autoload_real.php diff --git a/notemyprogress/server/vendor/composer/autoload_static.php b/server/vendor/composer/autoload_static.php similarity index 100% rename from notemyprogress/server/vendor/composer/autoload_static.php rename to server/vendor/composer/autoload_static.php diff --git a/notemyprogress/server/vendor/composer/installed.json b/server/vendor/composer/installed.json similarity index 100% rename from notemyprogress/server/vendor/composer/installed.json rename to server/vendor/composer/installed.json diff --git a/notemyprogress/server/vendor/composer/installed.php b/server/vendor/composer/installed.php similarity index 100% rename from notemyprogress/server/vendor/composer/installed.php rename to server/vendor/composer/installed.php diff --git a/notemyprogress/server/vendor/composer/package-versions-deprecated/CHANGELOG.md b/server/vendor/composer/package-versions-deprecated/CHANGELOG.md similarity index 100% rename from notemyprogress/server/vendor/composer/package-versions-deprecated/CHANGELOG.md rename to server/vendor/composer/package-versions-deprecated/CHANGELOG.md diff --git a/notemyprogress/server/vendor/composer/package-versions-deprecated/CONTRIBUTING.md b/server/vendor/composer/package-versions-deprecated/CONTRIBUTING.md similarity index 100% rename from notemyprogress/server/vendor/composer/package-versions-deprecated/CONTRIBUTING.md rename to server/vendor/composer/package-versions-deprecated/CONTRIBUTING.md diff --git a/notemyprogress/server/vendor/composer/package-versions-deprecated/LICENSE b/server/vendor/composer/package-versions-deprecated/LICENSE similarity index 100% rename from notemyprogress/server/vendor/composer/package-versions-deprecated/LICENSE rename to server/vendor/composer/package-versions-deprecated/LICENSE diff --git a/notemyprogress/server/vendor/composer/package-versions-deprecated/README.md b/server/vendor/composer/package-versions-deprecated/README.md similarity index 100% rename from notemyprogress/server/vendor/composer/package-versions-deprecated/README.md rename to server/vendor/composer/package-versions-deprecated/README.md diff --git a/notemyprogress/server/vendor/composer/package-versions-deprecated/SECURITY.md b/server/vendor/composer/package-versions-deprecated/SECURITY.md similarity index 100% rename from notemyprogress/server/vendor/composer/package-versions-deprecated/SECURITY.md rename to server/vendor/composer/package-versions-deprecated/SECURITY.md diff --git a/notemyprogress/server/vendor/composer/package-versions-deprecated/composer.json b/server/vendor/composer/package-versions-deprecated/composer.json similarity index 100% rename from notemyprogress/server/vendor/composer/package-versions-deprecated/composer.json rename to server/vendor/composer/package-versions-deprecated/composer.json diff --git a/notemyprogress/server/vendor/composer/package-versions-deprecated/composer.lock b/server/vendor/composer/package-versions-deprecated/composer.lock similarity index 100% rename from notemyprogress/server/vendor/composer/package-versions-deprecated/composer.lock rename to server/vendor/composer/package-versions-deprecated/composer.lock diff --git a/notemyprogress/server/vendor/composer/package-versions-deprecated/phpcs.xml.dist b/server/vendor/composer/package-versions-deprecated/phpcs.xml.dist similarity index 100% rename from notemyprogress/server/vendor/composer/package-versions-deprecated/phpcs.xml.dist rename to server/vendor/composer/package-versions-deprecated/phpcs.xml.dist diff --git a/notemyprogress/server/vendor/composer/package-versions-deprecated/src/PackageVersions/FallbackVersions.php b/server/vendor/composer/package-versions-deprecated/src/PackageVersions/FallbackVersions.php similarity index 100% rename from notemyprogress/server/vendor/composer/package-versions-deprecated/src/PackageVersions/FallbackVersions.php rename to server/vendor/composer/package-versions-deprecated/src/PackageVersions/FallbackVersions.php diff --git a/notemyprogress/server/vendor/composer/package-versions-deprecated/src/PackageVersions/Installer.php b/server/vendor/composer/package-versions-deprecated/src/PackageVersions/Installer.php similarity index 100% rename from notemyprogress/server/vendor/composer/package-versions-deprecated/src/PackageVersions/Installer.php rename to server/vendor/composer/package-versions-deprecated/src/PackageVersions/Installer.php diff --git a/notemyprogress/server/vendor/composer/package-versions-deprecated/src/PackageVersions/Versions.php b/server/vendor/composer/package-versions-deprecated/src/PackageVersions/Versions.php similarity index 100% rename from notemyprogress/server/vendor/composer/package-versions-deprecated/src/PackageVersions/Versions.php rename to server/vendor/composer/package-versions-deprecated/src/PackageVersions/Versions.php diff --git a/notemyprogress/server/vendor/composer/platform_check.php b/server/vendor/composer/platform_check.php similarity index 100% rename from notemyprogress/server/vendor/composer/platform_check.php rename to server/vendor/composer/platform_check.php diff --git a/notemyprogress/server/vendor/jean85/pretty-package-versions/.github/workflows/tests.yaml b/server/vendor/jean85/pretty-package-versions/.github/workflows/tests.yaml similarity index 100% rename from notemyprogress/server/vendor/jean85/pretty-package-versions/.github/workflows/tests.yaml rename to server/vendor/jean85/pretty-package-versions/.github/workflows/tests.yaml diff --git a/notemyprogress/server/vendor/jean85/pretty-package-versions/LICENSE b/server/vendor/jean85/pretty-package-versions/LICENSE similarity index 100% rename from notemyprogress/server/vendor/jean85/pretty-package-versions/LICENSE rename to server/vendor/jean85/pretty-package-versions/LICENSE diff --git a/notemyprogress/server/vendor/jean85/pretty-package-versions/codecov.yml b/server/vendor/jean85/pretty-package-versions/codecov.yml similarity index 100% rename from notemyprogress/server/vendor/jean85/pretty-package-versions/codecov.yml rename to server/vendor/jean85/pretty-package-versions/codecov.yml diff --git a/notemyprogress/server/vendor/jean85/pretty-package-versions/composer.json b/server/vendor/jean85/pretty-package-versions/composer.json similarity index 100% rename from notemyprogress/server/vendor/jean85/pretty-package-versions/composer.json rename to server/vendor/jean85/pretty-package-versions/composer.json diff --git a/notemyprogress/server/vendor/jean85/pretty-package-versions/src/PrettyVersions.php b/server/vendor/jean85/pretty-package-versions/src/PrettyVersions.php similarity index 100% rename from notemyprogress/server/vendor/jean85/pretty-package-versions/src/PrettyVersions.php rename to server/vendor/jean85/pretty-package-versions/src/PrettyVersions.php diff --git a/notemyprogress/server/vendor/jean85/pretty-package-versions/src/Version.php b/server/vendor/jean85/pretty-package-versions/src/Version.php similarity index 100% rename from notemyprogress/server/vendor/jean85/pretty-package-versions/src/Version.php rename to server/vendor/jean85/pretty-package-versions/src/Version.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/README.md b/server/vendor/mongodb/mongodb/.evergreen/auth_aws/README.md similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/README.md rename to server/vendor/mongodb/mongodb/.evergreen/auth_aws/README.md diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_assume_role.js b/server/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_assume_role.js similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_assume_role.js rename to server/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_assume_role.js diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_ec2.js b/server/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_ec2.js similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_ec2.js rename to server/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_ec2.js diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_ecs.js b/server/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_ecs.js similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_ecs.js rename to server/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_ecs.js diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_regular_aws.js b/server/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_regular_aws.js similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_regular_aws.js rename to server/vendor/mongodb/mongodb/.evergreen/auth_aws/aws_e2e_regular_aws.js diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/aws_assign_instance_profile.py b/server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/aws_assign_instance_profile.py similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/aws_assign_instance_profile.py rename to server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/aws_assign_instance_profile.py diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/aws_assume_role.py b/server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/aws_assume_role.py similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/aws_assume_role.py rename to server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/aws_assume_role.py diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/aws_e2e_lib.js b/server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/aws_e2e_lib.js similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/aws_e2e_lib.js rename to server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/aws_e2e_lib.js diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/container_tester.py b/server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/container_tester.py similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/container_tester.py rename to server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/container_tester.py diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/ecs_hosted_test.js b/server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/ecs_hosted_test.js similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/ecs_hosted_test.js rename to server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/ecs_hosted_test.js diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/ecs_hosted_test.sh b/server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/ecs_hosted_test.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/ecs_hosted_test.sh rename to server/vendor/mongodb/mongodb/.evergreen/auth_aws/lib/ecs_hosted_test.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/compile-unix.sh b/server/vendor/mongodb/mongodb/.evergreen/compile-unix.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/compile-unix.sh rename to server/vendor/mongodb/mongodb/.evergreen/compile-unix.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/compile-windows.sh b/server/vendor/mongodb/mongodb/.evergreen/compile-windows.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/compile-windows.sh rename to server/vendor/mongodb/mongodb/.evergreen/compile-windows.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/compile.sh b/server/vendor/mongodb/mongodb/.evergreen/compile.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/compile.sh rename to server/vendor/mongodb/mongodb/.evergreen/compile.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/config.yml b/server/vendor/mongodb/mongodb/.evergreen/config.yml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/config.yml rename to server/vendor/mongodb/mongodb/.evergreen/config.yml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/config/php.ini b/server/vendor/mongodb/mongodb/.evergreen/config/php.ini similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/config/php.ini rename to server/vendor/mongodb/mongodb/.evergreen/config/php.ini diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/download-mongodb.sh b/server/vendor/mongodb/mongodb/.evergreen/download-mongodb.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/download-mongodb.sh rename to server/vendor/mongodb/mongodb/.evergreen/download-mongodb.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/generate_task_config.py b/server/vendor/mongodb/mongodb/.evergreen/generate_task_config.py similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/generate_task_config.py rename to server/vendor/mongodb/mongodb/.evergreen/generate_task_config.py diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/install-dependencies.sh b/server/vendor/mongodb/mongodb/.evergreen/install-dependencies.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/install-dependencies.sh rename to server/vendor/mongodb/mongodb/.evergreen/install-dependencies.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/make-docs.sh b/server/vendor/mongodb/mongodb/.evergreen/make-docs.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/make-docs.sh rename to server/vendor/mongodb/mongodb/.evergreen/make-docs.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/make-release.sh b/server/vendor/mongodb/mongodb/.evergreen/make-release.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/make-release.sh rename to server/vendor/mongodb/mongodb/.evergreen/make-release.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/README.md b/server/vendor/mongodb/mongodb/.evergreen/ocsp/README.md similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/README.md rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/README.md diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/certs.yml b/server/vendor/mongodb/mongodb/.evergreen/ocsp/certs.yml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/certs.yml rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/certs.yml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ca.crt b/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ca.crt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ca.crt rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ca.crt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ca.key b/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ca.key similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ca.key rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ca.key diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ca.pem b/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ca.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ca.pem rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ca.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-delegate-revoked.sh b/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-delegate-revoked.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-delegate-revoked.sh rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-delegate-revoked.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-delegate-valid.sh b/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-delegate-valid.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-delegate-valid.sh rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-delegate-valid.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-revoked.sh b/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-revoked.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-revoked.sh rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-revoked.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-valid.sh b/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-valid.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-valid.sh rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/mock-valid.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ocsp-responder.crt b/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ocsp-responder.crt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ocsp-responder.crt rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ocsp-responder.crt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ocsp-responder.key b/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ocsp-responder.key similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ocsp-responder.key rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/ocsp-responder.key diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/rename.sh b/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/rename.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/rename.sh rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/rename.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server-mustStaple-singleEndpoint.pem b/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server-mustStaple-singleEndpoint.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server-mustStaple-singleEndpoint.pem rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server-mustStaple-singleEndpoint.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server-mustStaple.pem b/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server-mustStaple.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server-mustStaple.pem rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server-mustStaple.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server-singleEndpoint.pem b/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server-singleEndpoint.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server-singleEndpoint.pem rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server-singleEndpoint.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server.pem b/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server.pem rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/ecdsa/server.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/mock-ocsp-responder-requirements.txt b/server/vendor/mongodb/mongodb/.evergreen/ocsp/mock-ocsp-responder-requirements.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/mock-ocsp-responder-requirements.txt rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/mock-ocsp-responder-requirements.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/mock_ocsp_responder.py b/server/vendor/mongodb/mongodb/.evergreen/ocsp/mock_ocsp_responder.py similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/mock_ocsp_responder.py rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/mock_ocsp_responder.py diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ocsp_mock.py b/server/vendor/mongodb/mongodb/.evergreen/ocsp/ocsp_mock.py similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/ocsp_mock.py rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/ocsp_mock.py diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ca.crt b/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ca.crt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ca.crt rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ca.crt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ca.key b/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ca.key similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ca.key rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ca.key diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ca.pem b/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ca.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ca.pem rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ca.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-delegate-revoked.sh b/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-delegate-revoked.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-delegate-revoked.sh rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-delegate-revoked.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-delegate-valid.sh b/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-delegate-valid.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-delegate-valid.sh rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-delegate-valid.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-revoked.sh b/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-revoked.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-revoked.sh rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-revoked.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-valid.sh b/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-valid.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-valid.sh rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/mock-valid.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ocsp-responder.crt b/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ocsp-responder.crt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ocsp-responder.crt rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ocsp-responder.crt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ocsp-responder.key b/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ocsp-responder.key similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ocsp-responder.key rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/ocsp-responder.key diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server-mustStaple-singleEndpoint.pem b/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server-mustStaple-singleEndpoint.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server-mustStaple-singleEndpoint.pem rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server-mustStaple-singleEndpoint.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server-mustStaple.pem b/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server-mustStaple.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server-mustStaple.pem rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server-mustStaple.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server-singleEndpoint.pem b/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server-singleEndpoint.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server-singleEndpoint.pem rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server-singleEndpoint.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server.pem b/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server.pem rename to server/vendor/mongodb/mongodb/.evergreen/ocsp/rsa/server.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/orchestration/configs/sharded_clusters/basic.json b/server/vendor/mongodb/mongodb/.evergreen/orchestration/configs/sharded_clusters/basic.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/orchestration/configs/sharded_clusters/basic.json rename to server/vendor/mongodb/mongodb/.evergreen/orchestration/configs/sharded_clusters/basic.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/orchestration/db/.empty b/server/vendor/mongodb/mongodb/.evergreen/orchestration/db/.empty similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/orchestration/db/.empty rename to server/vendor/mongodb/mongodb/.evergreen/orchestration/db/.empty diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/orchestration/lib/client.pem b/server/vendor/mongodb/mongodb/.evergreen/orchestration/lib/client.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/orchestration/lib/client.pem rename to server/vendor/mongodb/mongodb/.evergreen/orchestration/lib/client.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/run-atlas-proxy.sh b/server/vendor/mongodb/mongodb/.evergreen/run-atlas-proxy.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/run-atlas-proxy.sh rename to server/vendor/mongodb/mongodb/.evergreen/run-atlas-proxy.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/run-orchestration.sh b/server/vendor/mongodb/mongodb/.evergreen/run-orchestration.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/run-orchestration.sh rename to server/vendor/mongodb/mongodb/.evergreen/run-orchestration.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/run-tests.sh b/server/vendor/mongodb/mongodb/.evergreen/run-tests.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/run-tests.sh rename to server/vendor/mongodb/mongodb/.evergreen/run-tests.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/start-orchestration.sh b/server/vendor/mongodb/mongodb/.evergreen/start-orchestration.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/start-orchestration.sh rename to server/vendor/mongodb/mongodb/.evergreen/start-orchestration.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/stop-orchestration.sh b/server/vendor/mongodb/mongodb/.evergreen/stop-orchestration.sh similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/stop-orchestration.sh rename to server/vendor/mongodb/mongodb/.evergreen/stop-orchestration.sh diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/82e9b7a6.0 b/server/vendor/mongodb/mongodb/.evergreen/x509gen/82e9b7a6.0 similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/82e9b7a6.0 rename to server/vendor/mongodb/mongodb/.evergreen/x509gen/82e9b7a6.0 diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/altname.pem b/server/vendor/mongodb/mongodb/.evergreen/x509gen/altname.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/altname.pem rename to server/vendor/mongodb/mongodb/.evergreen/x509gen/altname.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/ca.pem b/server/vendor/mongodb/mongodb/.evergreen/x509gen/ca.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/ca.pem rename to server/vendor/mongodb/mongodb/.evergreen/x509gen/ca.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/client-private.pem b/server/vendor/mongodb/mongodb/.evergreen/x509gen/client-private.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/client-private.pem rename to server/vendor/mongodb/mongodb/.evergreen/x509gen/client-private.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/client-public.pem b/server/vendor/mongodb/mongodb/.evergreen/x509gen/client-public.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/client-public.pem rename to server/vendor/mongodb/mongodb/.evergreen/x509gen/client-public.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/client.pem b/server/vendor/mongodb/mongodb/.evergreen/x509gen/client.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/client.pem rename to server/vendor/mongodb/mongodb/.evergreen/x509gen/client.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/commonName.pem b/server/vendor/mongodb/mongodb/.evergreen/x509gen/commonName.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/commonName.pem rename to server/vendor/mongodb/mongodb/.evergreen/x509gen/commonName.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/crl.pem b/server/vendor/mongodb/mongodb/.evergreen/x509gen/crl.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/crl.pem rename to server/vendor/mongodb/mongodb/.evergreen/x509gen/crl.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/expired.pem b/server/vendor/mongodb/mongodb/.evergreen/x509gen/expired.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/expired.pem rename to server/vendor/mongodb/mongodb/.evergreen/x509gen/expired.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/password_protected.pem b/server/vendor/mongodb/mongodb/.evergreen/x509gen/password_protected.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/password_protected.pem rename to server/vendor/mongodb/mongodb/.evergreen/x509gen/password_protected.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/server.pem b/server/vendor/mongodb/mongodb/.evergreen/x509gen/server.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/server.pem rename to server/vendor/mongodb/mongodb/.evergreen/x509gen/server.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/wild.pem b/server/vendor/mongodb/mongodb/.evergreen/x509gen/wild.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.evergreen/x509gen/wild.pem rename to server/vendor/mongodb/mongodb/.evergreen/x509gen/wild.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.gitignore b/server/vendor/mongodb/mongodb/.gitignore similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.gitignore rename to server/vendor/mongodb/mongodb/.gitignore diff --git a/notemyprogress/server/vendor/mongodb/mongodb/.travis.yml b/server/vendor/mongodb/mongodb/.travis.yml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/.travis.yml rename to server/vendor/mongodb/mongodb/.travis.yml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/CONTRIBUTING.md b/server/vendor/mongodb/mongodb/CONTRIBUTING.md similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/CONTRIBUTING.md rename to server/vendor/mongodb/mongodb/CONTRIBUTING.md diff --git a/notemyprogress/server/vendor/mongodb/mongodb/LICENSE b/server/vendor/mongodb/mongodb/LICENSE similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/LICENSE rename to server/vendor/mongodb/mongodb/LICENSE diff --git a/notemyprogress/server/vendor/mongodb/mongodb/Makefile b/server/vendor/mongodb/mongodb/Makefile similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/Makefile rename to server/vendor/mongodb/mongodb/Makefile diff --git a/notemyprogress/server/vendor/mongodb/mongodb/README.md b/server/vendor/mongodb/mongodb/README.md similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/README.md rename to server/vendor/mongodb/mongodb/README.md diff --git a/notemyprogress/server/vendor/mongodb/mongodb/composer.json b/server/vendor/mongodb/mongodb/composer.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/composer.json rename to server/vendor/mongodb/mongodb/composer.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/.static/.mongodb b/server/vendor/mongodb/mongodb/docs/.static/.mongodb similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/.static/.mongodb rename to server/vendor/mongodb/mongodb/docs/.static/.mongodb diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-common-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-common-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-common-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-common-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-construct-driverOptions.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-construct-driverOptions.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-construct-driverOptions.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-construct-driverOptions.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-construct-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-construct-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-construct-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-construct-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-createClientEncryption-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-createClientEncryption-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-createClientEncryption-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-createClientEncryption-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-dropDatabase-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-dropDatabase-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-dropDatabase-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-dropDatabase-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-dropDatabase-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-dropDatabase-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-dropDatabase-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-dropDatabase-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-get-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-get-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-get-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-get-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-listDatabases-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-listDatabases-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-listDatabases-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-listDatabases-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-listDatabases-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-listDatabases-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-listDatabases-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-listDatabases-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectCollection-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectCollection-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectCollection-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectCollection-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectCollection-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectCollection-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectCollection-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectCollection-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectDatabase-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectDatabase-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectDatabase-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectDatabase-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectDatabase-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectDatabase-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectDatabase-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-selectDatabase-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-watch-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-watch-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-watch-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-watch-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-watch-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-watch-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-watch-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBClient-method-watch-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-common-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-common-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-common-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-common-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-common-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-common-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-common-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-common-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-aggregate-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-aggregate-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-aggregate-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-aggregate-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-aggregate-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-aggregate-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-aggregate-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-aggregate-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-bulkWrite-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-bulkWrite-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-bulkWrite-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-bulkWrite-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-bulkWrite-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-bulkWrite-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-bulkWrite-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-bulkWrite-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-construct-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-construct-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-construct-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-construct-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-construct-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-construct-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-construct-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-construct-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-count-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-count-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-count-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-count-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-count-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-count-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-count-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-count-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-countDocuments-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-countDocuments-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-countDocuments-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-countDocuments-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-countDocuments-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-countDocuments-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-countDocuments-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-countDocuments-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndex-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndex-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndex-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndex-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndex-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndex-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndex-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndex-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndexes-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndexes-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndexes-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndexes-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndexes-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndexes-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndexes-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-createIndexes-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteMany-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteMany-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteMany-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteMany-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteMany-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteMany-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteMany-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteMany-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteOne-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteOne-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteOne-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteOne-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteOne-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteOne-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteOne-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-deleteOne-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-distinct-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-distinct-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-distinct-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-distinct-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-distinct-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-distinct-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-distinct-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-distinct-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-drop-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-drop-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-drop-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-drop-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-drop-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-drop-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-drop-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-drop-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndex-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndex-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndex-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndex-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndex-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndex-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndex-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndex-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndexes-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndexes-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndexes-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndexes-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndexes-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndexes-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndexes-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-dropIndexes-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-estimateDocumentCount-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-estimateDocumentCount-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-estimateDocumentCount-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-estimateDocumentCount-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-estimateDocumentCount-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-estimateDocumentCount-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-estimateDocumentCount-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-estimateDocumentCount-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-explain-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-explain-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-explain-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-explain-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-explain-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-explain-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-explain-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-explain-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-find-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-find-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-find-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-find-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-find-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-find-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-find-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-find-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOne-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOne-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOne-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOne-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOne-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOne-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOne-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOne-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndDelete-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndDelete-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndDelete-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndDelete-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndDelete-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndDelete-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndDelete-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndDelete-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndReplace-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndReplace-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndReplace-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndReplace-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndReplace-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndReplace-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndReplace-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndReplace-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndUpdate-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndUpdate-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndUpdate-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndUpdate-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndUpdate-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndUpdate-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndUpdate-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-findOneAndUpdate-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertMany-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertMany-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertMany-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertMany-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertMany-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertMany-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertMany-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertMany-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertOne-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertOne-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertOne-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertOne-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertOne-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertOne-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertOne-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-insertOne-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-listIndexes-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-listIndexes-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-listIndexes-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-listIndexes-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-listIndexes-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-listIndexes-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-listIndexes-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-listIndexes-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-mapReduce-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-mapReduce-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-mapReduce-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-mapReduce-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-mapReduce-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-mapReduce-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-mapReduce-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-mapReduce-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-replaceOne-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-replaceOne-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-replaceOne-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-replaceOne-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-replaceOne-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-replaceOne-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-replaceOne-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-replaceOne-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateMany-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateMany-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateMany-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateMany-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateMany-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateMany-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateMany-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateMany-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateOne-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateOne-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateOne-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateOne-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateOne-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateOne-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateOne-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-updateOne-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-watch-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-watch-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-watch-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-watch-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-watch-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-watch-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-watch-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-watch-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-withOptions-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-withOptions-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-withOptions-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-withOptions-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-withOptions-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-withOptions-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-withOptions-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBCollection-method-withOptions-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-common-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-common-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-common-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-common-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-aggregate-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-aggregate-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-aggregate-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-aggregate-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-aggregate-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-aggregate-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-aggregate-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-aggregate-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-command-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-command-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-command-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-command-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-command-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-command-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-command-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-command-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-construct-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-construct-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-construct-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-construct-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-construct-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-construct-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-construct-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-construct-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-createCollection-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-createCollection-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-createCollection-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-createCollection-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-createCollection-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-createCollection-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-createCollection-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-createCollection-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-drop-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-drop-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-drop-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-drop-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-drop-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-drop-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-drop-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-drop-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-dropCollection-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-dropCollection-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-dropCollection-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-dropCollection-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-dropCollection-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-dropCollection-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-dropCollection-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-dropCollection-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-get-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-get-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-get-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-get-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-listCollections-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-listCollections-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-listCollections-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-listCollections-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-listCollections-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-listCollections-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-listCollections-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-listCollections-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-modifyCollection-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-modifyCollection-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-modifyCollection-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-modifyCollection-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-modifyCollection-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-modifyCollection-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-modifyCollection-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-modifyCollection-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectCollection-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectCollection-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectCollection-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectCollection-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectCollection-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectCollection-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectCollection-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectCollection-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectGridFSBucket-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectGridFSBucket-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectGridFSBucket-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectGridFSBucket-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectGridFSBucket-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectGridFSBucket-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectGridFSBucket-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-selectGridFSBucket-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-watch-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-watch-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-watch-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-watch-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-watch-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-watch-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-watch-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-watch-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-withOptions-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-withOptions-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-withOptions-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-withOptions-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-withOptions-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-withOptions-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-withOptions-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBDatabase-method-withOptions-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-common-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-common-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-common-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-common-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-common-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-common-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-common-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-common-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-construct-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-construct-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-construct-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-construct-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-construct-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-construct-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-construct-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-construct-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-delete-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-delete-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-delete-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-delete-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-downloadToStream-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-downloadToStream-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-downloadToStream-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-downloadToStream-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-downloadToStreamByName-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-downloadToStreamByName-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-downloadToStreamByName-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-downloadToStreamByName-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-downloadToStreamByName-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-downloadToStreamByName-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-downloadToStreamByName-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-downloadToStreamByName-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-find-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-find-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-find-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-find-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-findOne-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-findOne-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-findOne-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-findOne-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-getFileDocumentForStream-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-getFileDocumentForStream-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-getFileDocumentForStream-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-getFileDocumentForStream-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-getFileIdForStream-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-getFileIdForStream-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-getFileIdForStream-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-getFileIdForStream-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openDownloadStream-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openDownloadStream-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openDownloadStream-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openDownloadStream-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openDownloadStreamByName-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openDownloadStreamByName-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openDownloadStreamByName-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openDownloadStreamByName-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openDownloadStreamByName-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openDownloadStreamByName-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openDownloadStreamByName-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openDownloadStreamByName-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openUploadStream-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openUploadStream-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openUploadStream-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openUploadStream-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openUploadStream-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openUploadStream-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openUploadStream-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-openUploadStream-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-rename-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-rename-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-rename-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-rename-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-uploadFromStream-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-uploadFromStream-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-uploadFromStream-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-uploadFromStream-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-uploadFromStream-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-uploadFromStream-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-uploadFromStream-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-MongoDBGridFSBucket-method-uploadFromStream-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-aggregate-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-aggregate-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-aggregate-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-aggregate-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-common-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-common-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-common-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-common-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-common-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-common-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-common-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-common-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-function-with_transaction-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-function-with_transaction-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-function-with_transaction-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-function-with_transaction-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-method-watch-option.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-method-watch-option.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-method-watch-option.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-method-watch-option.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-method-watch-param.yaml b/server/vendor/mongodb/mongodb/docs/includes/apiargs-method-watch-param.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/apiargs-method-watch-param.yaml rename to server/vendor/mongodb/mongodb/docs/includes/apiargs-method-watch-param.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/extracts-bulkwriteexception.yaml b/server/vendor/mongodb/mongodb/docs/includes/extracts-bulkwriteexception.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/extracts-bulkwriteexception.yaml rename to server/vendor/mongodb/mongodb/docs/includes/extracts-bulkwriteexception.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/extracts-error.yaml b/server/vendor/mongodb/mongodb/docs/includes/extracts-error.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/extracts-error.yaml rename to server/vendor/mongodb/mongodb/docs/includes/extracts-error.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/includes/extracts-note.yaml b/server/vendor/mongodb/mongodb/docs/includes/extracts-note.yaml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/includes/extracts-note.yaml rename to server/vendor/mongodb/mongodb/docs/includes/extracts-note.yaml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/index.txt b/server/vendor/mongodb/mongodb/docs/index.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/index.txt rename to server/vendor/mongodb/mongodb/docs/index.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/pretty.js b/server/vendor/mongodb/mongodb/docs/pretty.js similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/pretty.js rename to server/vendor/mongodb/mongodb/docs/pretty.js diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference.txt b/server/vendor/mongodb/mongodb/docs/reference.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference.txt rename to server/vendor/mongodb/mongodb/docs/reference.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/bson.txt b/server/vendor/mongodb/mongodb/docs/reference/bson.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/bson.txt rename to server/vendor/mongodb/mongodb/docs/reference/bson.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/class/MongoDBClient.txt b/server/vendor/mongodb/mongodb/docs/reference/class/MongoDBClient.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/class/MongoDBClient.txt rename to server/vendor/mongodb/mongodb/docs/reference/class/MongoDBClient.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/class/MongoDBCollection.txt b/server/vendor/mongodb/mongodb/docs/reference/class/MongoDBCollection.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/class/MongoDBCollection.txt rename to server/vendor/mongodb/mongodb/docs/reference/class/MongoDBCollection.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/class/MongoDBDatabase.txt b/server/vendor/mongodb/mongodb/docs/reference/class/MongoDBDatabase.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/class/MongoDBDatabase.txt rename to server/vendor/mongodb/mongodb/docs/reference/class/MongoDBDatabase.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/class/MongoDBGridFSBucket.txt b/server/vendor/mongodb/mongodb/docs/reference/class/MongoDBGridFSBucket.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/class/MongoDBGridFSBucket.txt rename to server/vendor/mongodb/mongodb/docs/reference/class/MongoDBGridFSBucket.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/enumeration-classes.txt b/server/vendor/mongodb/mongodb/docs/reference/enumeration-classes.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/enumeration-classes.txt rename to server/vendor/mongodb/mongodb/docs/reference/enumeration-classes.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/exception-classes.txt b/server/vendor/mongodb/mongodb/docs/reference/exception-classes.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/exception-classes.txt rename to server/vendor/mongodb/mongodb/docs/reference/exception-classes.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/function/with_transaction.txt b/server/vendor/mongodb/mongodb/docs/reference/function/with_transaction.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/function/with_transaction.txt rename to server/vendor/mongodb/mongodb/docs/reference/function/with_transaction.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/functions.txt b/server/vendor/mongodb/mongodb/docs/reference/functions.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/functions.txt rename to server/vendor/mongodb/mongodb/docs/reference/functions.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getDeletedCount.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getDeletedCount.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getDeletedCount.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getDeletedCount.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getInsertedCount.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getInsertedCount.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getInsertedCount.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getInsertedCount.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getInsertedIds.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getInsertedIds.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getInsertedIds.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getInsertedIds.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getMatchedCount.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getMatchedCount.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getMatchedCount.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getMatchedCount.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getModifiedCount.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getModifiedCount.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getModifiedCount.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getModifiedCount.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getUpsertedCount.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getUpsertedCount.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getUpsertedCount.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getUpsertedCount.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getUpsertedIds.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getUpsertedIds.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getUpsertedIds.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-getUpsertedIds.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-isAcknowledged.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-isAcknowledged.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-isAcknowledged.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBBulkWriteResult-isAcknowledged.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-current.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-current.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-current.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-current.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-getCursorId.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-getCursorId.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-getCursorId.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-getCursorId.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-getResumeToken.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-getResumeToken.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-getResumeToken.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-getResumeToken.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-key.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-key.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-key.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-key.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-next.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-next.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-next.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-next.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-rewind.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-rewind.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-rewind.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-rewind.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-valid.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-valid.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-valid.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBChangeStream-valid.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-createClientEncryption.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-createClientEncryption.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-createClientEncryption.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-createClientEncryption.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-dropDatabase.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-dropDatabase.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-dropDatabase.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-dropDatabase.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getManager.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getManager.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getManager.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getManager.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getReadConcern.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getReadConcern.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getReadConcern.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getReadConcern.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getReadPreference.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getReadPreference.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getReadPreference.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getReadPreference.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getTypeMap.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getTypeMap.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getTypeMap.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getTypeMap.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getWriteConcern.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getWriteConcern.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getWriteConcern.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-getWriteConcern.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-listDatabaseNames.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-listDatabaseNames.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-listDatabaseNames.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-listDatabaseNames.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-listDatabases.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-listDatabases.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-listDatabases.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-listDatabases.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-selectCollection.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-selectCollection.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-selectCollection.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-selectCollection.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-selectDatabase.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-selectDatabase.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-selectDatabase.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-selectDatabase.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-startSession.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-startSession.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-startSession.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-startSession.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-watch.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-watch.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-watch.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient-watch.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient__construct.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient__construct.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient__construct.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient__construct.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient__get.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient__get.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient__get.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBClient__get.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-aggregate.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-aggregate.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-aggregate.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-aggregate.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-bulkWrite.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-bulkWrite.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-bulkWrite.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-bulkWrite.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-count.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-count.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-count.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-count.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-countDocuments.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-countDocuments.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-countDocuments.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-countDocuments.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-createIndex.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-createIndex.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-createIndex.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-createIndex.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-createIndexes.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-createIndexes.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-createIndexes.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-createIndexes.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-deleteMany.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-deleteMany.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-deleteMany.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-deleteMany.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-deleteOne.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-deleteOne.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-deleteOne.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-deleteOne.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-distinct.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-distinct.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-distinct.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-distinct.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-drop.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-drop.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-drop.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-drop.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-dropIndex.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-dropIndex.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-dropIndex.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-dropIndex.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-dropIndexes.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-dropIndexes.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-dropIndexes.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-dropIndexes.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-estimatedDocumentCount.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-estimatedDocumentCount.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-estimatedDocumentCount.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-estimatedDocumentCount.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-explain.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-explain.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-explain.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-explain.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-find.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-find.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-find.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-find.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOne.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOne.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOne.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOne.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOneAndDelete.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOneAndDelete.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOneAndDelete.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOneAndDelete.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOneAndReplace.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOneAndReplace.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOneAndReplace.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOneAndReplace.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOneAndUpdate.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOneAndUpdate.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOneAndUpdate.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-findOneAndUpdate.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getCollectionName.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getCollectionName.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getCollectionName.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getCollectionName.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getDatabaseName.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getDatabaseName.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getDatabaseName.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getDatabaseName.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getManager.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getManager.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getManager.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getManager.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getNamespace.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getNamespace.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getNamespace.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getNamespace.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getReadConcern.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getReadConcern.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getReadConcern.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getReadConcern.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getReadPreference.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getReadPreference.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getReadPreference.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getReadPreference.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getTypeMap.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getTypeMap.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getTypeMap.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getTypeMap.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getWriteConcern.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getWriteConcern.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getWriteConcern.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-getWriteConcern.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-insertMany.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-insertMany.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-insertMany.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-insertMany.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-insertOne.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-insertOne.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-insertOne.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-insertOne.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-listIndexes.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-listIndexes.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-listIndexes.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-listIndexes.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-mapReduce.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-mapReduce.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-mapReduce.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-mapReduce.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-replaceOne.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-replaceOne.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-replaceOne.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-replaceOne.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-updateMany.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-updateMany.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-updateMany.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-updateMany.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-updateOne.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-updateOne.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-updateOne.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-updateOne.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-watch.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-watch.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-watch.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-watch.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-withOptions.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-withOptions.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-withOptions.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection-withOptions.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection__construct.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection__construct.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection__construct.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBCollection__construct.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-aggregate.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-aggregate.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-aggregate.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-aggregate.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-command.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-command.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-command.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-command.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-createCollection.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-createCollection.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-createCollection.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-createCollection.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-drop.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-drop.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-drop.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-drop.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-dropCollection.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-dropCollection.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-dropCollection.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-dropCollection.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getDatabaseName.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getDatabaseName.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getDatabaseName.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getDatabaseName.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getManager.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getManager.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getManager.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getManager.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getReadConcern.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getReadConcern.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getReadConcern.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getReadConcern.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getReadPreference.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getReadPreference.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getReadPreference.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getReadPreference.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getTypeMap.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getTypeMap.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getTypeMap.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getTypeMap.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getWriteConcern.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getWriteConcern.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getWriteConcern.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-getWriteConcern.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-listCollectionNames.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-listCollectionNames.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-listCollectionNames.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-listCollectionNames.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-listCollections.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-listCollections.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-listCollections.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-listCollections.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-modifyCollection.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-modifyCollection.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-modifyCollection.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-modifyCollection.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-selectCollection.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-selectCollection.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-selectCollection.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-selectCollection.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-selectGridFSBucket.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-selectGridFSBucket.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-selectGridFSBucket.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-selectGridFSBucket.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-watch.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-watch.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-watch.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-watch.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-withOptions.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-withOptions.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-withOptions.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase-withOptions.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase__construct.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase__construct.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase__construct.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase__construct.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase__get.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase__get.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase__get.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDatabase__get.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDeleteResult-getDeletedCount.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDeleteResult-getDeletedCount.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDeleteResult-getDeletedCount.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDeleteResult-getDeletedCount.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDeleteResult-isAcknowledged.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDeleteResult-isAcknowledged.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDeleteResult-isAcknowledged.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBDeleteResult-isAcknowledged.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-delete.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-delete.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-delete.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-delete.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-downloadToStream.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-downloadToStream.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-downloadToStream.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-downloadToStream.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-downloadToStreamByName.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-downloadToStreamByName.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-downloadToStreamByName.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-downloadToStreamByName.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-drop.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-drop.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-drop.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-drop.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-find.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-find.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-find.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-find.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-findOne.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-findOne.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-findOne.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-findOne.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getBucketName.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getBucketName.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getBucketName.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getBucketName.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getChunkSizeBytes.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getChunkSizeBytes.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getChunkSizeBytes.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getChunkSizeBytes.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getChunksCollection.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getChunksCollection.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getChunksCollection.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getChunksCollection.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getDatabaseName.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getDatabaseName.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getDatabaseName.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getDatabaseName.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getFileDocumentForStream.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getFileDocumentForStream.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getFileDocumentForStream.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getFileDocumentForStream.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getFileIdForStream.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getFileIdForStream.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getFileIdForStream.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getFileIdForStream.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getFilesCollection.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getFilesCollection.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getFilesCollection.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getFilesCollection.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getReadConcern.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getReadConcern.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getReadConcern.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getReadConcern.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getReadPreference.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getReadPreference.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getReadPreference.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getReadPreference.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getTypeMap.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getTypeMap.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getTypeMap.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getTypeMap.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getWriteConcern.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getWriteConcern.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getWriteConcern.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-getWriteConcern.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-openDownloadStream.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-openDownloadStream.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-openDownloadStream.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-openDownloadStream.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-openDownloadStreamByName.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-openDownloadStreamByName.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-openDownloadStreamByName.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-openDownloadStreamByName.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-openUploadStream.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-openUploadStream.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-openUploadStream.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-openUploadStream.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-rename.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-rename.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-rename.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-rename.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-uploadFromStream.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-uploadFromStream.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-uploadFromStream.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket-uploadFromStream.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket__construct.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket__construct.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket__construct.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBGridFSBucket__construct.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertManyResult-getInsertedCount.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertManyResult-getInsertedCount.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertManyResult-getInsertedCount.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertManyResult-getInsertedCount.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertManyResult-getInsertedIds.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertManyResult-getInsertedIds.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertManyResult-getInsertedIds.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertManyResult-getInsertedIds.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertManyResult-isAcknowledged.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertManyResult-isAcknowledged.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertManyResult-isAcknowledged.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertManyResult-isAcknowledged.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertOneResult-getInsertedCount.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertOneResult-getInsertedCount.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertOneResult-getInsertedCount.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertOneResult-getInsertedCount.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertOneResult-getInsertedId.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertOneResult-getInsertedId.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertOneResult-getInsertedId.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertOneResult-getInsertedId.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertOneResult-isAcknowledged.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertOneResult-isAcknowledged.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertOneResult-isAcknowledged.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBInsertOneResult-isAcknowledged.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getCounts.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getCounts.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getCounts.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getCounts.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getExecutionTimeMS.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getExecutionTimeMS.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getExecutionTimeMS.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getExecutionTimeMS.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getIterator.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getIterator.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getIterator.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getIterator.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getTiming.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getTiming.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getTiming.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBMapReduceResult-getTiming.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getCappedMax.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getCappedMax.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getCappedMax.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getCappedMax.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getCappedSize.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getCappedSize.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getCappedSize.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getCappedSize.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getName.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getName.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getName.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getName.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getOptions.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getOptions.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getOptions.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-getOptions.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-isCapped.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-isCapped.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-isCapped.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelCollectionInfo-isCapped.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelDatabaseInfo-getName.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelDatabaseInfo-getName.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelDatabaseInfo-getName.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelDatabaseInfo-getName.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelDatabaseInfo-getSizeOnDisk.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelDatabaseInfo-getSizeOnDisk.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelDatabaseInfo-getSizeOnDisk.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelDatabaseInfo-getSizeOnDisk.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelDatabaseInfo-isEmpty.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelDatabaseInfo-isEmpty.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelDatabaseInfo-isEmpty.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelDatabaseInfo-isEmpty.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getKey.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getKey.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getKey.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getKey.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getName.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getName.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getName.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getName.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getNamespace.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getNamespace.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getNamespace.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getNamespace.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getVersion.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getVersion.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getVersion.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-getVersion.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-is2dSphere.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-is2dSphere.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-is2dSphere.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-is2dSphere.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isGeoHaystack.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isGeoHaystack.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isGeoHaystack.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isGeoHaystack.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isSparse.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isSparse.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isSparse.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isSparse.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isText.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isText.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isText.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isText.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isTtl.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isTtl.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isTtl.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isTtl.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isUnique.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isUnique.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isUnique.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBModelIndexInfo-isUnique.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getMatchedCount.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getMatchedCount.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getMatchedCount.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getMatchedCount.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getModifiedCount.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getModifiedCount.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getModifiedCount.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getModifiedCount.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getUpsertedCount.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getUpsertedCount.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getUpsertedCount.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getUpsertedCount.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getUpsertedId.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getUpsertedId.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getUpsertedId.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-getUpsertedId.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-isAcknowledged.txt b/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-isAcknowledged.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-isAcknowledged.txt rename to server/vendor/mongodb/mongodb/docs/reference/method/MongoDBUpdateResult-isAcknowledged.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/result-classes.txt b/server/vendor/mongodb/mongodb/docs/reference/result-classes.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/result-classes.txt rename to server/vendor/mongodb/mongodb/docs/reference/result-classes.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/reference/write-result-classes.txt b/server/vendor/mongodb/mongodb/docs/reference/write-result-classes.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/reference/write-result-classes.txt rename to server/vendor/mongodb/mongodb/docs/reference/write-result-classes.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial.txt b/server/vendor/mongodb/mongodb/docs/tutorial.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial.txt rename to server/vendor/mongodb/mongodb/docs/tutorial.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/client-side-encryption.txt b/server/vendor/mongodb/mongodb/docs/tutorial/client-side-encryption.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/client-side-encryption.txt rename to server/vendor/mongodb/mongodb/docs/tutorial/client-side-encryption.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/collation.txt b/server/vendor/mongodb/mongodb/docs/tutorial/collation.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/collation.txt rename to server/vendor/mongodb/mongodb/docs/tutorial/collation.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/commands.txt b/server/vendor/mongodb/mongodb/docs/tutorial/commands.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/commands.txt rename to server/vendor/mongodb/mongodb/docs/tutorial/commands.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/crud.txt b/server/vendor/mongodb/mongodb/docs/tutorial/crud.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/crud.txt rename to server/vendor/mongodb/mongodb/docs/tutorial/crud.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/custom-types.txt b/server/vendor/mongodb/mongodb/docs/tutorial/custom-types.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/custom-types.txt rename to server/vendor/mongodb/mongodb/docs/tutorial/custom-types.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/decimal128.txt b/server/vendor/mongodb/mongodb/docs/tutorial/decimal128.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/decimal128.txt rename to server/vendor/mongodb/mongodb/docs/tutorial/decimal128.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/example-data.txt b/server/vendor/mongodb/mongodb/docs/tutorial/example-data.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/example-data.txt rename to server/vendor/mongodb/mongodb/docs/tutorial/example-data.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/gridfs.txt b/server/vendor/mongodb/mongodb/docs/tutorial/gridfs.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/gridfs.txt rename to server/vendor/mongodb/mongodb/docs/tutorial/gridfs.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/indexes.txt b/server/vendor/mongodb/mongodb/docs/tutorial/indexes.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/indexes.txt rename to server/vendor/mongodb/mongodb/docs/tutorial/indexes.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/install-php-library.txt b/server/vendor/mongodb/mongodb/docs/tutorial/install-php-library.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/install-php-library.txt rename to server/vendor/mongodb/mongodb/docs/tutorial/install-php-library.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/tailable-cursor.txt b/server/vendor/mongodb/mongodb/docs/tutorial/tailable-cursor.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/tutorial/tailable-cursor.txt rename to server/vendor/mongodb/mongodb/docs/tutorial/tailable-cursor.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/docs/upgrade.txt b/server/vendor/mongodb/mongodb/docs/upgrade.txt similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/docs/upgrade.txt rename to server/vendor/mongodb/mongodb/docs/upgrade.txt diff --git a/notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/replica_sets/replicaset-old.json b/server/vendor/mongodb/mongodb/mongo-orchestration/replica_sets/replicaset-old.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/replica_sets/replicaset-old.json rename to server/vendor/mongodb/mongodb/mongo-orchestration/replica_sets/replicaset-old.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/replica_sets/replicaset-one-node.json b/server/vendor/mongodb/mongodb/mongo-orchestration/replica_sets/replicaset-one-node.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/replica_sets/replicaset-one-node.json rename to server/vendor/mongodb/mongodb/mongo-orchestration/replica_sets/replicaset-one-node.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/replica_sets/replicaset.json b/server/vendor/mongodb/mongodb/mongo-orchestration/replica_sets/replicaset.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/replica_sets/replicaset.json rename to server/vendor/mongodb/mongodb/mongo-orchestration/replica_sets/replicaset.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/sharded_clusters/cluster.json b/server/vendor/mongodb/mongodb/mongo-orchestration/sharded_clusters/cluster.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/sharded_clusters/cluster.json rename to server/vendor/mongodb/mongodb/mongo-orchestration/sharded_clusters/cluster.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/sharded_clusters/cluster_replset.json b/server/vendor/mongodb/mongodb/mongo-orchestration/sharded_clusters/cluster_replset.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/sharded_clusters/cluster_replset.json rename to server/vendor/mongodb/mongodb/mongo-orchestration/sharded_clusters/cluster_replset.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/ssl/ca.pem b/server/vendor/mongodb/mongodb/mongo-orchestration/ssl/ca.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/ssl/ca.pem rename to server/vendor/mongodb/mongodb/mongo-orchestration/ssl/ca.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/ssl/client.pem b/server/vendor/mongodb/mongodb/mongo-orchestration/ssl/client.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/ssl/client.pem rename to server/vendor/mongodb/mongodb/mongo-orchestration/ssl/client.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/ssl/crl.pem b/server/vendor/mongodb/mongodb/mongo-orchestration/ssl/crl.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/ssl/crl.pem rename to server/vendor/mongodb/mongodb/mongo-orchestration/ssl/crl.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/ssl/server.pem b/server/vendor/mongodb/mongodb/mongo-orchestration/ssl/server.pem similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/ssl/server.pem rename to server/vendor/mongodb/mongodb/mongo-orchestration/ssl/server.pem diff --git a/notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone-auth.json b/server/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone-auth.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone-auth.json rename to server/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone-auth.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone-old.json b/server/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone-old.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone-old.json rename to server/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone-old.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone-ssl.json b/server/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone-ssl.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone-ssl.json rename to server/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone-ssl.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone.json b/server/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone.json rename to server/vendor/mongodb/mongodb/mongo-orchestration/standalone/standalone.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/phpcs.xml.dist b/server/vendor/mongodb/mongodb/phpcs.xml.dist similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/phpcs.xml.dist rename to server/vendor/mongodb/mongodb/phpcs.xml.dist diff --git a/notemyprogress/server/vendor/mongodb/mongodb/phpunit.evergreen.xml b/server/vendor/mongodb/mongodb/phpunit.evergreen.xml similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/phpunit.evergreen.xml rename to server/vendor/mongodb/mongodb/phpunit.evergreen.xml diff --git a/notemyprogress/server/vendor/mongodb/mongodb/phpunit.xml.dist b/server/vendor/mongodb/mongodb/phpunit.xml.dist similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/phpunit.xml.dist rename to server/vendor/mongodb/mongodb/phpunit.xml.dist diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/BulkWriteResult.php b/server/vendor/mongodb/mongodb/src/BulkWriteResult.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/BulkWriteResult.php rename to server/vendor/mongodb/mongodb/src/BulkWriteResult.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/ChangeStream.php b/server/vendor/mongodb/mongodb/src/ChangeStream.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/ChangeStream.php rename to server/vendor/mongodb/mongodb/src/ChangeStream.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Client.php b/server/vendor/mongodb/mongodb/src/Client.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Client.php rename to server/vendor/mongodb/mongodb/src/Client.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Collection.php b/server/vendor/mongodb/mongodb/src/Collection.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Collection.php rename to server/vendor/mongodb/mongodb/src/Collection.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Command/ListCollections.php b/server/vendor/mongodb/mongodb/src/Command/ListCollections.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Command/ListCollections.php rename to server/vendor/mongodb/mongodb/src/Command/ListCollections.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Command/ListDatabases.php b/server/vendor/mongodb/mongodb/src/Command/ListDatabases.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Command/ListDatabases.php rename to server/vendor/mongodb/mongodb/src/Command/ListDatabases.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Database.php b/server/vendor/mongodb/mongodb/src/Database.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Database.php rename to server/vendor/mongodb/mongodb/src/Database.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/DeleteResult.php b/server/vendor/mongodb/mongodb/src/DeleteResult.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/DeleteResult.php rename to server/vendor/mongodb/mongodb/src/DeleteResult.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Exception/BadMethodCallException.php b/server/vendor/mongodb/mongodb/src/Exception/BadMethodCallException.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Exception/BadMethodCallException.php rename to server/vendor/mongodb/mongodb/src/Exception/BadMethodCallException.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Exception/Exception.php b/server/vendor/mongodb/mongodb/src/Exception/Exception.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Exception/Exception.php rename to server/vendor/mongodb/mongodb/src/Exception/Exception.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Exception/InvalidArgumentException.php b/server/vendor/mongodb/mongodb/src/Exception/InvalidArgumentException.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Exception/InvalidArgumentException.php rename to server/vendor/mongodb/mongodb/src/Exception/InvalidArgumentException.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Exception/ResumeTokenException.php b/server/vendor/mongodb/mongodb/src/Exception/ResumeTokenException.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Exception/ResumeTokenException.php rename to server/vendor/mongodb/mongodb/src/Exception/ResumeTokenException.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Exception/RuntimeException.php b/server/vendor/mongodb/mongodb/src/Exception/RuntimeException.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Exception/RuntimeException.php rename to server/vendor/mongodb/mongodb/src/Exception/RuntimeException.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Exception/UnexpectedValueException.php b/server/vendor/mongodb/mongodb/src/Exception/UnexpectedValueException.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Exception/UnexpectedValueException.php rename to server/vendor/mongodb/mongodb/src/Exception/UnexpectedValueException.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Exception/UnsupportedException.php b/server/vendor/mongodb/mongodb/src/Exception/UnsupportedException.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Exception/UnsupportedException.php rename to server/vendor/mongodb/mongodb/src/Exception/UnsupportedException.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/GridFS/Bucket.php b/server/vendor/mongodb/mongodb/src/GridFS/Bucket.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/GridFS/Bucket.php rename to server/vendor/mongodb/mongodb/src/GridFS/Bucket.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/GridFS/CollectionWrapper.php b/server/vendor/mongodb/mongodb/src/GridFS/CollectionWrapper.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/GridFS/CollectionWrapper.php rename to server/vendor/mongodb/mongodb/src/GridFS/CollectionWrapper.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/GridFS/Exception/CorruptFileException.php b/server/vendor/mongodb/mongodb/src/GridFS/Exception/CorruptFileException.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/GridFS/Exception/CorruptFileException.php rename to server/vendor/mongodb/mongodb/src/GridFS/Exception/CorruptFileException.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/GridFS/Exception/FileNotFoundException.php b/server/vendor/mongodb/mongodb/src/GridFS/Exception/FileNotFoundException.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/GridFS/Exception/FileNotFoundException.php rename to server/vendor/mongodb/mongodb/src/GridFS/Exception/FileNotFoundException.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/GridFS/Exception/StreamException.php b/server/vendor/mongodb/mongodb/src/GridFS/Exception/StreamException.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/GridFS/Exception/StreamException.php rename to server/vendor/mongodb/mongodb/src/GridFS/Exception/StreamException.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/GridFS/ReadableStream.php b/server/vendor/mongodb/mongodb/src/GridFS/ReadableStream.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/GridFS/ReadableStream.php rename to server/vendor/mongodb/mongodb/src/GridFS/ReadableStream.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/GridFS/StreamWrapper.php b/server/vendor/mongodb/mongodb/src/GridFS/StreamWrapper.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/GridFS/StreamWrapper.php rename to server/vendor/mongodb/mongodb/src/GridFS/StreamWrapper.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/GridFS/WritableStream.php b/server/vendor/mongodb/mongodb/src/GridFS/WritableStream.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/GridFS/WritableStream.php rename to server/vendor/mongodb/mongodb/src/GridFS/WritableStream.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/InsertManyResult.php b/server/vendor/mongodb/mongodb/src/InsertManyResult.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/InsertManyResult.php rename to server/vendor/mongodb/mongodb/src/InsertManyResult.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/InsertOneResult.php b/server/vendor/mongodb/mongodb/src/InsertOneResult.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/InsertOneResult.php rename to server/vendor/mongodb/mongodb/src/InsertOneResult.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/MapReduceResult.php b/server/vendor/mongodb/mongodb/src/MapReduceResult.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/MapReduceResult.php rename to server/vendor/mongodb/mongodb/src/MapReduceResult.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Model/BSONArray.php b/server/vendor/mongodb/mongodb/src/Model/BSONArray.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Model/BSONArray.php rename to server/vendor/mongodb/mongodb/src/Model/BSONArray.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Model/BSONDocument.php b/server/vendor/mongodb/mongodb/src/Model/BSONDocument.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Model/BSONDocument.php rename to server/vendor/mongodb/mongodb/src/Model/BSONDocument.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Model/BSONIterator.php b/server/vendor/mongodb/mongodb/src/Model/BSONIterator.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Model/BSONIterator.php rename to server/vendor/mongodb/mongodb/src/Model/BSONIterator.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Model/CachingIterator.php b/server/vendor/mongodb/mongodb/src/Model/CachingIterator.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Model/CachingIterator.php rename to server/vendor/mongodb/mongodb/src/Model/CachingIterator.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Model/CallbackIterator.php b/server/vendor/mongodb/mongodb/src/Model/CallbackIterator.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Model/CallbackIterator.php rename to server/vendor/mongodb/mongodb/src/Model/CallbackIterator.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Model/ChangeStreamIterator.php b/server/vendor/mongodb/mongodb/src/Model/ChangeStreamIterator.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Model/ChangeStreamIterator.php rename to server/vendor/mongodb/mongodb/src/Model/ChangeStreamIterator.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Model/CollectionInfo.php b/server/vendor/mongodb/mongodb/src/Model/CollectionInfo.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Model/CollectionInfo.php rename to server/vendor/mongodb/mongodb/src/Model/CollectionInfo.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Model/CollectionInfoCommandIterator.php b/server/vendor/mongodb/mongodb/src/Model/CollectionInfoCommandIterator.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Model/CollectionInfoCommandIterator.php rename to server/vendor/mongodb/mongodb/src/Model/CollectionInfoCommandIterator.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Model/CollectionInfoIterator.php b/server/vendor/mongodb/mongodb/src/Model/CollectionInfoIterator.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Model/CollectionInfoIterator.php rename to server/vendor/mongodb/mongodb/src/Model/CollectionInfoIterator.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Model/DatabaseInfo.php b/server/vendor/mongodb/mongodb/src/Model/DatabaseInfo.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Model/DatabaseInfo.php rename to server/vendor/mongodb/mongodb/src/Model/DatabaseInfo.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Model/DatabaseInfoIterator.php b/server/vendor/mongodb/mongodb/src/Model/DatabaseInfoIterator.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Model/DatabaseInfoIterator.php rename to server/vendor/mongodb/mongodb/src/Model/DatabaseInfoIterator.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Model/DatabaseInfoLegacyIterator.php b/server/vendor/mongodb/mongodb/src/Model/DatabaseInfoLegacyIterator.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Model/DatabaseInfoLegacyIterator.php rename to server/vendor/mongodb/mongodb/src/Model/DatabaseInfoLegacyIterator.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Model/IndexInfo.php b/server/vendor/mongodb/mongodb/src/Model/IndexInfo.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Model/IndexInfo.php rename to server/vendor/mongodb/mongodb/src/Model/IndexInfo.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Model/IndexInfoIterator.php b/server/vendor/mongodb/mongodb/src/Model/IndexInfoIterator.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Model/IndexInfoIterator.php rename to server/vendor/mongodb/mongodb/src/Model/IndexInfoIterator.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Model/IndexInfoIteratorIterator.php b/server/vendor/mongodb/mongodb/src/Model/IndexInfoIteratorIterator.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Model/IndexInfoIteratorIterator.php rename to server/vendor/mongodb/mongodb/src/Model/IndexInfoIteratorIterator.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Model/IndexInput.php b/server/vendor/mongodb/mongodb/src/Model/IndexInput.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Model/IndexInput.php rename to server/vendor/mongodb/mongodb/src/Model/IndexInput.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Aggregate.php b/server/vendor/mongodb/mongodb/src/Operation/Aggregate.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Aggregate.php rename to server/vendor/mongodb/mongodb/src/Operation/Aggregate.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/BulkWrite.php b/server/vendor/mongodb/mongodb/src/Operation/BulkWrite.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/BulkWrite.php rename to server/vendor/mongodb/mongodb/src/Operation/BulkWrite.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Count.php b/server/vendor/mongodb/mongodb/src/Operation/Count.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Count.php rename to server/vendor/mongodb/mongodb/src/Operation/Count.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/CountDocuments.php b/server/vendor/mongodb/mongodb/src/Operation/CountDocuments.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/CountDocuments.php rename to server/vendor/mongodb/mongodb/src/Operation/CountDocuments.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/CreateCollection.php b/server/vendor/mongodb/mongodb/src/Operation/CreateCollection.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/CreateCollection.php rename to server/vendor/mongodb/mongodb/src/Operation/CreateCollection.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/CreateIndexes.php b/server/vendor/mongodb/mongodb/src/Operation/CreateIndexes.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/CreateIndexes.php rename to server/vendor/mongodb/mongodb/src/Operation/CreateIndexes.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/DatabaseCommand.php b/server/vendor/mongodb/mongodb/src/Operation/DatabaseCommand.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/DatabaseCommand.php rename to server/vendor/mongodb/mongodb/src/Operation/DatabaseCommand.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Delete.php b/server/vendor/mongodb/mongodb/src/Operation/Delete.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Delete.php rename to server/vendor/mongodb/mongodb/src/Operation/Delete.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/DeleteMany.php b/server/vendor/mongodb/mongodb/src/Operation/DeleteMany.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/DeleteMany.php rename to server/vendor/mongodb/mongodb/src/Operation/DeleteMany.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/DeleteOne.php b/server/vendor/mongodb/mongodb/src/Operation/DeleteOne.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/DeleteOne.php rename to server/vendor/mongodb/mongodb/src/Operation/DeleteOne.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Distinct.php b/server/vendor/mongodb/mongodb/src/Operation/Distinct.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Distinct.php rename to server/vendor/mongodb/mongodb/src/Operation/Distinct.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/DropCollection.php b/server/vendor/mongodb/mongodb/src/Operation/DropCollection.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/DropCollection.php rename to server/vendor/mongodb/mongodb/src/Operation/DropCollection.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/DropDatabase.php b/server/vendor/mongodb/mongodb/src/Operation/DropDatabase.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/DropDatabase.php rename to server/vendor/mongodb/mongodb/src/Operation/DropDatabase.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/DropIndexes.php b/server/vendor/mongodb/mongodb/src/Operation/DropIndexes.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/DropIndexes.php rename to server/vendor/mongodb/mongodb/src/Operation/DropIndexes.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/EstimatedDocumentCount.php b/server/vendor/mongodb/mongodb/src/Operation/EstimatedDocumentCount.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/EstimatedDocumentCount.php rename to server/vendor/mongodb/mongodb/src/Operation/EstimatedDocumentCount.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Executable.php b/server/vendor/mongodb/mongodb/src/Operation/Executable.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Executable.php rename to server/vendor/mongodb/mongodb/src/Operation/Executable.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Explain.php b/server/vendor/mongodb/mongodb/src/Operation/Explain.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Explain.php rename to server/vendor/mongodb/mongodb/src/Operation/Explain.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Explainable.php b/server/vendor/mongodb/mongodb/src/Operation/Explainable.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Explainable.php rename to server/vendor/mongodb/mongodb/src/Operation/Explainable.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Find.php b/server/vendor/mongodb/mongodb/src/Operation/Find.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Find.php rename to server/vendor/mongodb/mongodb/src/Operation/Find.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/FindAndModify.php b/server/vendor/mongodb/mongodb/src/Operation/FindAndModify.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/FindAndModify.php rename to server/vendor/mongodb/mongodb/src/Operation/FindAndModify.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/FindOne.php b/server/vendor/mongodb/mongodb/src/Operation/FindOne.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/FindOne.php rename to server/vendor/mongodb/mongodb/src/Operation/FindOne.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/FindOneAndDelete.php b/server/vendor/mongodb/mongodb/src/Operation/FindOneAndDelete.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/FindOneAndDelete.php rename to server/vendor/mongodb/mongodb/src/Operation/FindOneAndDelete.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/FindOneAndReplace.php b/server/vendor/mongodb/mongodb/src/Operation/FindOneAndReplace.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/FindOneAndReplace.php rename to server/vendor/mongodb/mongodb/src/Operation/FindOneAndReplace.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/FindOneAndUpdate.php b/server/vendor/mongodb/mongodb/src/Operation/FindOneAndUpdate.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/FindOneAndUpdate.php rename to server/vendor/mongodb/mongodb/src/Operation/FindOneAndUpdate.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/InsertMany.php b/server/vendor/mongodb/mongodb/src/Operation/InsertMany.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/InsertMany.php rename to server/vendor/mongodb/mongodb/src/Operation/InsertMany.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/InsertOne.php b/server/vendor/mongodb/mongodb/src/Operation/InsertOne.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/InsertOne.php rename to server/vendor/mongodb/mongodb/src/Operation/InsertOne.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/ListCollectionNames.php b/server/vendor/mongodb/mongodb/src/Operation/ListCollectionNames.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/ListCollectionNames.php rename to server/vendor/mongodb/mongodb/src/Operation/ListCollectionNames.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/ListCollections.php b/server/vendor/mongodb/mongodb/src/Operation/ListCollections.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/ListCollections.php rename to server/vendor/mongodb/mongodb/src/Operation/ListCollections.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/ListDatabaseNames.php b/server/vendor/mongodb/mongodb/src/Operation/ListDatabaseNames.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/ListDatabaseNames.php rename to server/vendor/mongodb/mongodb/src/Operation/ListDatabaseNames.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/ListDatabases.php b/server/vendor/mongodb/mongodb/src/Operation/ListDatabases.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/ListDatabases.php rename to server/vendor/mongodb/mongodb/src/Operation/ListDatabases.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/ListIndexes.php b/server/vendor/mongodb/mongodb/src/Operation/ListIndexes.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/ListIndexes.php rename to server/vendor/mongodb/mongodb/src/Operation/ListIndexes.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/MapReduce.php b/server/vendor/mongodb/mongodb/src/Operation/MapReduce.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/MapReduce.php rename to server/vendor/mongodb/mongodb/src/Operation/MapReduce.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/ModifyCollection.php b/server/vendor/mongodb/mongodb/src/Operation/ModifyCollection.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/ModifyCollection.php rename to server/vendor/mongodb/mongodb/src/Operation/ModifyCollection.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/ReplaceOne.php b/server/vendor/mongodb/mongodb/src/Operation/ReplaceOne.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/ReplaceOne.php rename to server/vendor/mongodb/mongodb/src/Operation/ReplaceOne.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Update.php b/server/vendor/mongodb/mongodb/src/Operation/Update.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Update.php rename to server/vendor/mongodb/mongodb/src/Operation/Update.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/UpdateMany.php b/server/vendor/mongodb/mongodb/src/Operation/UpdateMany.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/UpdateMany.php rename to server/vendor/mongodb/mongodb/src/Operation/UpdateMany.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/UpdateOne.php b/server/vendor/mongodb/mongodb/src/Operation/UpdateOne.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/UpdateOne.php rename to server/vendor/mongodb/mongodb/src/Operation/UpdateOne.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Watch.php b/server/vendor/mongodb/mongodb/src/Operation/Watch.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/Watch.php rename to server/vendor/mongodb/mongodb/src/Operation/Watch.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/Operation/WithTransaction.php b/server/vendor/mongodb/mongodb/src/Operation/WithTransaction.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/Operation/WithTransaction.php rename to server/vendor/mongodb/mongodb/src/Operation/WithTransaction.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/UpdateResult.php b/server/vendor/mongodb/mongodb/src/UpdateResult.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/UpdateResult.php rename to server/vendor/mongodb/mongodb/src/UpdateResult.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/src/functions.php b/server/vendor/mongodb/mongodb/src/functions.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/src/functions.php rename to server/vendor/mongodb/mongodb/src/functions.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/ClientFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/ClientFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/ClientFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/ClientFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/ClientTest.php b/server/vendor/mongodb/mongodb/tests/ClientTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/ClientTest.php rename to server/vendor/mongodb/mongodb/tests/ClientTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/CollectionFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Collection/CollectionFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/CollectionFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Collection/CollectionFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/CrudSpecFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Collection/CrudSpecFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/CrudSpecFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Collection/CrudSpecFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/FunctionalTestCase.php b/server/vendor/mongodb/mongodb/tests/Collection/FunctionalTestCase.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/FunctionalTestCase.php rename to server/vendor/mongodb/mongodb/tests/Collection/FunctionalTestCase.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/aggregate-collation.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/aggregate-collation.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/aggregate-collation.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/aggregate-collation.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/aggregate-out.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/aggregate-out.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/aggregate-out.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/aggregate-out.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/aggregate.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/aggregate.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/aggregate.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/aggregate.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/count-collation.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/count-collation.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/count-collation.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/count-collation.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/count-empty.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/count-empty.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/count-empty.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/count-empty.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/count.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/count.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/count.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/count.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/distinct-collation.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/distinct-collation.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/distinct-collation.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/distinct-collation.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/distinct.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/distinct.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/distinct.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/distinct.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/find-collation.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/find-collation.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/find-collation.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/find-collation.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/find.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/find.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/find.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/read/find.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/bulkWrite-arrayFilters.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/bulkWrite-arrayFilters.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/bulkWrite-arrayFilters.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/bulkWrite-arrayFilters.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/bulkWrite-collation.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/bulkWrite-collation.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/bulkWrite-collation.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/bulkWrite-collation.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/bulkWrite.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/bulkWrite.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/bulkWrite.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/bulkWrite.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteMany-collation.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteMany-collation.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteMany-collation.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteMany-collation.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteMany.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteMany.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteMany.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteMany.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteOne-collation.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteOne-collation.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteOne-collation.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteOne-collation.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteOne.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteOne.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteOne.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/deleteOne.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndDelete-collation.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndDelete-collation.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndDelete-collation.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndDelete-collation.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndDelete.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndDelete.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndDelete.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndDelete.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndReplace-collation.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndReplace-collation.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndReplace-collation.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndReplace-collation.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndReplace-upsert.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndReplace-upsert.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndReplace-upsert.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndReplace-upsert.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndReplace.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndReplace.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndReplace.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndReplace.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndUpdate-arrayFilters.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndUpdate-arrayFilters.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndUpdate-arrayFilters.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndUpdate-arrayFilters.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndUpdate-collation.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndUpdate-collation.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndUpdate-collation.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndUpdate-collation.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndUpdate.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndUpdate.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndUpdate.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/findOneAndUpdate.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/insertMany.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/insertMany.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/insertMany.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/insertMany.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/insertOne.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/insertOne.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/insertOne.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/insertOne.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/replaceOne-collation.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/replaceOne-collation.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/replaceOne-collation.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/replaceOne-collation.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/replaceOne.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/replaceOne.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/replaceOne.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/replaceOne.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateMany-arrayFilters.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateMany-arrayFilters.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateMany-arrayFilters.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateMany-arrayFilters.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateMany-collation.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateMany-collation.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateMany-collation.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateMany-collation.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateMany.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateMany.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateMany.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateMany.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateOne-arrayFilters.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateOne-arrayFilters.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateOne-arrayFilters.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateOne-arrayFilters.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateOne-collation.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateOne-collation.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateOne-collation.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateOne-collation.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateOne.json b/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateOne.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateOne.json rename to server/vendor/mongodb/mongodb/tests/Collection/spec-tests/write/updateOne.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Command/ListCollectionsTest.php b/server/vendor/mongodb/mongodb/tests/Command/ListCollectionsTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Command/ListCollectionsTest.php rename to server/vendor/mongodb/mongodb/tests/Command/ListCollectionsTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Command/ListDatabasesTest.php b/server/vendor/mongodb/mongodb/tests/Command/ListDatabasesTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Command/ListDatabasesTest.php rename to server/vendor/mongodb/mongodb/tests/Command/ListDatabasesTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/CommandObserver.php b/server/vendor/mongodb/mongodb/tests/CommandObserver.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/CommandObserver.php rename to server/vendor/mongodb/mongodb/tests/CommandObserver.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Database/CollectionManagementFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Database/CollectionManagementFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Database/CollectionManagementFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Database/CollectionManagementFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Database/DatabaseFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Database/DatabaseFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Database/DatabaseFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Database/DatabaseFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Database/FunctionalTestCase.php b/server/vendor/mongodb/mongodb/tests/Database/FunctionalTestCase.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Database/FunctionalTestCase.php rename to server/vendor/mongodb/mongodb/tests/Database/FunctionalTestCase.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/DocumentationExamplesTest.php b/server/vendor/mongodb/mongodb/tests/DocumentationExamplesTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/DocumentationExamplesTest.php rename to server/vendor/mongodb/mongodb/tests/DocumentationExamplesTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/FunctionalTestCase.php b/server/vendor/mongodb/mongodb/tests/FunctionalTestCase.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/FunctionalTestCase.php rename to server/vendor/mongodb/mongodb/tests/FunctionalTestCase.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/FunctionsTest.php b/server/vendor/mongodb/mongodb/tests/FunctionsTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/FunctionsTest.php rename to server/vendor/mongodb/mongodb/tests/FunctionsTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/BucketFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/GridFS/BucketFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/BucketFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/GridFS/BucketFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/FunctionalTestCase.php b/server/vendor/mongodb/mongodb/tests/GridFS/FunctionalTestCase.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/FunctionalTestCase.php rename to server/vendor/mongodb/mongodb/tests/GridFS/FunctionalTestCase.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/ReadableStreamFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/GridFS/ReadableStreamFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/ReadableStreamFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/GridFS/ReadableStreamFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/SpecFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/GridFS/SpecFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/SpecFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/GridFS/SpecFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/StreamWrapperFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/GridFS/StreamWrapperFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/StreamWrapperFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/GridFS/StreamWrapperFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/UnusableStream.php b/server/vendor/mongodb/mongodb/tests/GridFS/UnusableStream.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/UnusableStream.php rename to server/vendor/mongodb/mongodb/tests/GridFS/UnusableStream.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/WritableStreamFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/GridFS/WritableStreamFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/WritableStreamFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/GridFS/WritableStreamFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/spec-tests/delete.json b/server/vendor/mongodb/mongodb/tests/GridFS/spec-tests/delete.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/spec-tests/delete.json rename to server/vendor/mongodb/mongodb/tests/GridFS/spec-tests/delete.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/spec-tests/download.json b/server/vendor/mongodb/mongodb/tests/GridFS/spec-tests/download.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/spec-tests/download.json rename to server/vendor/mongodb/mongodb/tests/GridFS/spec-tests/download.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/spec-tests/download_by_name.json b/server/vendor/mongodb/mongodb/tests/GridFS/spec-tests/download_by_name.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/spec-tests/download_by_name.json rename to server/vendor/mongodb/mongodb/tests/GridFS/spec-tests/download_by_name.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/spec-tests/upload.json b/server/vendor/mongodb/mongodb/tests/GridFS/spec-tests/upload.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/GridFS/spec-tests/upload.json rename to server/vendor/mongodb/mongodb/tests/GridFS/spec-tests/upload.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Model/BSONArrayTest.php b/server/vendor/mongodb/mongodb/tests/Model/BSONArrayTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Model/BSONArrayTest.php rename to server/vendor/mongodb/mongodb/tests/Model/BSONArrayTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Model/BSONDocumentTest.php b/server/vendor/mongodb/mongodb/tests/Model/BSONDocumentTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Model/BSONDocumentTest.php rename to server/vendor/mongodb/mongodb/tests/Model/BSONDocumentTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Model/BSONIteratorTest.php b/server/vendor/mongodb/mongodb/tests/Model/BSONIteratorTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Model/BSONIteratorTest.php rename to server/vendor/mongodb/mongodb/tests/Model/BSONIteratorTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Model/CachingIteratorTest.php b/server/vendor/mongodb/mongodb/tests/Model/CachingIteratorTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Model/CachingIteratorTest.php rename to server/vendor/mongodb/mongodb/tests/Model/CachingIteratorTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Model/ChangeStreamIteratorTest.php b/server/vendor/mongodb/mongodb/tests/Model/ChangeStreamIteratorTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Model/ChangeStreamIteratorTest.php rename to server/vendor/mongodb/mongodb/tests/Model/ChangeStreamIteratorTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Model/CollectionInfoTest.php b/server/vendor/mongodb/mongodb/tests/Model/CollectionInfoTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Model/CollectionInfoTest.php rename to server/vendor/mongodb/mongodb/tests/Model/CollectionInfoTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Model/DatabaseInfoTest.php b/server/vendor/mongodb/mongodb/tests/Model/DatabaseInfoTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Model/DatabaseInfoTest.php rename to server/vendor/mongodb/mongodb/tests/Model/DatabaseInfoTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Model/IndexInfoFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Model/IndexInfoFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Model/IndexInfoFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Model/IndexInfoFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Model/IndexInfoTest.php b/server/vendor/mongodb/mongodb/tests/Model/IndexInfoTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Model/IndexInfoTest.php rename to server/vendor/mongodb/mongodb/tests/Model/IndexInfoTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Model/IndexInputTest.php b/server/vendor/mongodb/mongodb/tests/Model/IndexInputTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Model/IndexInputTest.php rename to server/vendor/mongodb/mongodb/tests/Model/IndexInputTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Model/UncloneableObject.php b/server/vendor/mongodb/mongodb/tests/Model/UncloneableObject.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Model/UncloneableObject.php rename to server/vendor/mongodb/mongodb/tests/Model/UncloneableObject.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/AggregateFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/AggregateFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/AggregateFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/AggregateFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/AggregateTest.php b/server/vendor/mongodb/mongodb/tests/Operation/AggregateTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/AggregateTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/AggregateTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/BulkWriteFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/BulkWriteFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/BulkWriteFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/BulkWriteFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/BulkWriteTest.php b/server/vendor/mongodb/mongodb/tests/Operation/BulkWriteTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/BulkWriteTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/BulkWriteTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/CountDocumentsFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/CountDocumentsFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/CountDocumentsFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/CountDocumentsFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/CountDocumentsTest.php b/server/vendor/mongodb/mongodb/tests/Operation/CountDocumentsTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/CountDocumentsTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/CountDocumentsTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/CountFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/CountFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/CountFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/CountFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/CountTest.php b/server/vendor/mongodb/mongodb/tests/Operation/CountTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/CountTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/CountTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/CreateCollectionFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/CreateCollectionFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/CreateCollectionFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/CreateCollectionFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/CreateCollectionTest.php b/server/vendor/mongodb/mongodb/tests/Operation/CreateCollectionTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/CreateCollectionTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/CreateCollectionTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/CreateIndexesFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/CreateIndexesFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/CreateIndexesFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/CreateIndexesFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/CreateIndexesTest.php b/server/vendor/mongodb/mongodb/tests/Operation/CreateIndexesTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/CreateIndexesTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/CreateIndexesTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DatabaseCommandFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/DatabaseCommandFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DatabaseCommandFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/DatabaseCommandFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DatabaseCommandTest.php b/server/vendor/mongodb/mongodb/tests/Operation/DatabaseCommandTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DatabaseCommandTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/DatabaseCommandTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DeleteFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/DeleteFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DeleteFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/DeleteFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DeleteTest.php b/server/vendor/mongodb/mongodb/tests/Operation/DeleteTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DeleteTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/DeleteTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DistinctFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/DistinctFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DistinctFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/DistinctFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DistinctTest.php b/server/vendor/mongodb/mongodb/tests/Operation/DistinctTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DistinctTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/DistinctTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DropCollectionFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/DropCollectionFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DropCollectionFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/DropCollectionFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DropCollectionTest.php b/server/vendor/mongodb/mongodb/tests/Operation/DropCollectionTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DropCollectionTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/DropCollectionTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DropDatabaseFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/DropDatabaseFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DropDatabaseFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/DropDatabaseFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DropDatabaseTest.php b/server/vendor/mongodb/mongodb/tests/Operation/DropDatabaseTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DropDatabaseTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/DropDatabaseTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DropIndexesFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/DropIndexesFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DropIndexesFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/DropIndexesFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DropIndexesTest.php b/server/vendor/mongodb/mongodb/tests/Operation/DropIndexesTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/DropIndexesTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/DropIndexesTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/EstimatedDocumentCountTest.php b/server/vendor/mongodb/mongodb/tests/Operation/EstimatedDocumentCountTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/EstimatedDocumentCountTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/EstimatedDocumentCountTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ExplainFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/ExplainFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ExplainFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/ExplainFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ExplainTest.php b/server/vendor/mongodb/mongodb/tests/Operation/ExplainTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ExplainTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/ExplainTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/FindAndModifyFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/FindAndModifyFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/FindAndModifyFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/FindAndModifyFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/FindAndModifyTest.php b/server/vendor/mongodb/mongodb/tests/Operation/FindAndModifyTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/FindAndModifyTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/FindAndModifyTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/FindFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/FindFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/FindFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/FindFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/FindOneAndDeleteTest.php b/server/vendor/mongodb/mongodb/tests/Operation/FindOneAndDeleteTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/FindOneAndDeleteTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/FindOneAndDeleteTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/FindOneAndReplaceTest.php b/server/vendor/mongodb/mongodb/tests/Operation/FindOneAndReplaceTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/FindOneAndReplaceTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/FindOneAndReplaceTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/FindOneAndUpdateTest.php b/server/vendor/mongodb/mongodb/tests/Operation/FindOneAndUpdateTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/FindOneAndUpdateTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/FindOneAndUpdateTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/FindOneFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/FindOneFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/FindOneFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/FindOneFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/FindTest.php b/server/vendor/mongodb/mongodb/tests/Operation/FindTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/FindTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/FindTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/FunctionalTestCase.php b/server/vendor/mongodb/mongodb/tests/Operation/FunctionalTestCase.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/FunctionalTestCase.php rename to server/vendor/mongodb/mongodb/tests/Operation/FunctionalTestCase.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/InsertManyFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/InsertManyFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/InsertManyFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/InsertManyFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/InsertManyTest.php b/server/vendor/mongodb/mongodb/tests/Operation/InsertManyTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/InsertManyTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/InsertManyTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/InsertOneFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/InsertOneFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/InsertOneFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/InsertOneFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/InsertOneTest.php b/server/vendor/mongodb/mongodb/tests/Operation/InsertOneTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/InsertOneTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/InsertOneTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ListCollectionNamesFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/ListCollectionNamesFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ListCollectionNamesFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/ListCollectionNamesFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ListCollectionsFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/ListCollectionsFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ListCollectionsFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/ListCollectionsFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ListDatabaseNamesFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/ListDatabaseNamesFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ListDatabaseNamesFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/ListDatabaseNamesFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ListDatabasesFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/ListDatabasesFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ListDatabasesFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/ListDatabasesFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ListIndexesFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/ListIndexesFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ListIndexesFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/ListIndexesFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ListIndexesTest.php b/server/vendor/mongodb/mongodb/tests/Operation/ListIndexesTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ListIndexesTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/ListIndexesTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/MapReduceFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/MapReduceFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/MapReduceFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/MapReduceFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/MapReduceTest.php b/server/vendor/mongodb/mongodb/tests/Operation/MapReduceTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/MapReduceTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/MapReduceTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ModifyCollectionFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/ModifyCollectionFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ModifyCollectionFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/ModifyCollectionFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ModifyCollectionTest.php b/server/vendor/mongodb/mongodb/tests/Operation/ModifyCollectionTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ModifyCollectionTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/ModifyCollectionTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ReplaceOneTest.php b/server/vendor/mongodb/mongodb/tests/Operation/ReplaceOneTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/ReplaceOneTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/ReplaceOneTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/TestCase.php b/server/vendor/mongodb/mongodb/tests/Operation/TestCase.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/TestCase.php rename to server/vendor/mongodb/mongodb/tests/Operation/TestCase.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/UpdateFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/UpdateFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/UpdateFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/UpdateFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/UpdateManyTest.php b/server/vendor/mongodb/mongodb/tests/Operation/UpdateManyTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/UpdateManyTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/UpdateManyTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/UpdateOneTest.php b/server/vendor/mongodb/mongodb/tests/Operation/UpdateOneTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/UpdateOneTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/UpdateOneTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/UpdateTest.php b/server/vendor/mongodb/mongodb/tests/Operation/UpdateTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/UpdateTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/UpdateTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/WatchFunctionalTest.php b/server/vendor/mongodb/mongodb/tests/Operation/WatchFunctionalTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/WatchFunctionalTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/WatchFunctionalTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/WatchTest.php b/server/vendor/mongodb/mongodb/tests/Operation/WatchTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/Operation/WatchTest.php rename to server/vendor/mongodb/mongodb/tests/Operation/WatchTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/PHPUnit/Functions.php b/server/vendor/mongodb/mongodb/tests/PHPUnit/Functions.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/PHPUnit/Functions.php rename to server/vendor/mongodb/mongodb/tests/PHPUnit/Functions.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/PedantryTest.php b/server/vendor/mongodb/mongodb/tests/PedantryTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/PedantryTest.php rename to server/vendor/mongodb/mongodb/tests/PedantryTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/AtlasDataLakeSpecTest.php b/server/vendor/mongodb/mongodb/tests/SpecTests/AtlasDataLakeSpecTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/AtlasDataLakeSpecTest.php rename to server/vendor/mongodb/mongodb/tests/SpecTests/AtlasDataLakeSpecTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/ChangeStreamsSpecTest.php b/server/vendor/mongodb/mongodb/tests/SpecTests/ChangeStreamsSpecTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/ChangeStreamsSpecTest.php rename to server/vendor/mongodb/mongodb/tests/SpecTests/ChangeStreamsSpecTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/ClientSideEncryptionSpecTest.php b/server/vendor/mongodb/mongodb/tests/SpecTests/ClientSideEncryptionSpecTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/ClientSideEncryptionSpecTest.php rename to server/vendor/mongodb/mongodb/tests/SpecTests/ClientSideEncryptionSpecTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/CommandExpectations.php b/server/vendor/mongodb/mongodb/tests/SpecTests/CommandExpectations.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/CommandExpectations.php rename to server/vendor/mongodb/mongodb/tests/SpecTests/CommandExpectations.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/CommandMonitoringSpecTest.php b/server/vendor/mongodb/mongodb/tests/SpecTests/CommandMonitoringSpecTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/CommandMonitoringSpecTest.php rename to server/vendor/mongodb/mongodb/tests/SpecTests/CommandMonitoringSpecTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/Context.php b/server/vendor/mongodb/mongodb/tests/SpecTests/Context.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/Context.php rename to server/vendor/mongodb/mongodb/tests/SpecTests/Context.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/CrudSpecTest.php b/server/vendor/mongodb/mongodb/tests/SpecTests/CrudSpecTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/CrudSpecTest.php rename to server/vendor/mongodb/mongodb/tests/SpecTests/CrudSpecTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/DocumentsMatchConstraint.php b/server/vendor/mongodb/mongodb/tests/SpecTests/DocumentsMatchConstraint.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/DocumentsMatchConstraint.php rename to server/vendor/mongodb/mongodb/tests/SpecTests/DocumentsMatchConstraint.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/DocumentsMatchConstraintTest.php b/server/vendor/mongodb/mongodb/tests/SpecTests/DocumentsMatchConstraintTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/DocumentsMatchConstraintTest.php rename to server/vendor/mongodb/mongodb/tests/SpecTests/DocumentsMatchConstraintTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/ErrorExpectation.php b/server/vendor/mongodb/mongodb/tests/SpecTests/ErrorExpectation.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/ErrorExpectation.php rename to server/vendor/mongodb/mongodb/tests/SpecTests/ErrorExpectation.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/FunctionalTestCase.php b/server/vendor/mongodb/mongodb/tests/SpecTests/FunctionalTestCase.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/FunctionalTestCase.php rename to server/vendor/mongodb/mongodb/tests/SpecTests/FunctionalTestCase.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/Operation.php b/server/vendor/mongodb/mongodb/tests/SpecTests/Operation.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/Operation.php rename to server/vendor/mongodb/mongodb/tests/SpecTests/Operation.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/PrimaryStepDownSpecTest.php b/server/vendor/mongodb/mongodb/tests/SpecTests/PrimaryStepDownSpecTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/PrimaryStepDownSpecTest.php rename to server/vendor/mongodb/mongodb/tests/SpecTests/PrimaryStepDownSpecTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/ReadWriteConcernSpecTest.php b/server/vendor/mongodb/mongodb/tests/SpecTests/ReadWriteConcernSpecTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/ReadWriteConcernSpecTest.php rename to server/vendor/mongodb/mongodb/tests/SpecTests/ReadWriteConcernSpecTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/ResultExpectation.php b/server/vendor/mongodb/mongodb/tests/SpecTests/ResultExpectation.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/ResultExpectation.php rename to server/vendor/mongodb/mongodb/tests/SpecTests/ResultExpectation.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/RetryableReadsSpecTest.php b/server/vendor/mongodb/mongodb/tests/SpecTests/RetryableReadsSpecTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/RetryableReadsSpecTest.php rename to server/vendor/mongodb/mongodb/tests/SpecTests/RetryableReadsSpecTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/RetryableWritesSpecTest.php b/server/vendor/mongodb/mongodb/tests/SpecTests/RetryableWritesSpecTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/RetryableWritesSpecTest.php rename to server/vendor/mongodb/mongodb/tests/SpecTests/RetryableWritesSpecTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/TransactionsSpecTest.php b/server/vendor/mongodb/mongodb/tests/SpecTests/TransactionsSpecTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/TransactionsSpecTest.php rename to server/vendor/mongodb/mongodb/tests/SpecTests/TransactionsSpecTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/aggregate.json b/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/aggregate.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/aggregate.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/aggregate.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/estimatedDocumentCount.json b/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/estimatedDocumentCount.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/estimatedDocumentCount.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/estimatedDocumentCount.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/find.json b/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/find.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/find.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/find.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/getMore.json b/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/getMore.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/getMore.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/getMore.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/listCollections.json b/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/listCollections.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/listCollections.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/listCollections.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/listDatabases.json b/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/listDatabases.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/listDatabases.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/listDatabases.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/runCommand.json b/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/runCommand.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/runCommand.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/atlas_data_lake/runCommand.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/README.rst b/server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/README.rst similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/README.rst rename to server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/README.rst diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams-errors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams-errors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams-errors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams-errors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams-resume-errorLabels.json b/server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams-resume-errorLabels.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams-resume-errorLabels.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams-resume-errorLabels.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams-resume-whitelist.json b/server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams-resume-whitelist.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams-resume-whitelist.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams-resume-whitelist.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams.json b/server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/change-streams/change-streams.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-encrypted.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-encrypted.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-encrypted.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-encrypted.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-key-aws.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-key-aws.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-key-aws.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-key-aws.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-key-local.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-key-local.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-key-local.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-key-local.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-schema.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-schema.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-schema.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus-schema.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/corpus/corpus.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/external/external-key.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/external/external-key.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/external/external-key.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/external/external-key.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/external/external-schema.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/external/external-schema.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/external/external-schema.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/external/external-schema.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/limits/limits-doc.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/limits/limits-doc.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/limits/limits-doc.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/limits/limits-doc.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/limits/limits-key.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/limits/limits-key.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/limits/limits-key.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/limits/limits-key.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/limits/limits-schema.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/limits/limits-schema.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/limits/limits-schema.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/limits/limits-schema.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/aggregate.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/aggregate.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/aggregate.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/aggregate.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/badQueries.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/badQueries.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/badQueries.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/badQueries.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/badSchema.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/badSchema.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/badSchema.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/badSchema.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/basic.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/basic.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/basic.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/basic.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/bulk.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/bulk.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/bulk.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/bulk.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/bypassAutoEncryption.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/bypassAutoEncryption.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/bypassAutoEncryption.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/bypassAutoEncryption.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/bypassedCommand.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/bypassedCommand.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/bypassedCommand.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/bypassedCommand.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/count.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/count.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/count.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/count.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/countDocuments.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/countDocuments.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/countDocuments.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/countDocuments.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/delete.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/delete.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/delete.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/delete.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/distinct.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/distinct.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/distinct.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/distinct.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/explain.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/explain.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/explain.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/explain.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/find.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/find.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/find.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/find.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/findOneAndDelete.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/findOneAndDelete.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/findOneAndDelete.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/findOneAndDelete.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/findOneAndReplace.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/findOneAndReplace.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/findOneAndReplace.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/findOneAndReplace.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/findOneAndUpdate.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/findOneAndUpdate.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/findOneAndUpdate.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/findOneAndUpdate.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/getMore.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/getMore.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/getMore.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/getMore.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/insert.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/insert.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/insert.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/insert.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/keyAltName.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/keyAltName.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/keyAltName.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/keyAltName.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/localKMS.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/localKMS.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/localKMS.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/localKMS.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/localSchema.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/localSchema.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/localSchema.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/localSchema.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/malformedCiphertext.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/malformedCiphertext.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/malformedCiphertext.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/malformedCiphertext.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/maxWireVersion.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/maxWireVersion.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/maxWireVersion.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/maxWireVersion.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/missingKey.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/missingKey.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/missingKey.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/missingKey.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/replaceOne.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/replaceOne.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/replaceOne.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/replaceOne.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/types.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/types.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/types.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/types.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/unsupportedCommand.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/unsupportedCommand.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/unsupportedCommand.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/unsupportedCommand.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/updateMany.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/updateMany.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/updateMany.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/updateMany.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/updateOne.json b/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/updateOne.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/updateOne.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/client-side-encryption/tests/updateOne.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/bulkWrite.json b/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/bulkWrite.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/bulkWrite.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/bulkWrite.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/command.json b/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/command.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/command.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/command.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/deleteMany.json b/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/deleteMany.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/deleteMany.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/deleteMany.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/deleteOne.json b/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/deleteOne.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/deleteOne.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/deleteOne.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/find.json b/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/find.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/find.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/find.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/insertMany.json b/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/insertMany.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/insertMany.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/insertMany.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/insertOne.json b/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/insertOne.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/insertOne.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/insertOne.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/unacknowledgedBulkWrite.json b/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/unacknowledgedBulkWrite.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/unacknowledgedBulkWrite.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/unacknowledgedBulkWrite.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/updateMany.json b/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/updateMany.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/updateMany.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/updateMany.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/updateOne.json b/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/updateOne.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/updateOne.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/command-monitoring/updateOne.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/aggregate-merge.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/aggregate-merge.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/aggregate-merge.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/aggregate-merge.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/aggregate-out-readConcern.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/aggregate-out-readConcern.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/aggregate-out-readConcern.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/aggregate-out-readConcern.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-arrayFilters-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-arrayFilters-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-arrayFilters-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-arrayFilters-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-arrayFilters.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-arrayFilters.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-arrayFilters.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-arrayFilters.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-delete-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-delete-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-delete-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-delete-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-delete-hint-serverError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-delete-hint-serverError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-delete-hint-serverError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-delete-hint-serverError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-delete-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-delete-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-delete-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-delete-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-hint-serverError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-hint-serverError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-hint-serverError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-hint-serverError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-validation.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-validation.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-validation.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/bulkWrite-update-validation.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/db-aggregate.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/db-aggregate.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/db-aggregate.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/db-aggregate.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteMany-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteMany-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteMany-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteMany-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteMany-hint-serverError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteMany-hint-serverError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteMany-hint-serverError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteMany-hint-serverError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteMany-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteMany-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteMany-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteMany-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteOne-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteOne-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteOne-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteOne-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteOne-hint-serverError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteOne-hint-serverError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteOne-hint-serverError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteOne-hint-serverError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteOne-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteOne-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteOne-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/deleteOne-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/find-allowdiskuse-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/find-allowdiskuse-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/find-allowdiskuse-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/find-allowdiskuse-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/find-allowdiskuse-serverError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/find-allowdiskuse-serverError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/find-allowdiskuse-serverError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/find-allowdiskuse-serverError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/find-allowdiskuse.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/find-allowdiskuse.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/find-allowdiskuse.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/find-allowdiskuse.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndDelete-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndDelete-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndDelete-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndDelete-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndDelete-hint-serverError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndDelete-hint-serverError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndDelete-hint-serverError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndDelete-hint-serverError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndDelete-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndDelete-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndDelete-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndDelete-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndReplace-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndReplace-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndReplace-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndReplace-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndReplace-hint-serverError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndReplace-hint-serverError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndReplace-hint-serverError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndReplace-hint-serverError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndReplace-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndReplace-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndReplace-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndReplace-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndUpdate-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndUpdate-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndUpdate-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndUpdate-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndUpdate-hint-serverError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndUpdate-hint-serverError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndUpdate-hint-serverError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndUpdate-hint-serverError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndUpdate-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndUpdate-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndUpdate-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/findOneAndUpdate-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/replaceOne-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/replaceOne-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/replaceOne-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/replaceOne-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/replaceOne-validation.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/replaceOne-validation.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/replaceOne-validation.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/replaceOne-validation.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-delete-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-delete-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-delete-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-delete-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-delete-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-delete-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-delete-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-delete-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-update-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-update-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-update-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-update-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-update-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-update-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-update-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-bulkWrite-update-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteMany-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteMany-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteMany-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteMany-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteMany-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteMany-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteMany-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteMany-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteOne-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteOne-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteOne-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteOne-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteOne-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteOne-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteOne-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-deleteOne-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndDelete-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndDelete-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndDelete-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndDelete-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndDelete-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndDelete-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndDelete-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndDelete-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndReplace-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndReplace-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndReplace-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndReplace-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndReplace-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndReplace-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndReplace-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndReplace-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndUpdate-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndUpdate-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndUpdate-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndUpdate-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndUpdate-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndUpdate-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndUpdate-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-findOneAndUpdate-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-replaceOne-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-replaceOne-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-replaceOne-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-replaceOne-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-replaceOne-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-replaceOne-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-replaceOne-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-replaceOne-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateMany-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateMany-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateMany-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateMany-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateMany-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateMany-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateMany-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateMany-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateOne-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateOne-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateOne-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateOne-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateOne-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateOne-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateOne-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/unacknowledged-updateOne-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-hint-serverError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-hint-serverError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-hint-serverError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-hint-serverError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-validation.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-validation.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-validation.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateMany-validation.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-hint-clientError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-hint-clientError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-hint-clientError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-hint-clientError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-hint-serverError.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-hint-serverError.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-hint-serverError.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-hint-serverError.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-hint.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-hint.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-hint.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-hint.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-validation.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-validation.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-validation.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateOne-validation.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateWithPipelines.json b/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateWithPipelines.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateWithPipelines.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/crud/updateWithPipelines.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-2.6.json b/server/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-2.6.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-2.6.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-2.6.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-3.2.json b/server/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-3.2.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-3.2.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-3.2.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-3.4.json b/server/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-3.4.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-3.4.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-3.4.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-4.2.json b/server/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-4.2.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-4.2.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/read-write-concern/operation/default-write-concern-4.2.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/aggregate-merge.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/aggregate-merge.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/aggregate-merge.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/aggregate-merge.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/aggregate-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/aggregate-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/aggregate-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/aggregate-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/aggregate.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/aggregate.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/aggregate.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/aggregate.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-client.watch-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-client.watch-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-client.watch-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-client.watch-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-client.watch.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-client.watch.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-client.watch.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-client.watch.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.coll.watch-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.coll.watch-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.coll.watch-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.coll.watch-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.coll.watch.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.coll.watch.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.coll.watch.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.coll.watch.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.watch-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.watch-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.watch-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.watch-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.watch.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.watch.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.watch.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/changeStreams-db.watch.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/count-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/count-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/count-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/count-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/count.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/count.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/count.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/count.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/countDocuments-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/countDocuments-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/countDocuments-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/countDocuments-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/countDocuments.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/countDocuments.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/countDocuments.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/countDocuments.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/distinct-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/distinct-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/distinct-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/distinct-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/distinct.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/distinct.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/distinct.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/distinct.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/estimatedDocumentCount-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/estimatedDocumentCount-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/estimatedDocumentCount-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/estimatedDocumentCount-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/estimatedDocumentCount.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/estimatedDocumentCount.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/estimatedDocumentCount.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/estimatedDocumentCount.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/find-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/find-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/find-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/find-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/find.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/find.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/find.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/find.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/findOne-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/findOne-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/findOne-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/findOne-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/findOne.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/findOne.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/findOne.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/findOne.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-download-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-download-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-download-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-download-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-download.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-download.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-download.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-download.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-downloadByName-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-downloadByName-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-downloadByName-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-downloadByName-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-downloadByName.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-downloadByName.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-downloadByName.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/gridfs-downloadByName.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionNames-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionNames-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionNames-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionNames-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionNames.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionNames.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionNames.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionNames.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionObjects-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionObjects-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionObjects-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionObjects-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionObjects.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionObjects.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionObjects.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollectionObjects.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollections-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollections-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollections-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollections-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollections.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollections.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollections.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listCollections.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseNames-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseNames-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseNames-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseNames-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseNames.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseNames.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseNames.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseNames.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseObjects-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseObjects-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseObjects-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseObjects-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseObjects.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseObjects.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseObjects.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabaseObjects.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabases-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabases-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabases-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabases-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabases.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabases.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabases.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listDatabases.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexNames-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexNames-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexNames-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexNames-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexNames.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexNames.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexNames.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexNames.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexes-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexes-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexes-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexes-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexes.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexes.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexes.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/listIndexes.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/mapReduce.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/mapReduce.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/mapReduce.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-reads/mapReduce.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/bulkWrite-errorLabels.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/bulkWrite-errorLabels.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/bulkWrite-errorLabels.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/bulkWrite-errorLabels.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/bulkWrite-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/bulkWrite-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/bulkWrite-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/bulkWrite-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/bulkWrite.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/bulkWrite.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/bulkWrite.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/bulkWrite.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteMany.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteMany.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteMany.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteMany.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteOne-errorLabels.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteOne-errorLabels.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteOne-errorLabels.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteOne-errorLabels.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteOne-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteOne-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteOne-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteOne-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteOne.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteOne.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteOne.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/deleteOne.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndDelete-errorLabels.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndDelete-errorLabels.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndDelete-errorLabels.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndDelete-errorLabels.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndDelete-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndDelete-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndDelete-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndDelete-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndDelete.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndDelete.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndDelete.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndDelete.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndReplace-errorLabels.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndReplace-errorLabels.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndReplace-errorLabels.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndReplace-errorLabels.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndReplace-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndReplace-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndReplace-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndReplace-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndReplace.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndReplace.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndReplace.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndReplace.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndUpdate-errorLabels.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndUpdate-errorLabels.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndUpdate-errorLabels.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndUpdate-errorLabels.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndUpdate-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndUpdate-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndUpdate-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndUpdate-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndUpdate.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndUpdate.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndUpdate.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/findOneAndUpdate.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertMany-errorLabels.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertMany-errorLabels.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertMany-errorLabels.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertMany-errorLabels.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertMany-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertMany-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertMany-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertMany-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertMany.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertMany.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertMany.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertMany.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertOne-errorLabels.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertOne-errorLabels.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertOne-errorLabels.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertOne-errorLabels.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertOne-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertOne-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertOne-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertOne-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertOne.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertOne.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertOne.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/insertOne.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/replaceOne-errorLabels.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/replaceOne-errorLabels.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/replaceOne-errorLabels.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/replaceOne-errorLabels.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/replaceOne-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/replaceOne-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/replaceOne-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/replaceOne-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/replaceOne.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/replaceOne.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/replaceOne.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/replaceOne.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateMany.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateMany.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateMany.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateMany.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateOne-errorLabels.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateOne-errorLabels.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateOne-errorLabels.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateOne-errorLabels.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateOne-serverErrors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateOne-serverErrors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateOne-serverErrors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateOne-serverErrors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateOne.json b/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateOne.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateOne.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/retryable-writes/updateOne.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/callback-aborts.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/callback-aborts.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/callback-aborts.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/callback-aborts.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/callback-commits.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/callback-commits.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/callback-commits.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/callback-commits.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/callback-retry.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/callback-retry.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/callback-retry.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/callback-retry.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-retry.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-retry.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-retry.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-retry.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-transienttransactionerror-4.2.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-transienttransactionerror-4.2.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-transienttransactionerror-4.2.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-transienttransactionerror-4.2.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-transienttransactionerror.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-transienttransactionerror.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-transienttransactionerror.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-transienttransactionerror.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-writeconcernerror.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-writeconcernerror.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-writeconcernerror.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit-writeconcernerror.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/commit.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/transaction-options.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/transaction-options.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/transaction-options.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions-convenient-api/transaction-options.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/abort.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/abort.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/abort.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/abort.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/bulk.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/bulk.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/bulk.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/bulk.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/causal-consistency.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/causal-consistency.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/causal-consistency.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/causal-consistency.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/commit.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/commit.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/commit.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/commit.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/count.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/count.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/count.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/count.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/create-collection.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/create-collection.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/create-collection.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/create-collection.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/create-index.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/create-index.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/create-index.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/create-index.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/delete.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/delete.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/delete.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/delete.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/error-labels.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/error-labels.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/error-labels.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/error-labels.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/errors-client.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/errors-client.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/errors-client.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/errors-client.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/errors.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/errors.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/errors.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/errors.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/findOneAndDelete.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/findOneAndDelete.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/findOneAndDelete.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/findOneAndDelete.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/findOneAndReplace.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/findOneAndReplace.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/findOneAndReplace.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/findOneAndReplace.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/findOneAndUpdate.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/findOneAndUpdate.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/findOneAndUpdate.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/findOneAndUpdate.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/insert.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/insert.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/insert.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/insert.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/isolation.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/isolation.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/isolation.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/isolation.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/mongos-pin-auto.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/mongos-pin-auto.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/mongos-pin-auto.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/mongos-pin-auto.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/mongos-recovery-token.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/mongos-recovery-token.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/mongos-recovery-token.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/mongos-recovery-token.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/pin-mongos.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/pin-mongos.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/pin-mongos.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/pin-mongos.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/read-concern.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/read-concern.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/read-concern.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/read-concern.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/read-pref.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/read-pref.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/read-pref.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/read-pref.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/reads.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/reads.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/reads.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/reads.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-abort-errorLabels.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-abort-errorLabels.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-abort-errorLabels.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-abort-errorLabels.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-abort.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-abort.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-abort.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-abort.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-commit-errorLabels.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-commit-errorLabels.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-commit-errorLabels.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-commit-errorLabels.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-commit.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-commit.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-commit.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-commit.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-writes.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-writes.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-writes.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/retryable-writes.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/run-command.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/run-command.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/run-command.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/run-command.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/transaction-options-repl.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/transaction-options-repl.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/transaction-options-repl.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/transaction-options-repl.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/transaction-options.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/transaction-options.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/transaction-options.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/transaction-options.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/update.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/update.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/update.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/update.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/write-concern.json b/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/write-concern.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/SpecTests/transactions/write-concern.json rename to server/vendor/mongodb/mongodb/tests/SpecTests/transactions/write-concern.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/TestCase.php b/server/vendor/mongodb/mongodb/tests/TestCase.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/TestCase.php rename to server/vendor/mongodb/mongodb/tests/TestCase.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/CollectionData.php b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/CollectionData.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/CollectionData.php rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/CollectionData.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/IsBsonType.php b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/IsBsonType.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/IsBsonType.php rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/IsBsonType.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/IsBsonTypeTest.php b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/IsBsonTypeTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/IsBsonTypeTest.php rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/IsBsonTypeTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/Matches.php b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/Matches.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/Matches.php rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/Matches.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/MatchesTest.php b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/MatchesTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/MatchesTest.php rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Constraint/MatchesTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Context.php b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Context.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Context.php rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Context.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/DirtySessionObserver.php b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/DirtySessionObserver.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/DirtySessionObserver.php rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/DirtySessionObserver.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/EntityMap.php b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/EntityMap.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/EntityMap.php rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/EntityMap.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/EventObserver.php b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/EventObserver.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/EventObserver.php rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/EventObserver.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/ExpectedError.php b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/ExpectedError.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/ExpectedError.php rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/ExpectedError.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/ExpectedResult.php b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/ExpectedResult.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/ExpectedResult.php rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/ExpectedResult.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/FailPointObserver.php b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/FailPointObserver.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/FailPointObserver.php rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/FailPointObserver.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Operation.php b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Operation.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Operation.php rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Operation.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/RunOnRequirement.php b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/RunOnRequirement.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/RunOnRequirement.php rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/RunOnRequirement.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/UnifiedSpecTest.php b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/UnifiedSpecTest.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/UnifiedSpecTest.php rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/UnifiedSpecTest.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Util.php b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Util.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Util.php rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/Util.php diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-bucket-database-undefined.json b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-bucket-database-undefined.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-bucket-database-undefined.json rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-bucket-database-undefined.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-collection-database-undefined.json b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-collection-database-undefined.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-collection-database-undefined.json rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-collection-database-undefined.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-database-client-undefined.json b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-database-client-undefined.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-database-client-undefined.json rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-database-client-undefined.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-session-client-undefined.json b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-session-client-undefined.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-session-client-undefined.json rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/entity-session-client-undefined.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/returnDocument-enum-invalid.json b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/returnDocument-enum-invalid.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/returnDocument-enum-invalid.json rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/returnDocument-enum-invalid.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/schemaVersion-unsupported.json b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/schemaVersion-unsupported.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/schemaVersion-unsupported.json rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-fail/schemaVersion-unsupported.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-change-streams.json b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-change-streams.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-change-streams.json rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-change-streams.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-command-monitoring.json b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-command-monitoring.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-command-monitoring.json rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-command-monitoring.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-crud.json b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-crud.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-crud.json rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-crud.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-gridfs.json b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-gridfs.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-gridfs.json rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-gridfs.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-retryable-reads.json b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-retryable-reads.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-retryable-reads.json rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-retryable-reads.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-retryable-writes.json b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-retryable-writes.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-retryable-writes.json rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-retryable-writes.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-sessions.json b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-sessions.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-sessions.json rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-sessions.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-transactions-convenient-api.json b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-transactions-convenient-api.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-transactions-convenient-api.json rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-transactions-convenient-api.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-transactions-mongos-pin-auto.json b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-transactions-mongos-pin-auto.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-transactions-mongos-pin-auto.json rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-transactions-mongos-pin-auto.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-transactions.json b/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-transactions.json similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-transactions.json rename to server/vendor/mongodb/mongodb/tests/UnifiedSpecTests/valid-pass/poc-transactions.json diff --git a/notemyprogress/server/vendor/mongodb/mongodb/tests/bootstrap.php b/server/vendor/mongodb/mongodb/tests/bootstrap.php similarity index 100% rename from notemyprogress/server/vendor/mongodb/mongodb/tests/bootstrap.php rename to server/vendor/mongodb/mongodb/tests/bootstrap.php diff --git a/notemyprogress/server/vendor/symfony/polyfill-php80/LICENSE b/server/vendor/symfony/polyfill-php80/LICENSE similarity index 100% rename from notemyprogress/server/vendor/symfony/polyfill-php80/LICENSE rename to server/vendor/symfony/polyfill-php80/LICENSE diff --git a/notemyprogress/server/vendor/symfony/polyfill-php80/Php80.php b/server/vendor/symfony/polyfill-php80/Php80.php similarity index 100% rename from notemyprogress/server/vendor/symfony/polyfill-php80/Php80.php rename to server/vendor/symfony/polyfill-php80/Php80.php diff --git a/notemyprogress/server/vendor/symfony/polyfill-php80/README.md b/server/vendor/symfony/polyfill-php80/README.md similarity index 100% rename from notemyprogress/server/vendor/symfony/polyfill-php80/README.md rename to server/vendor/symfony/polyfill-php80/README.md diff --git a/notemyprogress/server/vendor/symfony/polyfill-php80/Resources/stubs/Attribute.php b/server/vendor/symfony/polyfill-php80/Resources/stubs/Attribute.php similarity index 100% rename from notemyprogress/server/vendor/symfony/polyfill-php80/Resources/stubs/Attribute.php rename to server/vendor/symfony/polyfill-php80/Resources/stubs/Attribute.php diff --git a/notemyprogress/server/vendor/symfony/polyfill-php80/Resources/stubs/Stringable.php b/server/vendor/symfony/polyfill-php80/Resources/stubs/Stringable.php similarity index 100% rename from notemyprogress/server/vendor/symfony/polyfill-php80/Resources/stubs/Stringable.php rename to server/vendor/symfony/polyfill-php80/Resources/stubs/Stringable.php diff --git a/notemyprogress/server/vendor/symfony/polyfill-php80/Resources/stubs/UnhandledMatchError.php b/server/vendor/symfony/polyfill-php80/Resources/stubs/UnhandledMatchError.php similarity index 100% rename from notemyprogress/server/vendor/symfony/polyfill-php80/Resources/stubs/UnhandledMatchError.php rename to server/vendor/symfony/polyfill-php80/Resources/stubs/UnhandledMatchError.php diff --git a/notemyprogress/server/vendor/symfony/polyfill-php80/Resources/stubs/ValueError.php b/server/vendor/symfony/polyfill-php80/Resources/stubs/ValueError.php similarity index 100% rename from notemyprogress/server/vendor/symfony/polyfill-php80/Resources/stubs/ValueError.php rename to server/vendor/symfony/polyfill-php80/Resources/stubs/ValueError.php diff --git a/notemyprogress/server/vendor/symfony/polyfill-php80/bootstrap.php b/server/vendor/symfony/polyfill-php80/bootstrap.php similarity index 100% rename from notemyprogress/server/vendor/symfony/polyfill-php80/bootstrap.php rename to server/vendor/symfony/polyfill-php80/bootstrap.php diff --git a/notemyprogress/server/vendor/symfony/polyfill-php80/composer.json b/server/vendor/symfony/polyfill-php80/composer.json similarity index 100% rename from notemyprogress/server/vendor/symfony/polyfill-php80/composer.json rename to server/vendor/symfony/polyfill-php80/composer.json diff --git a/notemyprogress/sessions.php b/sessions.php similarity index 100% rename from notemyprogress/sessions.php rename to sessions.php diff --git a/notemyprogress/settings.php b/settings.php similarity index 100% rename from notemyprogress/settings.php rename to settings.php diff --git a/notemyprogress/setweeks.php b/setweeks.php similarity index 100% rename from notemyprogress/setweeks.php rename to setweeks.php diff --git a/notemyprogress/student.php b/student.php similarity index 100% rename from notemyprogress/student.php rename to student.php diff --git a/notemyprogress/student_gamification.php b/student_gamification.php similarity index 100% rename from notemyprogress/student_gamification.php rename to student_gamification.php diff --git a/notemyprogress/student_sessions.php b/student_sessions.php similarity index 100% rename from notemyprogress/student_sessions.php rename to student_sessions.php diff --git a/notemyprogress/styles.css b/styles.css similarity index 100% rename from notemyprogress/styles.css rename to styles.css diff --git a/notemyprogress/teacher.php b/teacher.php similarity index 100% rename from notemyprogress/teacher.php rename to teacher.php diff --git a/notemyprogress/templates/assignments.mustache b/templates/assignments.mustache similarity index 100% rename from notemyprogress/templates/assignments.mustache rename to templates/assignments.mustache diff --git a/notemyprogress/templates/auto_evaluation.mustache b/templates/auto_evaluation.mustache similarity index 100% rename from notemyprogress/templates/auto_evaluation.mustache rename to templates/auto_evaluation.mustache diff --git a/notemyprogress/templates/dropout.mustache b/templates/dropout.mustache similarity index 100% rename from notemyprogress/templates/dropout.mustache rename to templates/dropout.mustache diff --git a/notemyprogress/templates/gamification.mustache b/templates/gamification.mustache similarity index 100% rename from notemyprogress/templates/gamification.mustache rename to templates/gamification.mustache diff --git a/notemyprogress/templates/grades.mustache b/templates/grades.mustache similarity index 100% rename from notemyprogress/templates/grades.mustache rename to templates/grades.mustache diff --git a/notemyprogress/templates/graph.mustache b/templates/graph.mustache similarity index 100% rename from notemyprogress/templates/graph.mustache rename to templates/graph.mustache diff --git a/notemyprogress/templates/logs.mustache b/templates/logs.mustache similarity index 100% rename from notemyprogress/templates/logs.mustache rename to templates/logs.mustache diff --git a/notemyprogress/templates/metareflexion.mustache b/templates/metareflexion.mustache similarity index 100% rename from notemyprogress/templates/metareflexion.mustache rename to templates/metareflexion.mustache diff --git a/notemyprogress/templates/navbar_popover.mustache b/templates/navbar_popover.mustache similarity index 100% rename from notemyprogress/templates/navbar_popover.mustache rename to templates/navbar_popover.mustache diff --git a/notemyprogress/templates/prueba.mustache b/templates/prueba.mustache similarity index 100% rename from notemyprogress/templates/prueba.mustache rename to templates/prueba.mustache diff --git a/notemyprogress/templates/quiz.mustache b/templates/quiz.mustache similarity index 100% rename from notemyprogress/templates/quiz.mustache rename to templates/quiz.mustache diff --git a/notemyprogress/templates/sessions.mustache b/templates/sessions.mustache similarity index 100% rename from notemyprogress/templates/sessions.mustache rename to templates/sessions.mustache diff --git a/notemyprogress/templates/setweeks.mustache b/templates/setweeks.mustache similarity index 100% rename from notemyprogress/templates/setweeks.mustache rename to templates/setweeks.mustache diff --git a/notemyprogress/templates/student.mustache b/templates/student.mustache similarity index 100% rename from notemyprogress/templates/student.mustache rename to templates/student.mustache diff --git a/notemyprogress/templates/student_gamification.mustache b/templates/student_gamification.mustache similarity index 100% rename from notemyprogress/templates/student_gamification.mustache rename to templates/student_gamification.mustache diff --git a/notemyprogress/templates/student_planning.mustache b/templates/student_planning.mustache similarity index 100% rename from notemyprogress/templates/student_planning.mustache rename to templates/student_planning.mustache diff --git a/notemyprogress/templates/student_sessions.mustache b/templates/student_sessions.mustache similarity index 100% rename from notemyprogress/templates/student_sessions.mustache rename to templates/student_sessions.mustache diff --git a/notemyprogress/templates/teacher.mustache b/templates/teacher.mustache similarity index 100% rename from notemyprogress/templates/teacher.mustache rename to templates/teacher.mustache diff --git a/notemyprogress/version.php b/version.php similarity index 100% rename from notemyprogress/version.php rename to version.php -- GitLab