note.rs 5.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163
  1. //! Allow users to add summary comments in Issues & Pull Requests.
  2. //!
  3. //! Users can make a new summary entry by commenting the following:
  4. //!
  5. //! ```md
  6. //! @dragonosbot note summary-title
  7. //! ```
  8. //!
  9. //! If this is the first summary entry, rustbot will amend the original post (the top-level comment) to add a "Notes" section. The section should **not** be edited by hand.
  10. //!
  11. //! ```md
  12. //! <!-- TRIAGEBOT_SUMMARY_START -->
  13. //!
  14. //! ### Summary Notes
  15. //!
  16. //! - ["summary-title" by @username](link-to-comment)
  17. //!
  18. //! Generated by triagebot, see [help](https://forge.rust-lang.org/triagebot/note.html) for how to add more
  19. //! <!-- TRIAGEBOT_SUMMARY_END -->
  20. //! ```
  21. //!
  22. //! If this is *not* the first summary entry, rustbot will simply append the new entry to the existing notes section:
  23. //!
  24. //! ```md
  25. //! <!-- TRIAGEBOT_SUMMARY_START -->
  26. //!
  27. //! ### Summary Notes
  28. //!
  29. //! - ["first-note" by @username](link-to-comment)
  30. //! - ["second-note" by @username](link-to-comment)
  31. //! - ["summary-title" by @username](link-to-comment)
  32. //!
  33. //! <!-- TRIAGEBOT_SUMMARY_END -->
  34. //! ```
  35. //!
  36. use crate::{config::NoteConfig, github::Event, handlers::Context, interactions::EditIssueBody};
  37. use itertools::Itertools;
  38. use parser::command::note::NoteCommand;
  39. use std::{cmp::Ordering, collections::HashMap};
  40. use tracing as log;
  41. #[derive(Debug, PartialEq, Eq, serde::Serialize, serde::Deserialize, Clone)]
  42. struct NoteDataEntry {
  43. title: String,
  44. comment_url: String,
  45. author: String,
  46. }
  47. impl NoteDataEntry {
  48. pub fn to_markdown(&self) -> String {
  49. format!(
  50. "\n- [\"{title}\" by @{author}]({comment_url})",
  51. title = self.title,
  52. author = self.author,
  53. comment_url = self.comment_url
  54. )
  55. }
  56. }
  57. impl Ord for NoteDataEntry {
  58. fn cmp(&self, other: &Self) -> Ordering {
  59. self.comment_url.cmp(&other.comment_url)
  60. }
  61. }
  62. impl PartialOrd for NoteDataEntry {
  63. fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
  64. Some(self.cmp(other))
  65. }
  66. }
  67. #[derive(Debug, PartialEq, Eq, serde::Serialize, serde::Deserialize, Default)]
  68. struct NoteData {
  69. entries_by_url: HashMap<String, NoteDataEntry>,
  70. }
  71. impl NoteData {
  72. pub fn get_url_from_title(&self, title: &str) -> Option<String> {
  73. let tmp = self.entries_by_url.clone();
  74. tmp.iter().sorted().find_map(|(key, val)| {
  75. if val.title == title {
  76. Some(key.to_owned())
  77. } else {
  78. None
  79. }
  80. })
  81. }
  82. pub fn remove_by_title(&mut self, title: &str) -> Option<NoteDataEntry> {
  83. if let Some(url_to_remove) = self.get_url_from_title(title) {
  84. if let Some(entry) = self.entries_by_url.remove(&url_to_remove) {
  85. log::debug!("SUCCESSFULLY REMOVED ENTRY: {:#?}", &entry);
  86. Some(entry)
  87. } else {
  88. log::debug!("UNABLE TO REMOVE ENTRY WITH URL: {:?}", &url_to_remove);
  89. None
  90. }
  91. } else {
  92. log::debug!("UNABLE TO REMOVE ENTRY WITH TITLE: {:?}", title);
  93. None
  94. }
  95. }
  96. pub fn to_markdown(&self) -> String {
  97. if self.entries_by_url.is_empty() {
  98. return String::new();
  99. }
  100. let mut text = String::from("\n### Summary Notes\n");
  101. for (_, entry) in self.entries_by_url.iter().sorted() {
  102. text.push_str(&entry.to_markdown());
  103. }
  104. text.push_str("\n\nGenerated by triagebot, see [help](https://forge.rust-lang.org/triagebot/note.html) for how to add more");
  105. text
  106. }
  107. }
  108. pub(super) async fn handle_command(
  109. ctx: &Context,
  110. _config: &NoteConfig,
  111. event: &Event,
  112. cmd: NoteCommand,
  113. ) -> anyhow::Result<()> {
  114. let issue = event.issue().unwrap();
  115. let e = EditIssueBody::new(&issue, "SUMMARY");
  116. let mut current: NoteData = e.current_data().unwrap_or_default();
  117. let comment_url = String::from(event.html_url().unwrap());
  118. let author = event.user().login.to_owned();
  119. match &cmd {
  120. NoteCommand::Summary { title } => {
  121. let title = title.to_owned();
  122. if let Some(existing_entry) = current.entries_by_url.get_mut(&comment_url) {
  123. existing_entry.title = title;
  124. log::debug!("Updated existing entry: {:#?}", existing_entry);
  125. } else {
  126. let new_entry = NoteDataEntry {
  127. title,
  128. comment_url: comment_url.clone(),
  129. author,
  130. };
  131. log::debug!("New Note Entry: {:#?}", new_entry);
  132. current.entries_by_url.insert(comment_url, new_entry);
  133. log::debug!("Entries by URL: {:#?}", current.entries_by_url);
  134. }
  135. }
  136. NoteCommand::Remove { title } => {
  137. if let Some(entry) = current.remove_by_title(title) {
  138. log::debug!("SUCCESSFULLY REMOVED ENTRY: {:#?}", entry);
  139. } else {
  140. log::debug!("UNABLE TO REMOVE ENTRY");
  141. }
  142. }
  143. }
  144. let new_markdown = current.to_markdown();
  145. log::debug!("New MD: {:#?}", new_markdown);
  146. e.apply(&ctx.github, new_markdown, current).await?;
  147. Ok(())
  148. }