Source: apollo/users/user.datasources.js

  1. const Users = require('../users/user.model.js');
  2. const AccessLevel = require('../accessLevels/accessLevel.model.js');
  3. const { DataSource } = require('apollo-datasource');
  4. const firebase = require("../../helpers/firebase");
  5. const { INVALID_INPUT } = require('../../errors/index.js');
  6. /**
  7. * @class
  8. * @classdesc This class contains all the database functions for the users
  9. */
  10. class UserAPI extends DataSource {
  11. getUsers(args) {
  12. return Users.find(args);
  13. }
  14. getUserById(id) {
  15. return Users.findById(id);
  16. }
  17. getUserByUsername(username) {
  18. return Users.findOne({ username });
  19. }
  20. /**
  21. * Single function which handles both sign up and sign in of a user
  22. * If the user already exists in the database, it simply fetches the existing doucment
  23. * Or else it creates a new document in the users collection, sets the access level object to level1.
  24. * Finally uses the Firebase Admin SDK to update the users JWT. Since the user JWT is updated here,
  25. * after signing up the client has to refresh the token in order to get the updated token from Firebase.
  26. * @param {Object} user user info
  27. * @param {String} uid firebase uid
  28. * @returns {Object} created user object
  29. */
  30. async authUser(user,uid) {
  31. let incomingUser;
  32. const exisitingUser=await Users.findOne({firebaseUID:uid});
  33. // User document exists(Sign in)
  34. if(exisitingUser){
  35. incomingUser=exisitingUser;
  36. }
  37. // User document doesnt exist(Sign up)
  38. else{
  39. const newUser = await Users.create({
  40. username: user.username,
  41. name: user.name,
  42. gmailAuthMail: user.gmailAuthMail,
  43. instituteId: user.instituteId,
  44. address: user.address,
  45. mobile: user.mobile,
  46. firebaseUID : uid,
  47. emergencyContact: user.emergencyContact,
  48. displayPicture: user.displayPicture,
  49. });
  50. const accessLevelObj = {
  51. level: '1',
  52. name:newUser.name,
  53. user: newUser,
  54. };
  55. const createdAccessLevel = await AccessLevel.create(accessLevelObj);
  56. await newUser.clubAccess.push(createdAccessLevel);
  57. await newUser.save();
  58. if (process.env.NODE_ENV !== "test") {
  59. firebase.updateJWT(uid,{mongoID:newUser._id});
  60. }
  61. incomingUser= await Users.findOne({firebaseUID:uid})
  62. }
  63. return incomingUser;
  64. }
  65. /**
  66. * This function updates the current user's document with all the basic info.
  67. * It also handles the NITR verification, i.e. the bump from level 1 to level 2.
  68. * The client is trusted to call this function with the correct institute ID and
  69. * once the institute ID is set for the first time for a user, it cant be updated again.
  70. * @param {Object} args updated user info
  71. * @param {String} uid firebase uid
  72. * @returns {Object} updated user object
  73. */
  74. async updateUser(args,uid) {
  75. const {user} = args;
  76. let retPromise = {};
  77. const foundUser = await Users.findOne({firebaseUID:uid});
  78. let updatedUser = new Users(foundUser);
  79. updatedUser = Object.assign(updatedUser, user);
  80. updatedUser = new Users(updatedUser);
  81. // let regex=/^(1|2|3|4|5|7)[0-9][0-9]((AR|AS|BM|BT|CH|CE|CR|CS|CY|EC|EI|EE|ER|FP|HS|ID|LS|MA|ME|MN|MM|PA|PH|SM)|(ar|as|bm|bt|ch|ce|cr|cs|cy|ec|ei|ee|er|fp|hs|id|ls|ma|me|mn|mm|pa|ph|sm))[0-9]{4}$/;
  82. if( user.instituteId!==undefined&&foundUser.instituteId===undefined){
  83. // if(regex.test(user.instituteId)==false){
  84. // return new ApolloError("Invalid Institute ID");
  85. // }
  86. // const email=user.instituteId+'@nitrkl.ac.in';
  87. // Firebase Email Auth provider needs to be checked before updating Level
  88. // Error handling also needs to be done
  89. const accessLevelObj = {
  90. level: '2',
  91. name:updatedUser.name,
  92. user: updatedUser,
  93. };
  94. const createdAccessLevel = await AccessLevel.create(accessLevelObj);
  95. await updatedUser.clubAccess.push(createdAccessLevel);
  96. await updatedUser.save();
  97. }
  98. retPromise = await updatedUser.save();
  99. return retPromise;
  100. }
  101. /**
  102. * Deletes the Current User from the database and also from the FIrebase
  103. * @param {String} uid
  104. * @returns {Object} A success response if the user is deleted successfully.
  105. * @throws Will throw an error if the user with the given uid is not found.
  106. */
  107. async deleteUser(uid) {
  108. const foundUser = await Users.findOne({ firebaseUID: uid });
  109. if (foundUser === null) {
  110. return {...INVALID_INPUT,message:"User Not Found"};
  111. }
  112. await Users.deleteOne({ id: foundUser._id })
  113. await AccessLevel.deleteMany({ user: foundUser._id });
  114. if(process.env.NODE_ENV !== "test") {
  115. firebase.deleteUser(uid);
  116. }
  117. return { success: true };
  118. }
  119. }
  120. module.exports = UserAPI;