Source: lib/db/writes.js

  1. import { ObjectID } from "bson";
  2. import {
  3. getDreamsCollection,
  4. getUsersCollection,
  5. getAccountsCollection,
  6. getCommentsCollection,
  7. getStarsCollection,
  8. getInboxCollection,
  9. getCompletionsCollection,
  10. } from "../mongodb";
  11. import { encryptDream } from "../transformations";
  12. import { isDreamOwner } from "../validations";
  13. import {
  14. getCommentById,
  15. getCommentsByUserId,
  16. getDreamById,
  17. getStar,
  18. getStarsByUserEmail,
  19. getUserByEmail,
  20. getUserById,
  21. hasAiCommentedOnDream,
  22. } from "./reads";
  23. import { getInsights } from "../insights";
  24. import { v4 as uuid } from "uuid";
  25. import OpenAI from "openai";
  26. import { hitChiron } from "../chiron";
  27. const openai = new OpenAI({
  28. apiKey: process.env.OPENAI_TOKEN,
  29. });
  30. /**
  31. * @todo document this
  32. */
  33. export async function createDream(data) {
  34. const { dream: dreamData, session } = data;
  35. const [user, collection] = await Promise.all([
  36. getUserByEmail(session.user.email),
  37. getDreamsCollection(),
  38. ]);
  39. const insights = getInsights(dreamData.dream.text);
  40. const encryptedDream = encryptDream(dreamData.dream);
  41. const result = await collection.insertOne({
  42. dream: encryptedDream,
  43. userId: ObjectID(user._id),
  44. createdAt: new Date().toISOString(),
  45. lastUpdatedAt: new Date().toISOString(),
  46. visibility: "private",
  47. commentCount: 0,
  48. starCount: 0,
  49. ...insights,
  50. });
  51. return result;
  52. }
  53. /**
  54. * @todo document this
  55. */
  56. export async function updateDream(dreamId, rawDreamData, userEmail) {
  57. const [collection, user, dreamData] = await Promise.all([
  58. getDreamsCollection(),
  59. getUserByEmail(userEmail),
  60. getDreamById(dreamId),
  61. ]);
  62. if (!isDreamOwner(dreamData, user)) {
  63. console.warn("User is not the dream owner");
  64. return null;
  65. }
  66. let possiblyUpdatedDream = rawDreamData.dream;
  67. const insights = getInsights(rawDreamData.dream.text);
  68. if (dreamData.visibility === "private") {
  69. possiblyUpdatedDream = encryptDream(rawDreamData.dream);
  70. }
  71. const result = await collection.updateOne(
  72. {
  73. _id: ObjectID(dreamId),
  74. },
  75. {
  76. $set: {
  77. dream: possiblyUpdatedDream,
  78. ...insights,
  79. lastUpdatedAt: new Date().toISOString(),
  80. },
  81. }
  82. );
  83. return result;
  84. }
  85. /**
  86. * Method responsible for updating a dream's visibility.
  87. * In case a dream is going from public to private and doesn't
  88. * have an AI input, it also generates one.
  89. *
  90. * @param {string} dreamId - The dream's ID
  91. * @param {string} visibility - "public" or "private"
  92. * @param {string} userEmail - The dream owner user's email
  93. * @returns {Promise<{ success: boolean }>}
  94. */
  95. export async function updateDreamVisibility(dreamId, visibility, userEmail) {
  96. const [collection, user, dreamData] = await Promise.all([
  97. getDreamsCollection(),
  98. getUserByEmail(userEmail),
  99. getDreamById(dreamId),
  100. ]);
  101. if (!isDreamOwner(dreamData, user)) {
  102. return null;
  103. }
  104. if (dreamData.visibility !== "private" && visibility !== "private") {
  105. const result = await collection.updateOne(
  106. {
  107. _id: ObjectID(dreamId),
  108. },
  109. {
  110. $set: { visibility, lastUpdatedAt: new Date().toISOString() },
  111. }
  112. );
  113. return result;
  114. }
  115. if (dreamData.visibility === "private" && visibility !== "private") {
  116. const hasCommented = await hasAiCommentedOnDream(dreamId);
  117. if (!hasCommented) {
  118. console.log("Generating completion from workflow #3");
  119. await generateCompletion(
  120. dreamId,
  121. dreamData.dream.text,
  122. undefined,
  123. user._id
  124. );
  125. }
  126. const result = await collection.updateOne(
  127. {
  128. _id: ObjectID(dreamId),
  129. },
  130. {
  131. $set: {
  132. // At this point the dream is already decrypted, see getDreamById
  133. dream: dreamData.dream,
  134. visibility,
  135. lastUpdatedAt: new Date().toISOString(),
  136. },
  137. }
  138. );
  139. return result;
  140. }
  141. const encryptedDream = encryptDream(dreamData.dream);
  142. const result = await collection.updateOne(
  143. {
  144. _id: ObjectID(dreamId),
  145. },
  146. {
  147. $set: {
  148. dream: encryptedDream,
  149. visibility,
  150. lastUpdatedAt: new Date().toISOString(),
  151. },
  152. }
  153. );
  154. return result;
  155. }
  156. /**
  157. * Method responsible for deleting a dream.
  158. *
  159. * @function
  160. * @param {string} dreamId - The dream's ID
  161. * @returns {Promise<{ success: boolean }>}
  162. */
  163. export async function deleteDream(dreamId) {
  164. const [collection, commentsCollection, starsCollection] = await Promise.all([
  165. getDreamsCollection(),
  166. getCommentsCollection(),
  167. getStarsCollection(),
  168. ]);
  169. try {
  170. await Promise.all([
  171. collection.deleteOne({
  172. _id: ObjectID(dreamId),
  173. }),
  174. commentsCollection.deleteMany({
  175. dreamId: ObjectID(dreamId),
  176. }),
  177. starsCollection.deleteMany({
  178. dreamId: ObjectID(dreamId),
  179. }),
  180. ]);
  181. return { success: true };
  182. } catch (error) {
  183. console.error({ error, service: "db", component: "deleteDream" });
  184. return { success: false };
  185. }
  186. }
  187. /**
  188. * Method responsible for deleting a user's account.
  189. * This method is called when a user deletes their account.
  190. * It deletes all dreams, comments and stars related to the user, and the user's account.
  191. *
  192. * @param {string} userEmail - The user's email
  193. * @returns {Promise<{ success: boolean }>}
  194. */
  195. export async function deleteAccount(userEmail) {
  196. const [
  197. user,
  198. usersCollection,
  199. dreamsCollection,
  200. accountsCollection,
  201. commentsCollection,
  202. starsCollection,
  203. ] = await Promise.all([
  204. getUserByEmail(userEmail),
  205. getUsersCollection(),
  206. getDreamsCollection(),
  207. getAccountsCollection(),
  208. getCommentsCollection(),
  209. getStarsCollection(),
  210. ]);
  211. if (!user) {
  212. console.warn({
  213. message: "No user found",
  214. service: "db",
  215. pathname: "deleteAccount",
  216. });
  217. return { success: false };
  218. }
  219. try {
  220. const comments = await getCommentsByUserId(user._id);
  221. const stars = await getStarsByUserEmail(user.email);
  222. await Promise.all([
  223. dreamsCollection.deleteMany({ userId: ObjectID(user._id) }),
  224. accountsCollection.deleteOne({ userId: ObjectID(user._id) }),
  225. usersCollection.deleteOne({ email: userEmail }),
  226. // Delete all comments made on this user's dreams.
  227. commentsCollection.deleteMany({ dreamOwnerUserId: ObjectID(user._id) }),
  228. // Delete all stars given to this user's dreams.
  229. starsCollection.deleteMany({ dreamOwnerUserId: ObjectID(user._id) }),
  230. ]);
  231. // Delete comments made on other people's dreams and
  232. // decrement the dream count accordingly.
  233. for (const comment of comments) {
  234. // Skip awaiting, update as many dream comment counts
  235. // as possible as fast as possible.
  236. deleteComment(comment._id, comment.dreamId);
  237. }
  238. for (const star of stars) {
  239. unstarDream(star._id, star.dreamId);
  240. }
  241. return { success: true };
  242. } catch (error) {
  243. console.error({ error, service: "db", component: "deleteAccount" });
  244. return { success: false };
  245. }
  246. }
  247. /**
  248. * Updates a user's account with the provided data.
  249. *
  250. * @param {string} userId
  251. * @param {object} data
  252. */
  253. export async function updateUser(userId, data) {
  254. const collection = await getUsersCollection();
  255. const result = await collection.updateOne(
  256. {
  257. _id: ObjectID(userId),
  258. },
  259. {
  260. $set: {
  261. ...data,
  262. },
  263. }
  264. );
  265. return result;
  266. }
  267. /**
  268. * This method is responsible for creating a comment.
  269. * It also creates an inbox message for the dream owner.
  270. * If the dream owner is the same as the user, no inbox message is created.
  271. * It has a special case for the AI user, which is a bot that creates comments.
  272. * The AI user doesn't have a database object, so it skips getting the user's database object.
  273. *
  274. * @param {object} data - The data object
  275. * @param {string} data.comment - The comment text
  276. * @param {string} data.dreamId - The dream ID
  277. * @param {object} data.session - The session object
  278. * @param {object} data.session.user - The user object
  279. * @param {string} data.session.user.name - The user's name
  280. * @param {string} data.session.user.email - The user's email
  281. * @param {string} data.session.user.image - The user's image
  282. * @returns {Promise<{ insertedId: string }>}
  283. */
  284. export async function createComment(data) {
  285. const { comment, dreamId, session } = data;
  286. // Skip getting user's database object because it doesn't really exist.
  287. const isAIComment = session.user.name === "Sonia";
  288. if (isAIComment) {
  289. const [collection, inboxCollection] = await Promise.all([
  290. getCommentsCollection(),
  291. getInboxCollection(),
  292. ]);
  293. const dream = await getDreamById(dreamId);
  294. const dreamOwner = await getUserById(dream.userId);
  295. const inboxKey = uuid();
  296. const [result, _] = await Promise.all([
  297. collection.insertOne({
  298. // Grab the user's name from the mocked session.
  299. userId: session.user.name,
  300. userName: session.user.name,
  301. userEmail: session.user.email,
  302. userImage: session.user.image,
  303. dreamId: ObjectID(dreamId),
  304. dreamOwnerUserId: ObjectID(dream.userId),
  305. createdAt: new Date().toISOString(),
  306. text: comment,
  307. inboxKey,
  308. }),
  309. inboxCollection.insertOne({
  310. userId: session.user.name,
  311. userName: session.user.name,
  312. userEmail: session.user.email,
  313. userImage: session.user.image,
  314. dreamId: ObjectID(dreamId),
  315. dreamOwnerUserEmail: dreamOwner.email,
  316. createdAt: new Date().toISOString(),
  317. type: "comment",
  318. read: false,
  319. commentKey: inboxKey,
  320. }),
  321. ]);
  322. if (result.insertedId) {
  323. const dreamsCollection = await getDreamsCollection();
  324. await dreamsCollection.updateOne(
  325. {
  326. _id: ObjectID(dreamId),
  327. },
  328. { $inc: { commentCount: 1 } }
  329. );
  330. }
  331. return result;
  332. }
  333. if (!isAIComment) {
  334. const [user, collection, inboxCollection] = await Promise.all([
  335. getUserByEmail(session.user.email),
  336. getCommentsCollection(),
  337. getInboxCollection(),
  338. ]);
  339. const dream = await getDreamById(dreamId);
  340. const dreamOwner = await getUserById(dream.userId);
  341. let shouldCreateNewInbox = true;
  342. if (dreamOwner.email === user.email) {
  343. shouldCreateNewInbox = false;
  344. }
  345. const inboxKey = uuid();
  346. const [result, _] = await Promise.all([
  347. collection.insertOne({
  348. userId: ObjectID(user._id),
  349. userName: user.name,
  350. userEmail: user.email,
  351. userImage: user.image,
  352. dreamId: ObjectID(dreamId),
  353. dreamOwnerUserId: ObjectID(dream.userId),
  354. createdAt: new Date().toISOString(),
  355. text: comment,
  356. inboxKey: shouldCreateNewInbox ? inboxKey : null,
  357. }),
  358. shouldCreateNewInbox
  359. ? inboxCollection.insertOne({
  360. userId: ObjectID(user._id),
  361. userName: user.name,
  362. userEmail: user.email,
  363. userImage: user.image,
  364. dreamId: ObjectID(dreamId),
  365. dreamOwnerUserEmail: dreamOwner.email,
  366. createdAt: new Date().toISOString(),
  367. type: "comment",
  368. read: false,
  369. commentKey: inboxKey,
  370. })
  371. : () => null,
  372. ]);
  373. if (result.insertedId) {
  374. const dreamsCollection = await getDreamsCollection();
  375. await dreamsCollection.updateOne(
  376. {
  377. _id: ObjectID(dreamId),
  378. },
  379. { $inc: { commentCount: 1 } }
  380. );
  381. }
  382. return result;
  383. }
  384. }
  385. /**
  386. * This method is responsible for deleting a comment from a dream.
  387. * It also deletes the inbox message for the dream owner.
  388. *
  389. * @param {string} commentId - The comment ID
  390. * @param {string} dreamId - The dream ID
  391. * @returns {Promise<any>}
  392. */
  393. export async function deleteComment(commentId, dreamId) {
  394. const [collection, dreamsCollection, inboxCollection] = await Promise.all([
  395. getCommentsCollection(),
  396. getDreamsCollection(),
  397. getInboxCollection(),
  398. ]);
  399. const comment = await getCommentById(commentId);
  400. return await Promise.all([
  401. collection.deleteOne({ _id: ObjectID(commentId) }),
  402. dreamsCollection.updateOne(
  403. {
  404. _id: ObjectID(dreamId),
  405. },
  406. { $inc: { commentCount: -1 } }
  407. ),
  408. inboxCollection.deleteOne({
  409. userEmail: session.user.email,
  410. commentKey: comment?.inboxKey,
  411. }),
  412. ]);
  413. }
  414. /**
  415. * This method is responsible for starring a dream.
  416. * It also creates an inbox message for the dream owner.
  417. * If the dream owner is the same as the user, no inbox message is created.
  418. *
  419. * @param {object} data - The data object
  420. * @param {string} data.dreamId - The dream ID
  421. * @param {object} data.session - The session object
  422. * @param {object} data.session.user - The user object
  423. * @param {string} data.session.user.name - The user's name
  424. * @param {string} data.session.user.email - The user's email
  425. * @param {string} data.session.user.image - The user's image
  426. * @returns {Promise<{ insertedId: string }>}
  427. */
  428. export async function starDream(data) {
  429. const { dreamId, session } = data;
  430. const [user, collection, inboxCollection] = await Promise.all([
  431. getUserByEmail(session.user.email),
  432. getStarsCollection(),
  433. getInboxCollection(),
  434. ]);
  435. const dream = await getDreamById(dreamId);
  436. const dreamOwner = await getUserById(dream.userId);
  437. let shouldCreateNewInbox = true;
  438. if (dreamOwner.email === user.email) {
  439. shouldCreateNewInbox = false;
  440. }
  441. const inboxKey = uuid();
  442. const [result, _] = await Promise.all([
  443. collection.insertOne({
  444. userId: ObjectID(user._id),
  445. userName: user.name,
  446. userEmail: user.email,
  447. userImage: user.image,
  448. dreamId: ObjectID(dreamId),
  449. dreamOwnerUserId: ObjectID(dream.userId),
  450. createdAt: new Date().toISOString(),
  451. inboxKey: shouldCreateNewInbox ? inboxKey : null,
  452. }),
  453. // The only difference between the inbox
  454. // and the stars collection, is that
  455. // the inbox collection is ephemeral
  456. shouldCreateNewInbox
  457. ? inboxCollection.insertOne({
  458. userId: ObjectID(user._id),
  459. userName: user.name,
  460. userEmail: user.email,
  461. userImage: user.image,
  462. dreamId: ObjectID(dreamId),
  463. dreamOwnerUserEmail: dreamOwner.email,
  464. createdAt: new Date().toISOString(),
  465. type: "star",
  466. read: false,
  467. starKey: inboxKey,
  468. })
  469. : () => null,
  470. ]);
  471. if (result.insertedId) {
  472. const dreamsCollection = await getDreamsCollection();
  473. await dreamsCollection.updateOne(
  474. {
  475. _id: ObjectID(dreamId),
  476. },
  477. { $inc: { starCount: 1 } }
  478. );
  479. }
  480. return result;
  481. }
  482. /**
  483. * @todo document this
  484. */
  485. export async function unstarDream(data) {
  486. const { dreamId, session } = data;
  487. const [collection, dreamsCollection, inboxCollection] = await Promise.all([
  488. getStarsCollection(),
  489. getDreamsCollection(),
  490. getInboxCollection(),
  491. ]);
  492. const star = await getStar(session.user.email, dreamId);
  493. return await Promise.all([
  494. collection.deleteOne({
  495. userEmail: session.user.email,
  496. dreamId: ObjectID(dreamId),
  497. }),
  498. dreamsCollection.updateOne(
  499. {
  500. _id: ObjectID(dreamId),
  501. },
  502. { $inc: { starCount: -1 } }
  503. ),
  504. inboxCollection.deleteOne({
  505. userEmail: session.user.email,
  506. starKey: star?.inboxKey,
  507. }),
  508. ]);
  509. }
  510. /**
  511. * @todo document this
  512. */
  513. export async function markSomeInboxMessagesAsRead(inboxIds) {
  514. const collection = await getInboxCollection();
  515. const bulk = collection.initializeOrderedBulkOp();
  516. inboxIds.forEach((id) => {
  517. bulk.find({ _id: ObjectID(id) }).update({
  518. $set: {
  519. read: true,
  520. lastUpdatedAt: new Date().toISOString(),
  521. },
  522. });
  523. });
  524. const result = await bulk.execute();
  525. return result;
  526. }
  527. /**
  528. * @todo document this
  529. */
  530. export async function markAllInboxMessagesAsRead(userEmail) {
  531. const collection = await getInboxCollection();
  532. const result = await collection.updateMany(
  533. {
  534. dreamOwnerUserEmail: userEmail,
  535. },
  536. {
  537. $set: {
  538. read: true,
  539. lastUpdatedAt: new Date().toISOString(),
  540. },
  541. }
  542. );
  543. return result;
  544. }
  545. /**
  546. * @todo document this
  547. */
  548. export async function deleteAllInboxMessages(userEmail) {
  549. const collection = await getInboxCollection();
  550. const result = await collection.deleteMany({
  551. dreamOwnerUserEmail: userEmail,
  552. });
  553. return result;
  554. }
  555. /**
  556. * @todo document this
  557. */
  558. export async function deleteSomeInboxMessages(inboxIds) {
  559. const collection = await getInboxCollection();
  560. const bulk = collection.initializeOrderedBulkOp();
  561. inboxIds.forEach((id) => {
  562. bulk.find({ _id: ObjectID(id) }).delete();
  563. });
  564. const result = await bulk.execute();
  565. return result;
  566. }
  567. /**
  568. * Saves a completion to the database
  569. *
  570. * @param {*} completion
  571. * @param {*} dreamId
  572. * @param {*} userEmail
  573. * @param {*} userId
  574. */
  575. export async function saveCompletion(completion, dreamId, userEmail, userId) {
  576. const collection = await getCompletionsCollection();
  577. // This should never happen as the client route (triggered first time a completion
  578. // is generated) always provides the userEmail from the session.
  579. // In the meanwhile, backend routes (triggered from Chiron or from upateDream), always provides the userId.
  580. // Backend routes
  581. if (!userEmail && !userId) {
  582. throw new Error("No user data provided");
  583. }
  584. let user = {};
  585. // Client route; first completion
  586. if (userEmail && !userId) {
  587. user = await getUserByEmail(userEmail);
  588. }
  589. const data = {
  590. userId: ObjectID(userId ? userId : userEmail && user ? user._id : userId),
  591. dreamId: ObjectID(dreamId),
  592. completion,
  593. pendingReview: true,
  594. createdAt: new Date().toISOString(),
  595. updatedAt: new Date().toISOString(),
  596. };
  597. const result = await collection.insertOne(data);
  598. return { result, data };
  599. }
  600. /**
  601. * Starts the completion generation process, which is followed by a
  602. * human-in-the-loop review process until it gets back to this
  603. * service
  604. *
  605. * session and userId params are optional because this method
  606. * has two possible workflows, one using the session and the other
  607. * using the userIds. The session workflow starts on the frontend,
  608. * while the userId workflow starts on the backend.
  609. *
  610. * This is this way because saveCompletions method is, and this method
  611. * calls it.
  612. *
  613. * @param {string} dreamId The dream id
  614. * @param {string} text The dream data text
  615. * @param {object} session (Optional) The session object. If not provided, the `userId` must be provided.
  616. * @param {string} userId (Optional) The user id. If not provided, the `session` must be provided.
  617. */
  618. export async function generateCompletion(dreamId, text, session, userId) {
  619. const params = {
  620. messages: [
  621. { role: "system", content: systemInstruction },
  622. { role: "user", content: text },
  623. ],
  624. model: "gpt-3.5-turbo",
  625. };
  626. const completion = await openai.chat.completions.create(params);
  627. const { result, data } = await saveCompletion(
  628. completion,
  629. dreamId,
  630. session?.user?.email,
  631. userId
  632. );
  633. if (result?.acknowledged || result?.insertedId) {
  634. await hitChiron(data);
  635. }
  636. }
  637. const systemInstruction = `Act as a psychotherapist specializing in dream interpretation with a deep knowledge of archetypes and mythology.
  638. When presented with a dream narrative, provide insightful analysis and open-ended questions to help the dreamer gain a deeper understanding of their dream.
  639. Do not provide personal opinions or assumptions about the dreamer.
  640. Provide only factual interpretations based on the information given.
  641. Keep your answer short and concise, with 5000 characters at most.
  642. If the dream looks incomplete, never complete it.
  643. Always respond in the language in which the dream narrative is presented, even if it differs from the initial instruction language (English).`;