Skip to content

Commit 3e4588a

Browse files
committed
Rework beta_backport handler
1 parent f07a5db commit 3e4588a

File tree

3 files changed

+79
-36
lines changed

3 files changed

+79
-36
lines changed

src/config.rs

+9
Original file line numberDiff line numberDiff line change
@@ -29,6 +29,7 @@ pub(crate) struct Config {
2929
pub(crate) notify_zulip: Option<NotifyZulipConfig>,
3030
pub(crate) github_releases: Option<GitHubReleasesConfig>,
3131
pub(crate) review_submitted: Option<ReviewSubmittedConfig>,
32+
pub(crate) beta_backport: Option<BetaBackportConfig>,
3233
}
3334

3435
#[derive(PartialEq, Eq, Debug, serde::Deserialize)]
@@ -112,6 +113,13 @@ pub(crate) struct AutolabelLabelConfig {
112113
pub(crate) exclude_labels: Vec<String>,
113114
}
114115

116+
#[derive(PartialEq, Eq, Debug, serde::Deserialize)]
117+
pub(crate) struct BetaBackportConfig {
118+
pub(crate) trigger_labels: Vec<String>,
119+
#[serde(default)]
120+
pub(crate) labels_to_add: Vec<String>,
121+
}
122+
115123
#[derive(PartialEq, Eq, Debug, serde::Deserialize)]
116124
pub(crate) struct NotifyZulipConfig {
117125
#[serde(flatten)]
@@ -298,6 +306,7 @@ mod tests {
298306
notify_zulip: None,
299307
github_releases: None,
300308
review_submitted: None,
309+
beta_backport: None,
301310
}
302311
);
303312
}

src/handlers.rs

+1
Original file line numberDiff line numberDiff line change
@@ -142,6 +142,7 @@ macro_rules! issue_handlers {
142142
// Each module in the list must contain the functions `parse_input` and `handle_input`.
143143
issue_handlers! {
144144
autolabel,
145+
beta_backport,
145146
major_change,
146147
notify_zulip,
147148
}

src/handlers/beta_backport.rs

+69-36
Original file line numberDiff line numberDiff line change
@@ -1,50 +1,83 @@
1-
use crate::github::{Event, IssuesAction, Label};
1+
use crate::config::BetaBackportConfig;
2+
use crate::github::{IssuesAction, IssuesEvent, Label};
23
use crate::handlers::Context;
34
use regex::Regex;
45

56
lazy_static! {
67
// See https://docs.github.com/en/issues/tracking-your-work-with-issues/creating-issues/linking-a-pull-request-to-an-issue
7-
// Max 19 digits long to prevent u64 overflow
8-
static ref CLOSES_ISSUE: Regex = Regex::new("(close[sd]|fix(e[sd])?|resolve[sd]) #(\\d{1,19})").unwrap();
8+
static ref CLOSES_ISSUE: Regex = Regex::new("(close[sd]|fix(e[sd])?|resolve[sd]) #(\\d+)").unwrap();
99
}
1010

11-
pub(crate) async fn handle(
12-
ctx: &Context,
13-
event: &Event,
14-
) -> anyhow::Result<()> {
15-
let issue_event = if let Event::Issue(event) = event {
16-
event
17-
} else {
18-
return Ok(());
19-
};
20-
21-
if issue_event.action != IssuesAction::Opened {
22-
return Ok(());
11+
pub(crate) struct BetaBackportInput {
12+
ids: Vec<u64>,
13+
}
14+
15+
pub(crate) fn parse_input(
16+
_ctx: &Context,
17+
event: &IssuesEvent,
18+
config: Option<&BetaBackportConfig>,
19+
) -> Result<Option<BetaBackportInput>, String> {
20+
if config.is_none() {
21+
return Ok(None);
2322
}
2423

25-
if issue_event.issue.pull_request.is_none() {
26-
return Ok(());
24+
if event.action != IssuesAction::Opened {
25+
return Ok(None);
2726
}
2827

29-
for caps in CLOSES_ISSUE.captures_iter(&issue_event.issue.body) {
30-
// Should never fail due to the regex
31-
let issue_id = caps.get(1).unwrap().as_str().parse::<u64>().unwrap();
32-
let issue = issue_event
33-
.repository
34-
.get_issue(&ctx.github, issue_id)
35-
.await?;
36-
if issue.labels.contains(&Label {
37-
name: "regression-from-stable-to-beta".to_string(),
38-
}) {
39-
let mut labels = issue_event.issue.labels().to_owned();
40-
labels.push(Label {
41-
name: "beta-nominated".to_string(),
42-
});
43-
issue_event
44-
.issue
45-
.set_labels(&ctx.github, labels)
46-
.await?;
47-
break;
28+
if event.issue.pull_request.is_none() {
29+
return Ok(None);
30+
}
31+
32+
let mut ids = vec![];
33+
for caps in CLOSES_ISSUE.captures_iter(&event.issue.body) {
34+
let id = caps.get(1).unwrap().as_str();
35+
let id = match id.parse::<u64>() {
36+
Ok(id) => id,
37+
Err(err) => {
38+
return Err(format!("Failed to parse issue id `{}`, error: {}", id, err));
39+
}
40+
};
41+
ids.push(id);
42+
}
43+
44+
return Ok(Some(BetaBackportInput { ids }));
45+
}
46+
47+
pub(super) async fn handle_input(
48+
ctx: &Context,
49+
config: &BetaBackportConfig,
50+
event: &IssuesEvent,
51+
input: BetaBackportInput,
52+
) -> anyhow::Result<()> {
53+
let mut issues = input
54+
.ids
55+
.iter()
56+
.copied()
57+
.map(|id| async move { event.repository.get_issue(&ctx.github, id).await });
58+
59+
let trigger_labels: Vec<_> = config
60+
.trigger_labels
61+
.iter()
62+
.cloned()
63+
.map(|name| Label { name })
64+
.collect();
65+
while let Some(issue) = issues.next() {
66+
let issue = issue.await.unwrap();
67+
if issue
68+
.labels
69+
.iter()
70+
.any(|issue_label| trigger_labels.contains(issue_label))
71+
{
72+
let mut new_labels = event.issue.labels().to_owned();
73+
new_labels.extend(
74+
config
75+
.labels_to_add
76+
.iter()
77+
.cloned()
78+
.map(|name| Label { name }),
79+
);
80+
return event.issue.set_labels(&ctx.github, new_labels).await;
4881
}
4982
}
5083

0 commit comments

Comments
 (0)