autolabel.rs 5.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163
  1. use crate::{
  2. config::AutolabelConfig,
  3. github::{files_changed, IssuesAction, IssuesEvent, Label},
  4. handlers::Context,
  5. };
  6. use anyhow::Context as _;
  7. use tracing as log;
  8. pub(super) struct AutolabelInput {
  9. add: Vec<Label>,
  10. remove: Vec<Label>,
  11. }
  12. pub(super) async fn parse_input(
  13. ctx: &Context,
  14. event: &IssuesEvent,
  15. config: Option<&AutolabelConfig>,
  16. ) -> Result<Option<AutolabelInput>, String> {
  17. let config = match config {
  18. Some(config) => config,
  19. None => return Ok(None),
  20. };
  21. // On opening a new PR or sync'ing the branch, look at the diff and try to
  22. // add any appropriate labels.
  23. //
  24. // FIXME: This will re-apply labels after a push that the user had tried to
  25. // remove. Not much can be done about that currently; the before/after on
  26. // synchronize may be straddling a rebase, which will break diff generation.
  27. if event.action == IssuesAction::Opened || event.action == IssuesAction::Synchronize {
  28. if let Some(diff) = event
  29. .issue
  30. .diff(&ctx.github)
  31. .await
  32. .map_err(|e| {
  33. log::error!("failed to fetch diff: {:?}", e);
  34. })
  35. .unwrap_or_default()
  36. {
  37. let files = files_changed(&diff);
  38. let mut autolabels = Vec::new();
  39. 'outer: for (label, cfg) in config.labels.iter() {
  40. if cfg
  41. .trigger_files
  42. .iter()
  43. .any(|f| files.iter().any(|diff_file| diff_file.starts_with(f)))
  44. {
  45. let exclude_patterns: Vec<glob::Pattern> = cfg
  46. .exclude_labels
  47. .iter()
  48. .filter_map(|label| match glob::Pattern::new(label) {
  49. Ok(exclude_glob) => Some(exclude_glob),
  50. Err(error) => {
  51. log::error!("Invalid glob pattern: {}", error);
  52. None
  53. }
  54. })
  55. .collect();
  56. for label in event.issue.labels() {
  57. for pat in &exclude_patterns {
  58. if pat.matches(&label.name) {
  59. // If we hit an excluded label, ignore this autolabel and check the next
  60. continue 'outer;
  61. }
  62. }
  63. }
  64. autolabels.push(Label {
  65. name: label.to_owned(),
  66. });
  67. }
  68. if cfg.new_pr && event.action == IssuesAction::Opened {
  69. autolabels.push(Label {
  70. name: label.to_owned(),
  71. });
  72. }
  73. }
  74. if !autolabels.is_empty() {
  75. return Ok(Some(AutolabelInput {
  76. add: autolabels,
  77. remove: vec![],
  78. }));
  79. }
  80. }
  81. }
  82. if event.action == IssuesAction::Labeled {
  83. let mut autolabels = Vec::new();
  84. let applied_label = &event.label.as_ref().expect("label").name;
  85. 'outer: for (label, config) in config.get_by_trigger(applied_label) {
  86. let exclude_patterns: Vec<glob::Pattern> = config
  87. .exclude_labels
  88. .iter()
  89. .filter_map(|label| match glob::Pattern::new(label) {
  90. Ok(exclude_glob) => Some(exclude_glob),
  91. Err(error) => {
  92. log::error!("Invalid glob pattern: {}", error);
  93. None
  94. }
  95. })
  96. .collect();
  97. for label in event.issue.labels() {
  98. for pat in &exclude_patterns {
  99. if pat.matches(&label.name) {
  100. // If we hit an excluded label, ignore this autolabel and check the next
  101. continue 'outer;
  102. }
  103. }
  104. }
  105. // If we reach here, no excluded labels were found, so we should apply the autolabel.
  106. autolabels.push(Label {
  107. name: label.to_owned(),
  108. });
  109. }
  110. if !autolabels.is_empty() {
  111. return Ok(Some(AutolabelInput {
  112. add: autolabels,
  113. remove: vec![],
  114. }));
  115. }
  116. }
  117. Ok(None)
  118. }
  119. pub(super) async fn handle_input(
  120. ctx: &Context,
  121. _config: &AutolabelConfig,
  122. event: &IssuesEvent,
  123. input: AutolabelInput,
  124. ) -> anyhow::Result<()> {
  125. match event.issue.add_labels(&ctx.github, input.add).await {
  126. Ok(()) => {}
  127. Err(e) => {
  128. use crate::github::UnknownLabels;
  129. if let Some(err @ UnknownLabels { .. }) = e.downcast_ref() {
  130. event
  131. .issue
  132. .post_comment(&ctx.github, &err.to_string())
  133. .await
  134. .context("failed to post missing label comment")?;
  135. return Ok(());
  136. }
  137. return Err(e);
  138. }
  139. }
  140. for label in input.remove {
  141. event
  142. .issue
  143. .remove_label(&ctx.github, &label.name)
  144. .await
  145. .with_context(|| {
  146. format!(
  147. "failed to remove {:?} from {:?}",
  148. label,
  149. event.issue.global_id()
  150. )
  151. })?;
  152. }
  153. Ok(())
  154. }