1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
use crate::config::CommitParser;
use crate::error::{
Error as AppError,
Result,
};
use git2::Commit as GitCommit;
use git_conventional::Commit as ConventionalCommit;
use serde::ser::{
Serialize,
SerializeStruct,
Serializer,
};
#[derive(Debug, Clone, PartialEq, serde_derive::Deserialize)]
#[serde(rename_all = "camelCase")]
pub struct Commit<'a> {
pub id: String,
pub message: String,
#[serde(skip_deserializing)]
pub conv: Option<ConventionalCommit<'a>>,
pub group: Option<String>,
}
impl<'a> From<&GitCommit<'a>> for Commit<'a> {
fn from(commit: &GitCommit<'a>) -> Self {
Self::new(
commit.id().to_string(),
commit.message().unwrap_or_default().to_string(),
)
}
}
impl Commit<'_> {
pub fn new(id: String, message: String) -> Self {
Self {
id,
message,
conv: None,
group: None,
}
}
pub fn process(
&self,
parsers: Option<&Vec<CommitParser>>,
filter_commits: Option<bool>,
conventional_commits: bool,
) -> Result<Self> {
let mut commit = self.clone();
if conventional_commits {
commit = commit.into_conventional()?;
}
if let Some(parsers) = parsers {
commit =
commit.into_grouped(parsers, filter_commits.unwrap_or(false))?;
}
Ok(commit)
}
pub fn into_conventional(mut self) -> Result<Self> {
match ConventionalCommit::parse(Box::leak(
self.message.to_string().into_boxed_str(),
)) {
Ok(conv) => {
self.conv = Some(conv);
Ok(self)
}
Err(e) => Err(AppError::ParseError(e)),
}
}
pub fn into_grouped(
mut self,
parsers: &[CommitParser],
filter: bool,
) -> Result<Self> {
for parser in parsers {
for regex in vec![parser.message.as_ref(), parser.body.as_ref()]
.into_iter()
.flatten()
{
if regex.is_match(&self.message) {
if parser.skip != Some(true) {
self.group = parser.group.as_ref().cloned();
return Ok(self);
} else {
return Err(AppError::GroupError(String::from(
"Skipping commit",
)));
}
}
}
}
if !filter {
Ok(self)
} else {
Err(AppError::GroupError(String::from(
"Commit does not belong to any group",
)))
}
}
}
impl Serialize for Commit<'_> {
fn serialize<S>(&self, serializer: S) -> std::result::Result<S::Ok, S::Error>
where
S: Serializer,
{
let mut commit = serializer.serialize_struct("Commit", 8)?;
commit.serialize_field("id", &self.id)?;
match &self.conv {
Some(conv) => {
commit.serialize_field("message", conv.description())?;
commit.serialize_field("body", &conv.body())?;
commit.serialize_field(
"footers",
&conv
.footers()
.to_vec()
.iter()
.map(|f| f.value())
.collect::<Vec<&str>>(),
)?;
commit.serialize_field(
"group",
self.group.as_ref().unwrap_or(&conv.type_().to_string()),
)?;
commit.serialize_field(
"breaking_description",
&conv.breaking_description(),
)?;
commit.serialize_field("breaking", &conv.breaking())?;
commit.serialize_field("scope", &conv.scope())?;
}
None => {
commit.serialize_field("message", &self.message)?;
commit.serialize_field("group", &self.group)?;
}
}
commit.end()
}
}
#[cfg(test)]
mod test {
use super::*;
use regex::Regex;
#[test]
fn conventional_commit() {
let test_cases = vec![
(
Commit::new(
String::from("123123"),
String::from("test(commit): add test"),
),
true,
),
(
Commit::new(String::from("124124"), String::from("xyz")),
false,
),
];
for (commit, is_conventional) in &test_cases {
assert_eq!(is_conventional, &commit.clone().into_conventional().is_ok())
}
let commit = test_cases[0]
.0
.clone()
.into_grouped(
&[CommitParser {
message: Regex::new("test*").ok(),
body: None,
group: Some(String::from("test_group")),
skip: None,
}],
false,
)
.unwrap();
assert_eq!(Some(String::from("test_group")), commit.group);
}
}