NoteController.php 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492
  1. <?php
  2. namespace App\Controllers\Api;
  3. use App\Models\NoteModel;
  4. use App\Models\NoteTagModel;
  5. use App\Models\TagModel;
  6. use App\Utils\Crypt;
  7. use App\Utils\DB;
  8. use PH7\JustHttp\StatusCode;
  9. use Respect\Validation\Exceptions\NestedValidationException;
  10. use Respect\Validation\Validator as v;
  11. class NoteController
  12. {
  13. /*
  14. * Obtiene las reglas de validación.
  15. */
  16. private function getValidationRules()
  17. {
  18. return [
  19. 'id' => v::stringType()->notEmpty()->Uuid(),
  20. 'title' => v::stringType()->notEmpty()->length(1, 255, true),
  21. 'body' => v::stringType()->notEmpty()->length(1, pow(2, 16) - 1, true),
  22. 'tags' => v::arrayType()->each(v::stringType()->notEmpty()->Uuid())
  23. ];
  24. }
  25. /*
  26. * Registra la nota de un usuario.
  27. */
  28. public function create($req, $res)
  29. {
  30. $data = [];
  31. $rules = $this->getValidationRules();
  32. // Selecciona solo los campos necesarios.
  33. $fields = array_diff(array_keys($rules), ['id']);
  34. // Obtiene los campos del cuerpo de la petición.
  35. foreach ($fields as $field) {
  36. if (v::key($field, v::notOptional(), true)->validate($req->body)) {
  37. $data[$field] = $req->body[$field];
  38. }
  39. }
  40. // Asegura este tipo de valor para los tags de la nota si se encuentra presente.
  41. if (v::key('tags', v::notOptional()->equals('[]'), true)->validate($data)) {
  42. $data['tags'] = [];
  43. }
  44. // Comprueba los campos del cuerpo de la petición.
  45. try {
  46. v::key('title', $rules['title'], true)
  47. ->key('body', $rules['body'], true)
  48. ->key('tags', $rules['tags'], false)
  49. ->assert($data);
  50. } catch (NestedValidationException $e) {
  51. $res->status(StatusCode::BAD_REQUEST)->json([
  52. 'validations' => $e->getMessages()
  53. ]);
  54. }
  55. $userAuth = $req->app->local('userAuth');
  56. $tags = [];
  57. // Comprueba que los tags se encuentren registrados.
  58. if (v::key('tags', v::notOptional()->notEmpty(), true)->validate($data)) {
  59. $query = TagModel::factory()->select('id');
  60. $params = [];
  61. foreach ($data['tags'] as $key => $value) {
  62. $paramName = ':id_' . $key;
  63. $query->param($paramName, $value);
  64. $params[] = $paramName;
  65. }
  66. $query->where(sprintf('id IN(%s)', implode(',', $params)));
  67. // Consulta la información de los tags del usuario a relacionar en la nota.
  68. $tags = $query->where('user_id', $userAuth['id'])->get();
  69. // Comprueba que los tags enviados estén registrados.
  70. if (array_diff($data['tags'], array_column($tags, 'id'))) {
  71. $res->status(StatusCode::NOT_FOUND)->json([
  72. 'error' => 'The tags to add cannot be found'
  73. ]);
  74. }
  75. }
  76. unset($data['tags']);
  77. $crypt = new Crypt($userAuth['id']);
  78. // Encripta el contenido de la nota.
  79. $data['body'] = $crypt->encrypt(trim($data['body']));
  80. // Genera el UUID de la nueva nota.
  81. $data['id'] = DB::generateUuid();
  82. // Relaciona la nota al usuario.
  83. $data['user_id'] = $userAuth['id'];
  84. // Elimina espacios sobrantes del título de la nota.
  85. $data['title'] = trim($data['title']);
  86. $data['created_at'] = $data['updated_at'] = DB::datetime();
  87. $noteModel = NoteModel::factory();
  88. // Registra la información de la nueva nota.
  89. $noteModel->insert($data);
  90. $noteTagModel = NoteTagModel::factory();
  91. // Relaciona los tags de la nota registrada.
  92. if (!empty($tags)) {
  93. foreach ($tags as $tag) {
  94. $datetime = DB::datetime();
  95. $noteTagModel->reset()->insert([
  96. 'id' => DB::generateUuid(),
  97. 'note_id' => $data['id'],
  98. 'tag_id' => $tag['id'],
  99. 'created_at' => $datetime,
  100. 'updated_at' => $datetime
  101. ]);
  102. }
  103. }
  104. // Consulta la información de la nota registrada.
  105. $newNote = $noteModel
  106. ->reset()
  107. ->select('id, user_id, title, created_at, updated_at')
  108. ->find($data['id']);
  109. // Consulta los tags de la nota registrada.
  110. $newNote['tags'] = $noteTagModel
  111. ->reset()
  112. ->select('tags.id, tags.name')
  113. ->tags()
  114. ->where('notes_tags.note_id', $newNote['id'])
  115. ->orderBy('tags.name ASC')
  116. ->get();
  117. $res->status(StatusCode::CREATED)->json([
  118. 'data' => $newNote
  119. ]);
  120. }
  121. /*
  122. * Consulta las notas de un usuario.
  123. */
  124. public function index($req, $res)
  125. {
  126. $userAuth = $req->app->local('userAuth');
  127. $noteModel = NoteModel::factory();
  128. // Consulta la información de las notas del usuario.
  129. $notes = $noteModel
  130. ->select('notes.id, notes.user_id, notes.title, notes.created_at, notes.updated_at')
  131. ->where('notes.user_id', $userAuth['id'])
  132. ->orderBy('notes.updated_at DESC')
  133. ->get();
  134. $noteTagModel = NoteTagModel::factory();
  135. // Consulta los tags de las notas del usuario.
  136. foreach ($notes as &$note) {
  137. $note['tags'] = $noteTagModel
  138. ->reset()
  139. ->select('tags.id, tags.name')
  140. ->tags()
  141. ->where('notes_tags.note_id', $note['id'])
  142. ->orderBy('tags.name ASC')
  143. ->get();
  144. }
  145. unset($note);
  146. $res->json([
  147. 'data' => $notes
  148. ]);
  149. }
  150. /*
  151. * Consulta la información de
  152. * la nota de un usuario.
  153. */
  154. public function show($req, $res)
  155. {
  156. $params = $req->params;
  157. $rules = $this->getValidationRules();
  158. // Comprueba los parámetros de la ruta.
  159. try {
  160. v::key('uuid', $rules['id'], true)->assert($params);
  161. } catch (NestedValidationException $e) {
  162. $res->status(StatusCode::BAD_REQUEST)->json([
  163. 'error' => $e->getMessage()
  164. ]);
  165. }
  166. $userAuth = $req->app->local('userAuth');
  167. // Consulta la información de la nota.
  168. $note = NoteModel::factory()
  169. ->select('id, user_id, title, body, created_at, updated_at')
  170. ->where('user_id', $userAuth['id'])
  171. ->find($params['uuid']);
  172. // Comprueba que la nota se encuentra registrada.
  173. if (empty($note)) {
  174. $res->status(StatusCode::NOT_FOUND)->json([
  175. 'error' => 'Note cannot be found'
  176. ]);
  177. }
  178. $crypt = new Crypt($userAuth['id']);
  179. // Desencripta el contenido de la nota.
  180. $note['body'] = $crypt->decrypt($note['body']);
  181. // Consulta los tags de la nota.
  182. $note['tags'] = NoteTagModel::factory()
  183. ->select('tags.id, tags.name')
  184. ->tags()
  185. ->where('notes_tags.note_id', $note['id'])
  186. ->orderBy('tags.name ASC')
  187. ->get();
  188. $res->json([
  189. 'data' => $note
  190. ]);
  191. }
  192. /*
  193. * Modifica o actualiza la información
  194. * de la nota de un usuario.
  195. */
  196. public function update($req, $res)
  197. {
  198. $params = $req->params;
  199. $rules = $this->getValidationRules();
  200. // Comprueba los parámetros de la ruta.
  201. try {
  202. v::key('uuid', $rules['id'], true)->assert($params);
  203. } catch (NestedValidationException $e) {
  204. $res->status(StatusCode::BAD_REQUEST)->json([
  205. 'error' => $e->getMessage()
  206. ]);
  207. }
  208. $userAuth = $req->app->local('userAuth');
  209. $noteModel = NoteModel::factory();
  210. // Consulta la información de la nota que será modificada.
  211. $note = $noteModel
  212. ->select('id')
  213. ->where('user_id', $userAuth['id'])
  214. ->find($params['uuid']);
  215. // Comprueba que la nota se encuentra registrada.
  216. if (empty($note)) {
  217. $res->status(StatusCode::NOT_FOUND)->json([
  218. 'error' => 'Note cannot be found'
  219. ]);
  220. }
  221. $data = [];
  222. // Selecciona solo los campos necesarios.
  223. $fields = array_diff(array_keys($rules), ['id']);
  224. // Obtiene los campos del cuerpo de la petición.
  225. foreach ($fields as $field) {
  226. if (v::key($field, v::notOptional(), true)->validate($req->body)) {
  227. $data[$field] = $req->body[$field];
  228. }
  229. }
  230. // Permite eliminar todos los tags de la nota si se encuentra presente.
  231. if (v::key('tags', v::notOptional()->equals('[]'), true)->validate($data)) {
  232. $data['tags'] = [];
  233. }
  234. // Comprueba los campos del cuerpo de la petición.
  235. try {
  236. v::key('title', $rules['title'], false)
  237. ->key('body', $rules['body'], false)
  238. ->key('tags', $rules['tags'], false)
  239. ->assert($data);
  240. } catch (NestedValidationException $e) {
  241. $res->status(StatusCode::BAD_REQUEST)->json([
  242. 'validations' => $e->getMessages()
  243. ]);
  244. }
  245. /*
  246. * Limpia espacios sobrantes del título de la nota
  247. * si se encuentra presente.
  248. */
  249. if (v::key('title', v::notOptional(), true)->validate($data)) {
  250. $data['title'] = trim($data['title']);
  251. }
  252. /*
  253. * Encripta el nuevo contenido de la nota
  254. * si se encuentra presente.
  255. */
  256. if (v::key('body', v::notOptional(), true)->validate($data)) {
  257. $crypt = new Crypt($userAuth['id']);
  258. $data['body'] = $crypt->encrypt(trim($data['body']));
  259. }
  260. $noteTagModel = NoteTagModel::factory();
  261. /*
  262. * Comprueba los tags de la nota que fueron modificados
  263. * si se encuentra presente.
  264. */
  265. if (v::key('tags', v::notOptional(), true)->validate($data)) {
  266. // Consulta los tags de la nota que será modificada.
  267. $note['tags'] = $noteTagModel
  268. ->select('tags.id, tags.name')
  269. ->tags()
  270. ->where('notes_tags.note_id', $note['id'])
  271. ->get();
  272. $noteTagsIDs = array_column($note['tags'], 'id');
  273. // Obtiene los nuevos tags relacionados a la nota.
  274. $newNoteTags = array_diff($data['tags'], $noteTagsIDs);
  275. // Comprueba y relaciona los nuevos tags a la nota.
  276. if (!empty($newNoteTags)) {
  277. $query = TagModel::factory()->select('id');
  278. $params = [];
  279. foreach ($newNoteTags as $key => $value) {
  280. $paramName = ':id_' . $key;
  281. $query->param($paramName, $value);
  282. $params[] = $paramName;
  283. }
  284. $query->where(sprintf('id IN(%s)', implode(',', $params)));
  285. // Consulta la información de los nuevos tags a relacionar en la nota.
  286. $newTagsToAdd = $query->where('user_id', $userAuth['id'])->get();
  287. // Comprueba que los tags enviados estén registrados.
  288. if (array_diff($newNoteTags, array_column($newTagsToAdd, 'id'))) {
  289. $res->status(StatusCode::NOT_FOUND)->json([
  290. 'error' => 'The new tags to add cannot be found'
  291. ]);
  292. }
  293. // Relaciona los nuevos tags de la nota.
  294. foreach ($newTagsToAdd as $tag) {
  295. $datetime = DB::datetime();
  296. $noteTagModel->reset()->insert([
  297. 'id' => DB::generateUuid(),
  298. 'note_id' => $note['id'],
  299. 'tag_id' => $tag['id'],
  300. 'created_at' => $datetime,
  301. 'updated_at' => $datetime
  302. ]);
  303. }
  304. }
  305. // Obtiene los tags eliminados de la nota.
  306. $deletedNoteTags = array_diff($noteTagsIDs, $data['tags']);
  307. // Elimina los tags de la nota.
  308. if (!empty($deletedNoteTags)) {
  309. $deleteQuery = $noteTagModel
  310. ->reset()
  311. ->where('note_id', $note['id']);
  312. $deleteParams = [];
  313. foreach ($deletedNoteTags as $key => $value) {
  314. $deleteParamName = ':id_' . $key;
  315. $deleteQuery->param($deleteParamName, $value);
  316. $deleteParams[] = $deleteParamName;
  317. }
  318. // Elimina la información de los tags que no se encuentran.
  319. $deleteQuery
  320. ->where(sprintf('tag_id IN(%s)', implode(',', $deleteParams)))
  321. ->delete();
  322. }
  323. }
  324. unset($data['tags']);
  325. // Modifica total o parcialmente la información de la nota del usuario.
  326. if (!empty($data)) {
  327. $data['updated_at'] = DB::datetime();
  328. $noteModel
  329. ->reset()
  330. ->where('id', $note['id'])
  331. ->update($data);
  332. }
  333. // Consulta la información de la nota modificada.
  334. $updatedNote = $noteModel
  335. ->reset()
  336. ->select('id, user_id, title, created_at, updated_at')
  337. ->find($note['id']);
  338. // Consulta los tags de la nota modificada.
  339. $updatedNote['tags'] = $noteTagModel
  340. ->reset()
  341. ->select('tags.id, tags.name')
  342. ->tags()
  343. ->where('notes_tags.note_id', $updatedNote['id'])
  344. ->orderBy('tags.name ASC')
  345. ->get();
  346. $res->json([
  347. 'data' => $updatedNote
  348. ]);
  349. }
  350. /*
  351. * Elimina la nota de un usuario.
  352. */
  353. public function delete($req, $res)
  354. {
  355. $params = $req->params;
  356. $rules = $this->getValidationRules();
  357. // Comprueba los parámetros de la ruta.
  358. try {
  359. v::key('uuid', $rules['id'], true)->assert($params);
  360. } catch (NestedValidationException $e) {
  361. $res->status(StatusCode::BAD_REQUEST)->json([
  362. 'error' => $e->getMessage()
  363. ]);
  364. }
  365. $userAuth = $req->app->local('userAuth');
  366. $noteModel = NoteModel::factory();
  367. // Consulta la información de la nota que será eliminada.
  368. $deletedNote = $noteModel
  369. ->select('id, user_id, title, created_at, updated_at')
  370. ->where('user_id', $userAuth['id'])
  371. ->find($params['uuid']);
  372. // Comprueba que la nota se encuentra registrada.
  373. if (empty($deletedNote)) {
  374. $res->status(StatusCode::NOT_FOUND)->json([
  375. 'error' => 'Note cannot be found'
  376. ]);
  377. }
  378. // Consulta los tags de la nota que será eliminada.
  379. $deletedNote['tags'] = NoteTagModel::factory()
  380. ->select('tags.id, tags.name')
  381. ->tags()
  382. ->where('notes_tags.note_id', $deletedNote['id'])
  383. ->orderBy('tags.name ASC')
  384. ->get();
  385. // Elimina la información de la nota.
  386. $noteModel
  387. ->reset()
  388. ->where('id', $deletedNote['id'])
  389. ->delete();
  390. $res->json([
  391. 'data' => $deletedNote
  392. ]);
  393. }
  394. }