assign.rs 30 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800
  1. //! Handles PR and issue assignment.
  2. //!
  3. //! This supports several ways for setting issue/PR assignment:
  4. //!
  5. //! * `@dragonosbot assign @gh-user`: Assigns to the given user.
  6. //! * `@dragonosbot claim`: Assigns to the comment author.
  7. //! * `@dragonosbot release-assignment`: Removes the commenter's assignment.
  8. //! * `r? @user`: Assigns to the given user (PRs only).
  9. //!
  10. //! This is capable of assigning to any user, even if they do not have write
  11. //! access to the repo. It does this by fake-assigning the bot and adding a
  12. //! "claimed by" section to the top-level comment.
  13. //!
  14. //! Configuration is done with the `[assign]` table.
  15. //!
  16. //! This also supports auto-assignment of new PRs. Based on rules in the
  17. //! `assign.owners` config, it will auto-select an assignee based on the files
  18. //! the PR modifies.
  19. use crate::{
  20. config::AssignConfig,
  21. github::{self, Event, FileDiff, Issue, IssuesAction, Selection},
  22. handlers::{Context, GithubClient, IssuesEvent},
  23. interactions::EditIssueBody,
  24. };
  25. use anyhow::{bail, Context as _};
  26. use parser::command::assign::AssignCommand;
  27. use parser::command::{Command, Input};
  28. use rand::seq::IteratorRandom;
  29. use rust_team_data::v1::Teams;
  30. use std::collections::{HashMap, HashSet};
  31. use std::fmt;
  32. use tracing as log;
  33. #[cfg(test)]
  34. mod tests {
  35. mod tests_candidates;
  36. mod tests_from_diff;
  37. }
  38. const NEW_USER_WELCOME_MESSAGE: &str = "Thanks for the pull request, and welcome! \
  39. The Rust team is excited to review your changes, and you should hear from {who} \
  40. some time within the next two weeks.";
  41. const CONTRIBUTION_MESSAGE: &str = "Please see [the contribution \
  42. instructions]({contributing_url}) for more information. Namely, in order to ensure the \
  43. minimum review times lag, PR authors and assigned reviewers should ensure that the review \
  44. label (`S-waiting-on-review` and `S-waiting-on-author`) stays updated, invoking these commands \
  45. when appropriate:
  46. - `@{bot} author`: the review is finished, PR author should check the comments and take action accordingly
  47. - `@{bot} review`: the author is ready for a review, this PR will be queued again in the reviewer's queue";
  48. const WELCOME_WITH_REVIEWER: &str = "@{assignee} (or someone else)";
  49. const WELCOME_WITHOUT_REVIEWER: &str = "@Mark-Simulacrum (NB. this repo may be misconfigured)";
  50. const RETURNING_USER_WELCOME_MESSAGE: &str = "r? @{assignee}
  51. {bot} has assigned @{assignee}.
  52. They will have a look at your PR within the next two weeks and either review your PR or \
  53. reassign to another reviewer.
  54. Use r? to explicitly pick a reviewer";
  55. const RETURNING_USER_WELCOME_MESSAGE_NO_REVIEWER: &str =
  56. "@{author}: no appropriate reviewer found, use r? to override";
  57. const ON_VACATION_WARNING: &str = "{username} is on vacation. Please do not assign them to PRs.";
  58. const NON_DEFAULT_BRANCH: &str =
  59. "Pull requests are usually filed against the {default} branch for this repo, \
  60. but this one is against {target}. \
  61. Please double check that you specified the right target!";
  62. const SUBMODULE_WARNING_MSG: &str = "These commits modify **submodules**.";
  63. fn on_vacation_msg(user: &str) -> String {
  64. ON_VACATION_WARNING.replace("{username}", user)
  65. }
  66. #[derive(Debug, PartialEq, Eq, serde::Serialize, serde::Deserialize)]
  67. struct AssignData {
  68. user: Option<String>,
  69. }
  70. /// Input for auto-assignment when a PR is created.
  71. pub(super) struct AssignInput {}
  72. /// Prepares the input when a new PR is opened.
  73. pub(super) async fn parse_input(
  74. _ctx: &Context,
  75. event: &IssuesEvent,
  76. config: Option<&AssignConfig>,
  77. ) -> Result<Option<AssignInput>, String> {
  78. let config = match config {
  79. Some(config) => config,
  80. None => return Ok(None),
  81. };
  82. if config.owners.is_empty()
  83. || !matches!(event.action, IssuesAction::Opened)
  84. || !event.issue.is_pr()
  85. {
  86. return Ok(None);
  87. }
  88. Ok(Some(AssignInput {}))
  89. }
  90. /// Handles the work of setting an assignment for a new PR and posting a
  91. /// welcome message.
  92. pub(super) async fn handle_input(
  93. ctx: &Context,
  94. config: &AssignConfig,
  95. event: &IssuesEvent,
  96. _input: AssignInput,
  97. ) -> anyhow::Result<()> {
  98. let Some(diff) = event.issue.diff(&ctx.github).await? else {
  99. bail!(
  100. "expected issue {} to be a PR, but the diff could not be determined",
  101. event.issue.number
  102. )
  103. };
  104. // Don't auto-assign or welcome if the user manually set the assignee when opening.
  105. if event.issue.assignees.is_empty() {
  106. let (assignee, from_comment) = determine_assignee(ctx, event, config, &diff).await?;
  107. if assignee.as_deref() == Some("ghost") {
  108. // "ghost" is GitHub's placeholder account for deleted accounts.
  109. // It is used here as a convenient way to prevent assignment. This
  110. // is typically used for rollups or experiments where you don't
  111. // want any assignments or noise.
  112. return Ok(());
  113. }
  114. let welcome = if ctx
  115. .github
  116. .is_new_contributor(&event.repository, &event.issue.user.login)
  117. .await
  118. {
  119. let who_text = match &assignee {
  120. Some(assignee) => WELCOME_WITH_REVIEWER.replace("{assignee}", assignee),
  121. None => WELCOME_WITHOUT_REVIEWER.to_string(),
  122. };
  123. let mut welcome = NEW_USER_WELCOME_MESSAGE.replace("{who}", &who_text);
  124. if let Some(contrib) = &config.contributing_url {
  125. welcome.push_str("\n\n");
  126. welcome.push_str(
  127. &CONTRIBUTION_MESSAGE
  128. .replace("{contributing_url}", contrib)
  129. .replace("{bot}", &ctx.username),
  130. );
  131. }
  132. Some(welcome)
  133. } else if !from_comment {
  134. let welcome = match &assignee {
  135. Some(assignee) => RETURNING_USER_WELCOME_MESSAGE
  136. .replace("{assignee}", assignee)
  137. .replace("{bot}", &ctx.username),
  138. None => RETURNING_USER_WELCOME_MESSAGE_NO_REVIEWER
  139. .replace("{author}", &event.issue.user.login),
  140. };
  141. Some(welcome)
  142. } else {
  143. // No welcome is posted if they are not new and they used `r?` in the opening body.
  144. None
  145. };
  146. if let Some(assignee) = assignee {
  147. set_assignee(&event.issue, &ctx.github, &assignee).await;
  148. }
  149. if let Some(welcome) = welcome {
  150. if let Err(e) = event.issue.post_comment(&ctx.github, &welcome).await {
  151. log::warn!(
  152. "failed to post welcome comment to {}: {e}",
  153. event.issue.global_id()
  154. );
  155. }
  156. }
  157. }
  158. // Compute some warning messages to post to new PRs.
  159. let mut warnings = Vec::new();
  160. if config.warn_non_default_branch {
  161. warnings.extend(non_default_branch(event));
  162. }
  163. warnings.extend(modifies_submodule(diff));
  164. if !warnings.is_empty() {
  165. let warnings: Vec<_> = warnings
  166. .iter()
  167. .map(|warning| format!("* {warning}"))
  168. .collect();
  169. let warning = format!(":warning: **Warning** :warning:\n\n{}", warnings.join("\n"));
  170. event.issue.post_comment(&ctx.github, &warning).await?;
  171. };
  172. Ok(())
  173. }
  174. /// Finds the `r?` command in the PR body.
  175. ///
  176. /// Returns the name after the `r?` command, or None if not found.
  177. fn find_assign_command(ctx: &Context, event: &IssuesEvent) -> Option<String> {
  178. let mut input = Input::new(&event.issue.body, vec![&ctx.username]);
  179. input.find_map(|command| match command {
  180. Command::Assign(Ok(AssignCommand::ReviewName { name })) => Some(name),
  181. _ => None,
  182. })
  183. }
  184. fn is_self_assign(assignee: &str, pr_author: &str) -> bool {
  185. assignee.to_lowercase() == pr_author.to_lowercase()
  186. }
  187. /// Returns a message if the PR is opened against the non-default branch.
  188. fn non_default_branch(event: &IssuesEvent) -> Option<String> {
  189. let target_branch = &event.issue.base.as_ref().unwrap().git_ref;
  190. let default_branch = &event.repository.default_branch;
  191. if target_branch == default_branch {
  192. return None;
  193. }
  194. Some(
  195. NON_DEFAULT_BRANCH
  196. .replace("{default}", default_branch)
  197. .replace("{target}", target_branch),
  198. )
  199. }
  200. /// Returns a message if the PR modifies a git submodule.
  201. fn modifies_submodule(diff: &[FileDiff]) -> Option<String> {
  202. let re = regex::Regex::new(r"\+Subproject\scommit\s").unwrap();
  203. if diff.iter().any(|fd| re.is_match(&fd.diff)) {
  204. Some(SUBMODULE_WARNING_MSG.to_string())
  205. } else {
  206. None
  207. }
  208. }
  209. /// Sets the assignee of a PR, alerting any errors.
  210. async fn set_assignee(issue: &Issue, github: &GithubClient, username: &str) {
  211. // Don't re-assign if already assigned, e.g. on comment edit
  212. if issue.contain_assignee(&username) {
  213. log::trace!(
  214. "ignoring assign PR {} to {}, already assigned",
  215. issue.global_id(),
  216. username,
  217. );
  218. return;
  219. }
  220. if let Err(err) = issue.set_assignee(github, &username).await {
  221. log::warn!(
  222. "failed to set assignee of PR {} to {}: {:?}",
  223. issue.global_id(),
  224. username,
  225. err
  226. );
  227. if let Err(e) = issue
  228. .post_comment(
  229. github,
  230. &format!(
  231. "Failed to set assignee to `{username}`: {err}\n\
  232. \n\
  233. > **Note**: Only org members with at least the repository \"read\" role, \
  234. users with write permissions, or people who have commented on the PR may \
  235. be assigned."
  236. ),
  237. )
  238. .await
  239. {
  240. log::warn!("failed to post error comment: {e}");
  241. }
  242. }
  243. }
  244. /// Determines who to assign the PR to based on either an `r?` command, or
  245. /// based on which files were modified.
  246. ///
  247. /// Returns `(assignee, from_comment)` where `assignee` is who to assign to
  248. /// (or None if no assignee could be found). `from_comment` is a boolean
  249. /// indicating if the assignee came from an `r?` command (it is false if
  250. /// determined from the diff).
  251. async fn determine_assignee(
  252. ctx: &Context,
  253. event: &IssuesEvent,
  254. config: &AssignConfig,
  255. diff: &[FileDiff],
  256. ) -> anyhow::Result<(Option<String>, bool)> {
  257. let teams = crate::team_data::teams(&ctx.github).await?;
  258. if let Some(name) = find_assign_command(ctx, event) {
  259. if is_self_assign(&name, &event.issue.user.login) {
  260. return Ok((Some(name.to_string()), true));
  261. }
  262. // User included `r?` in the opening PR body.
  263. match find_reviewer_from_names(&teams, config, &event.issue, &[name]) {
  264. Ok(assignee) => return Ok((Some(assignee), true)),
  265. Err(e) => {
  266. event
  267. .issue
  268. .post_comment(&ctx.github, &e.to_string())
  269. .await?;
  270. // Fall through below for normal diff detection.
  271. }
  272. }
  273. }
  274. // Errors fall-through to try fallback group.
  275. match find_reviewers_from_diff(config, diff) {
  276. Ok(candidates) if !candidates.is_empty() => {
  277. match find_reviewer_from_names(&teams, config, &event.issue, &candidates) {
  278. Ok(assignee) => return Ok((Some(assignee), false)),
  279. Err(FindReviewerError::TeamNotFound(team)) => log::warn!(
  280. "team {team} not found via diff from PR {}, \
  281. is there maybe a misconfigured group?",
  282. event.issue.global_id()
  283. ),
  284. // TODO: post a comment on the PR if the reviewers were filtered due to being on vacation
  285. Err(
  286. e @ FindReviewerError::NoReviewer { .. }
  287. | e @ FindReviewerError::AllReviewersFiltered { .. },
  288. ) => log::trace!(
  289. "no reviewer could be determined for PR {}: {e}",
  290. event.issue.global_id()
  291. ),
  292. }
  293. }
  294. // If no owners matched the diff, fall-through.
  295. Ok(_) => {}
  296. Err(e) => {
  297. log::warn!(
  298. "failed to find candidate reviewer from diff due to error: {e}\n\
  299. Is the triagebot.toml misconfigured?"
  300. );
  301. }
  302. }
  303. if let Some(fallback) = config.adhoc_groups.get("fallback") {
  304. match find_reviewer_from_names(&teams, config, &event.issue, fallback) {
  305. Ok(assignee) => return Ok((Some(assignee), false)),
  306. Err(e) => {
  307. log::trace!(
  308. "failed to select from fallback group for PR {}: {e}",
  309. event.issue.global_id()
  310. );
  311. }
  312. }
  313. }
  314. Ok((None, false))
  315. }
  316. /// Returns a list of candidate reviewers to use based on which files were changed.
  317. ///
  318. /// May return an error if the owners map is misconfigured.
  319. ///
  320. /// Beware this may return an empty list if nothing matches.
  321. fn find_reviewers_from_diff(
  322. config: &AssignConfig,
  323. diff: &[FileDiff],
  324. ) -> anyhow::Result<Vec<String>> {
  325. // Map of `owners` path to the number of changes found in that path.
  326. // This weights the reviewer choice towards places where the most edits are done.
  327. let mut counts: HashMap<&str, u32> = HashMap::new();
  328. // Iterate over the diff, counting the number of modified lines in each
  329. // file, and tracks those in the `counts` map.
  330. for file_diff in diff {
  331. // List of the longest `owners` patterns that match the current path. This
  332. // prefers choosing reviewers from deeply nested paths over those defined
  333. // for top-level paths, under the assumption that they are more
  334. // specialized.
  335. //
  336. // This is a list to handle the situation if multiple paths of the same
  337. // length match.
  338. let mut longest_owner_patterns = Vec::new();
  339. // Find the longest `owners` entries that match this path.
  340. let mut longest = HashMap::new();
  341. for owner_pattern in config.owners.keys() {
  342. let ignore = ignore::gitignore::GitignoreBuilder::new("/")
  343. .add_line(None, owner_pattern)
  344. .with_context(|| format!("owner file pattern `{owner_pattern}` is not valid"))?
  345. .build()?;
  346. if ignore
  347. .matched_path_or_any_parents(&file_diff.path, false)
  348. .is_ignore()
  349. {
  350. let owner_len = owner_pattern.split('/').count();
  351. longest.insert(owner_pattern, owner_len);
  352. }
  353. }
  354. let max_count = longest.values().copied().max().unwrap_or(0);
  355. longest_owner_patterns.extend(
  356. longest
  357. .iter()
  358. .filter(|(_, count)| **count == max_count)
  359. .map(|x| *x.0),
  360. );
  361. // Give some weight to these patterns to start. This helps with
  362. // files modified without any lines changed.
  363. for owner_pattern in &longest_owner_patterns {
  364. *counts.entry(owner_pattern).or_default() += 1;
  365. }
  366. // Count the modified lines.
  367. for line in file_diff.diff.lines() {
  368. if (!line.starts_with("+++") && line.starts_with('+'))
  369. || (!line.starts_with("---") && line.starts_with('-'))
  370. {
  371. for owner_path in &longest_owner_patterns {
  372. *counts.entry(owner_path).or_default() += 1;
  373. }
  374. }
  375. }
  376. }
  377. // Use the `owners` entry with the most number of modifications.
  378. let max_count = counts.values().copied().max().unwrap_or(0);
  379. let max_paths = counts
  380. .iter()
  381. .filter(|(_, count)| **count == max_count)
  382. .map(|(path, _)| path);
  383. let mut potential: Vec<_> = max_paths
  384. .flat_map(|owner_path| &config.owners[*owner_path])
  385. .map(|owner| owner.to_string())
  386. .collect();
  387. // Dedupe. This isn't strictly necessary, as `find_reviewer_from_names` will deduplicate.
  388. // However, this helps with testing.
  389. potential.sort();
  390. potential.dedup();
  391. Ok(potential)
  392. }
  393. /// Handles a command posted in a comment.
  394. pub(super) async fn handle_command(
  395. ctx: &Context,
  396. config: &AssignConfig,
  397. event: &Event,
  398. cmd: AssignCommand,
  399. ) -> anyhow::Result<()> {
  400. let is_team_member = if let Err(_) | Ok(false) = event.user().is_team_member(&ctx.github).await
  401. {
  402. false
  403. } else {
  404. true
  405. };
  406. // Don't handle commands in comments from the bot. Some of the comments it
  407. // posts contain commands to instruct the user, not things that the bot
  408. // should respond to.
  409. if event.user().login == ctx.username.as_str() {
  410. return Ok(());
  411. }
  412. let issue = event.issue().unwrap();
  413. if issue.is_pr() {
  414. if !issue.is_open() {
  415. issue
  416. .post_comment(&ctx.github, "Assignment is not allowed on a closed PR.")
  417. .await?;
  418. return Ok(());
  419. }
  420. let username = match cmd {
  421. AssignCommand::Own => event.user().login.clone(),
  422. AssignCommand::User { username } => {
  423. // Allow users on vacation to assign themselves to a PR, but not anyone else.
  424. if config.is_on_vacation(&username)
  425. && event.user().login.to_lowercase() != username.to_lowercase()
  426. {
  427. // This is a comment, so there must already be a reviewer assigned. No need to assign anyone else.
  428. issue
  429. .post_comment(&ctx.github, &on_vacation_msg(&username))
  430. .await?;
  431. return Ok(());
  432. }
  433. username
  434. }
  435. AssignCommand::Release => {
  436. log::trace!(
  437. "ignoring release on PR {:?}, must always have assignee",
  438. issue.global_id()
  439. );
  440. return Ok(());
  441. }
  442. AssignCommand::ReviewName { name } => {
  443. if config.owners.is_empty() {
  444. // To avoid conflicts with the highfive bot while transitioning,
  445. // r? is ignored if `owners` is not configured in triagebot.toml.
  446. return Ok(());
  447. }
  448. if matches!(
  449. event,
  450. Event::Issue(IssuesEvent {
  451. action: IssuesAction::Opened,
  452. ..
  453. })
  454. ) {
  455. // Don't handle r? comments on new PRs. Those will be
  456. // handled by the new PR trigger (which also handles the
  457. // welcome message).
  458. return Ok(());
  459. }
  460. if is_self_assign(&name, &event.user().login) {
  461. name.to_string()
  462. } else {
  463. let teams = crate::team_data::teams(&ctx.github).await?;
  464. // remove "t-" or "T-" prefixes before checking if it's a team name
  465. let team_name = name.trim_start_matches("t-").trim_start_matches("T-");
  466. // Determine if assignee is a team. If yes, add the corresponding GH label.
  467. if teams.teams.get(team_name).is_some() {
  468. let t_label = format!("T-{}", &team_name);
  469. if let Err(err) = issue
  470. .add_labels(&ctx.github, vec![github::Label { name: t_label }])
  471. .await
  472. {
  473. if let Some(github::UnknownLabels { .. }) = err.downcast_ref() {
  474. log::warn!("Error assigning label: {}", err);
  475. } else {
  476. return Err(err);
  477. }
  478. }
  479. }
  480. match find_reviewer_from_names(&teams, config, issue, &[team_name.to_string()])
  481. {
  482. Ok(assignee) => assignee,
  483. Err(e) => {
  484. issue.post_comment(&ctx.github, &e.to_string()).await?;
  485. return Ok(());
  486. }
  487. }
  488. }
  489. }
  490. };
  491. set_assignee(issue, &ctx.github, &username).await;
  492. return Ok(());
  493. }
  494. let e = EditIssueBody::new(&issue, "ASSIGN");
  495. let to_assign = match cmd {
  496. AssignCommand::Own => event.user().login.clone(),
  497. AssignCommand::User { username } => {
  498. if !is_team_member && username != event.user().login {
  499. bail!("Only Rust team members can assign other users");
  500. }
  501. username.clone()
  502. }
  503. AssignCommand::Release => {
  504. if let Some(AssignData {
  505. user: Some(current),
  506. }) = e.current_data()
  507. {
  508. if current == event.user().login || is_team_member {
  509. issue.remove_assignees(&ctx.github, Selection::All).await?;
  510. e.apply(&ctx.github, String::new(), AssignData { user: None })
  511. .await?;
  512. return Ok(());
  513. } else {
  514. bail!("Cannot release another user's assignment");
  515. }
  516. } else {
  517. let current = &event.user().login;
  518. if issue.contain_assignee(current) {
  519. issue
  520. .remove_assignees(&ctx.github, Selection::One(&current))
  521. .await?;
  522. e.apply(&ctx.github, String::new(), AssignData { user: None })
  523. .await?;
  524. return Ok(());
  525. } else {
  526. bail!("Cannot release unassigned issue");
  527. }
  528. };
  529. }
  530. AssignCommand::ReviewName { .. } => bail!("r? is only allowed on PRs."),
  531. };
  532. // Don't re-assign if aleady assigned, e.g. on comment edit
  533. if issue.contain_assignee(&to_assign) {
  534. log::trace!(
  535. "ignoring assign issue {} to {}, already assigned",
  536. issue.global_id(),
  537. to_assign,
  538. );
  539. return Ok(());
  540. }
  541. let data = AssignData {
  542. user: Some(to_assign.clone()),
  543. };
  544. e.apply(&ctx.github, String::new(), &data).await?;
  545. match issue.set_assignee(&ctx.github, &to_assign).await {
  546. Ok(()) => return Ok(()), // we are done
  547. Err(github::AssignmentError::InvalidAssignee) => {
  548. issue
  549. .set_assignee(&ctx.github, &ctx.username)
  550. .await
  551. .context("self-assignment failed")?;
  552. let cmt_body = format!(
  553. "This issue has been assigned to @{} via [this comment]({}).",
  554. to_assign,
  555. event.html_url().unwrap()
  556. );
  557. e.apply(&ctx.github, cmt_body, &data).await?;
  558. }
  559. Err(e) => return Err(e.into()),
  560. }
  561. Ok(())
  562. }
  563. #[derive(PartialEq, Debug)]
  564. enum FindReviewerError {
  565. /// User specified something like `r? foo/bar` where that team name could
  566. /// not be found.
  567. TeamNotFound(String),
  568. /// No reviewer could be found.
  569. ///
  570. /// This could happen if there is a cyclical group or other misconfiguration.
  571. /// `initial` is the initial list of candidate names.
  572. NoReviewer { initial: Vec<String> },
  573. /// All potential candidates were excluded. `initial` is the list of
  574. /// candidate names that were used to seed the selection. `filtered` is
  575. /// the users who were prevented from being assigned. One example where
  576. /// this happens is if the given name was for a team where the PR author
  577. /// is the only member.
  578. AllReviewersFiltered {
  579. initial: Vec<String>,
  580. filtered: Vec<String>,
  581. },
  582. }
  583. impl std::error::Error for FindReviewerError {}
  584. impl fmt::Display for FindReviewerError {
  585. fn fmt(&self, f: &mut fmt::Formatter<'_>) -> Result<(), fmt::Error> {
  586. match self {
  587. FindReviewerError::TeamNotFound(team) => {
  588. write!(
  589. f,
  590. "Team or group `{team}` not found.\n\
  591. \n\
  592. rust-lang team names can be found at https://github.com/rust-lang/team/tree/master/teams.\n\
  593. Reviewer group names can be found in `triagebot.toml` in this repo."
  594. )
  595. }
  596. FindReviewerError::NoReviewer { initial } => {
  597. write!(
  598. f,
  599. "No reviewers could be found from initial request `{}`\n\
  600. This repo may be misconfigured.\n\
  601. Use r? to specify someone else to assign.",
  602. initial.join(",")
  603. )
  604. }
  605. FindReviewerError::AllReviewersFiltered { initial, filtered } => {
  606. write!(
  607. f,
  608. "Could not assign reviewer from: `{}`.\n\
  609. User(s) `{}` are either the PR author, already assigned, or on vacation, \
  610. and there are no other candidates.\n\
  611. Use r? to specify someone else to assign.",
  612. initial.join(","),
  613. filtered.join(","),
  614. )
  615. }
  616. }
  617. }
  618. }
  619. /// Finds a reviewer to assign to a PR.
  620. ///
  621. /// The `names` is a list of candidate reviewers `r?`, such as `compiler` or
  622. /// `@octocat`, or names from the owners map. It can contain GitHub usernames,
  623. /// auto-assign groups, or rust-lang team names. It must have at least one
  624. /// entry.
  625. fn find_reviewer_from_names(
  626. teams: &Teams,
  627. config: &AssignConfig,
  628. issue: &Issue,
  629. names: &[String],
  630. ) -> Result<String, FindReviewerError> {
  631. let candidates = candidate_reviewers_from_names(teams, config, issue, names)?;
  632. // This uses a relatively primitive random choice algorithm.
  633. // GitHub's CODEOWNERS supports much more sophisticated options, such as:
  634. //
  635. // - Round robin: Chooses reviewers based on who's received the least
  636. // recent review request, focusing on alternating between all members of
  637. // the team regardless of the number of outstanding reviews they
  638. // currently have.
  639. // - Load balance: Chooses reviewers based on each member's total number
  640. // of recent review requests and considers the number of outstanding
  641. // reviews for each member. The load balance algorithm tries to ensure
  642. // that each team member reviews an equal number of pull requests in any
  643. // 30 day period.
  644. //
  645. // Additionally, with CODEOWNERS, users marked as "Busy" in the GitHub UI
  646. // will not be selected for reviewer. There are several other options for
  647. // configuring CODEOWNERS as well.
  648. //
  649. // These are all ideas for improving the selection here. However, I'm not
  650. // sure they are really worth the effort.
  651. Ok(candidates
  652. .into_iter()
  653. .choose(&mut rand::thread_rng())
  654. .expect("candidate_reviewers_from_names always returns at least one entry")
  655. .to_string())
  656. }
  657. /// Returns a list of candidate usernames to choose as a reviewer.
  658. fn candidate_reviewers_from_names<'a>(
  659. teams: &'a Teams,
  660. config: &'a AssignConfig,
  661. issue: &Issue,
  662. names: &'a [String],
  663. ) -> Result<HashSet<&'a str>, FindReviewerError> {
  664. // Set of candidate usernames to choose from. This uses a set to
  665. // deduplicate entries so that someone in multiple teams isn't
  666. // over-weighted.
  667. let mut candidates: HashSet<&str> = HashSet::new();
  668. // Keep track of groups seen to avoid cycles and avoid expanding the same
  669. // team multiple times.
  670. let mut seen = HashSet::new();
  671. // This is a queue of potential groups or usernames to expand. The loop
  672. // below will pop from this and then append the expanded results of teams.
  673. // Usernames will be added to `candidates`.
  674. let mut group_expansion: Vec<&str> = names.iter().map(|n| n.as_str()).collect();
  675. // Keep track of which users get filtered out for a better error message.
  676. let mut filtered = Vec::new();
  677. let repo = issue.repository();
  678. let org_prefix = format!("{}/", repo.organization);
  679. // Don't allow groups or teams to include the current author or assignee.
  680. let mut filter = |name: &&str| -> bool {
  681. let name_lower = name.to_lowercase();
  682. let ok = name_lower != issue.user.login.to_lowercase()
  683. && !config.is_on_vacation(name)
  684. && !issue
  685. .assignees
  686. .iter()
  687. .any(|assignee| name_lower == assignee.login.to_lowercase());
  688. if !ok {
  689. filtered.push(name.to_string());
  690. }
  691. ok
  692. };
  693. // Loop over groups to recursively expand them.
  694. while let Some(group_or_user) = group_expansion.pop() {
  695. let group_or_user = group_or_user.strip_prefix('@').unwrap_or(group_or_user);
  696. // Try ad-hoc groups first.
  697. // Allow `rust-lang/compiler` to match `compiler`.
  698. let maybe_group = group_or_user
  699. .strip_prefix(&org_prefix)
  700. .unwrap_or(group_or_user);
  701. if let Some(group_members) = config.adhoc_groups.get(maybe_group) {
  702. // If a group has already been expanded, don't expand it again.
  703. if seen.insert(maybe_group) {
  704. group_expansion.extend(
  705. group_members
  706. .iter()
  707. .map(|member| member.as_str())
  708. .filter(&mut filter),
  709. );
  710. }
  711. continue;
  712. }
  713. // Check for a team name.
  714. // Allow either a direct team name like `rustdoc` or a GitHub-style
  715. // team name of `rust-lang/rustdoc` (though this does not check if
  716. // that is a real GitHub team name).
  717. //
  718. // This ignores subteam relationships (it only uses direct members).
  719. let maybe_team = group_or_user
  720. .strip_prefix("rust-lang/")
  721. .unwrap_or(group_or_user);
  722. if let Some(team) = teams.teams.get(maybe_team) {
  723. candidates.extend(
  724. team.members
  725. .iter()
  726. .map(|member| member.github.as_str())
  727. .filter(&mut filter),
  728. );
  729. continue;
  730. }
  731. if group_or_user.contains('/') {
  732. return Err(FindReviewerError::TeamNotFound(group_or_user.to_string()));
  733. }
  734. // Assume it is a user.
  735. if filter(&group_or_user) {
  736. candidates.insert(group_or_user);
  737. }
  738. }
  739. if candidates.is_empty() {
  740. let initial = names.iter().cloned().collect();
  741. if filtered.is_empty() {
  742. Err(FindReviewerError::NoReviewer { initial })
  743. } else {
  744. Err(FindReviewerError::AllReviewersFiltered { initial, filtered })
  745. }
  746. } else {
  747. Ok(candidates)
  748. }
  749. }