1use std::path::{Path, PathBuf};
2use std::process::Command;
3
4use base64::Engine;
5use semver::Version;
6use sr_core::commit::Commit;
7use sr_core::error::ReleaseError;
8use sr_core::git::{GitRepository, TagInfo};
9
10pub struct NativeGitRepository {
12 path: PathBuf,
13 http_auth: Option<(String, String)>, }
15
16impl NativeGitRepository {
17 pub fn open(path: &Path) -> Result<Self, ReleaseError> {
18 let repo = Self {
19 path: path.to_path_buf(),
20 http_auth: None,
21 };
22 repo.git(&["rev-parse", "--git-dir"])?;
24 Ok(repo)
25 }
26
27 pub fn with_http_auth(mut self, hostname: String, token: String) -> Self {
32 self.http_auth = Some((hostname, token));
33 self
34 }
35
36 fn git(&self, args: &[&str]) -> Result<String, ReleaseError> {
37 let mut cmd = Command::new("git");
38 cmd.env("GIT_TERMINAL_PROMPT", "0");
41 cmd.arg("-C").arg(&self.path);
42
43 if let Some((hostname, token)) = &self.http_auth {
47 let credentials = format!("x-access-token:{token}");
48 let encoded = base64::engine::general_purpose::STANDARD.encode(credentials.as_bytes());
49 let config_key = format!("http.https://{hostname}/.extraheader");
50 let config_val = format!("AUTHORIZATION: basic {encoded}");
51 cmd.args(["-c", &format!("{config_key}=")]);
52 cmd.args(["-c", &format!("{config_key}={config_val}")]);
53 }
54
55 let output = cmd
56 .args(args)
57 .output()
58 .map_err(|e| ReleaseError::Git(format!("failed to run git: {e}")))?;
59
60 if !output.status.success() {
61 let stderr = String::from_utf8_lossy(&output.stderr);
62 return Err(ReleaseError::Git(format!(
63 "git {} failed: {}",
64 args.join(" "),
65 stderr.trim()
66 )));
67 }
68
69 Ok(String::from_utf8_lossy(&output.stdout).trim().to_string())
70 }
71
72 pub fn parse_remote(&self) -> Result<(String, String), ReleaseError> {
74 let url = self.git(&["remote", "get-url", "origin"])?;
75 parse_owner_repo(&url)
76 }
77
78 pub fn parse_remote_full(&self) -> Result<(String, String, String), ReleaseError> {
80 let url = self.git(&["remote", "get-url", "origin"])?;
81 parse_remote_url(&url)
82 }
83}
84
85pub fn parse_remote_url(url: &str) -> Result<(String, String, String), ReleaseError> {
88 let trimmed = url.trim_end_matches(".git");
89
90 if let Some(rest) = trimmed
92 .strip_prefix("https://")
93 .or_else(|| trimmed.strip_prefix("http://"))
94 {
95 let (hostname, path) = rest
96 .split_once('/')
97 .ok_or_else(|| ReleaseError::Git(format!("cannot parse remote URL: {url}")))?;
98 let (owner, repo) = path
99 .split_once('/')
100 .ok_or_else(|| ReleaseError::Git(format!("cannot parse owner/repo from: {url}")))?;
101 return Ok((hostname.to_string(), owner.to_string(), repo.to_string()));
102 }
103
104 if let Some((host_part, path)) = trimmed.split_once(':') {
106 let hostname = host_part.rsplit('@').next().unwrap_or(host_part);
107 let (owner, repo) = path
108 .split_once('/')
109 .ok_or_else(|| ReleaseError::Git(format!("cannot parse owner/repo from: {url}")))?;
110 return Ok((hostname.to_string(), owner.to_string(), repo.to_string()));
111 }
112
113 Err(ReleaseError::Git(format!("cannot parse remote URL: {url}")))
114}
115
116pub fn parse_owner_repo(url: &str) -> Result<(String, String), ReleaseError> {
118 let (_, owner, repo) = parse_remote_url(url)?;
119 Ok((owner, repo))
120}
121
122fn parse_commit_log(output: &str) -> Vec<Commit> {
124 if output.is_empty() {
125 return Vec::new();
126 }
127
128 let mut commits = Vec::new();
129 let mut current_sha: Option<String> = None;
130 let mut current_message = String::new();
131
132 for line in output.lines() {
133 if line == "--END--" {
134 if let Some(sha) = current_sha.take() {
135 commits.push(Commit {
136 sha,
137 message: current_message.trim().to_string(),
138 });
139 current_message.clear();
140 }
141 } else if current_sha.is_none()
142 && line.len() == 40
143 && line.chars().all(|c| c.is_ascii_hexdigit())
144 {
145 current_sha = Some(line.to_string());
146 } else {
147 if !current_message.is_empty() {
148 current_message.push('\n');
149 }
150 current_message.push_str(line);
151 }
152 }
153
154 if let Some(sha) = current_sha {
156 commits.push(Commit {
157 sha,
158 message: current_message.trim().to_string(),
159 });
160 }
161
162 commits
163}
164
165impl GitRepository for NativeGitRepository {
166 fn latest_tag(&self, prefix: &str) -> Result<Option<TagInfo>, ReleaseError> {
167 let pattern = format!("{prefix}*");
168 let result = self.git(&["tag", "--list", &pattern, "--sort=-v:refname"]);
169
170 let tags_output = match result {
171 Ok(output) if output.is_empty() => return Ok(None),
172 Ok(output) => output,
173 Err(_) => return Ok(None),
174 };
175
176 let tag_name = match tags_output.lines().next() {
177 Some(name) => name.trim(),
178 None => return Ok(None),
179 };
180
181 let version_str = tag_name.strip_prefix(prefix).unwrap_or(tag_name);
182 let version = match Version::parse(version_str) {
183 Ok(v) => v,
184 Err(_) => return Ok(None),
185 };
186
187 let sha = self.git(&["rev-list", "-1", tag_name])?;
188
189 Ok(Some(TagInfo {
190 name: tag_name.to_string(),
191 version,
192 sha,
193 }))
194 }
195
196 fn commits_since(&self, from: Option<&str>) -> Result<Vec<Commit>, ReleaseError> {
197 let range = match from {
198 Some(sha) => format!("{sha}..HEAD"),
199 None => "HEAD".to_string(),
200 };
201
202 let output = self.git(&["log", "--format=%H%n%B%n--END--", &range])?;
203 Ok(parse_commit_log(&output))
204 }
205
206 fn create_tag(&self, name: &str, message: &str) -> Result<(), ReleaseError> {
207 self.git(&["tag", "-a", name, "-m", message])?;
208 Ok(())
209 }
210
211 fn push_tag(&self, name: &str) -> Result<(), ReleaseError> {
212 self.git(&["push", "origin", name])?;
213 Ok(())
214 }
215
216 fn stage_and_commit(&self, paths: &[&str], message: &str) -> Result<bool, ReleaseError> {
217 let mut args = vec!["add", "--"];
218 args.extend(paths);
219 self.git(&args)?;
220
221 let status = self.git(&["status", "--porcelain"]);
222 match status {
223 Ok(s) if s.is_empty() => Ok(false),
224 _ => {
225 self.git(&["commit", "-m", message])?;
226 Ok(true)
227 }
228 }
229 }
230
231 fn push(&self) -> Result<(), ReleaseError> {
232 self.git(&["push", "origin", "HEAD"])?;
233 Ok(())
234 }
235
236 fn tag_exists(&self, name: &str) -> Result<bool, ReleaseError> {
237 match self.git(&["rev-parse", "--verify", &format!("refs/tags/{name}")]) {
238 Ok(_) => Ok(true),
239 Err(_) => Ok(false),
240 }
241 }
242
243 fn remote_tag_exists(&self, name: &str) -> Result<bool, ReleaseError> {
244 let output = self.git(&["ls-remote", "--tags", "origin", name])?;
245 Ok(!output.is_empty())
246 }
247
248 fn all_tags(&self, prefix: &str) -> Result<Vec<TagInfo>, ReleaseError> {
249 let pattern = format!("{prefix}*");
250 let result = self.git(&["tag", "--list", &pattern, "--sort=v:refname"]);
251
252 let tags_output = match result {
253 Ok(output) if output.is_empty() => return Ok(Vec::new()),
254 Ok(output) => output,
255 Err(_) => return Ok(Vec::new()),
256 };
257
258 let mut tags = Vec::new();
259 for line in tags_output.lines() {
260 let tag_name = line.trim();
261 if tag_name.is_empty() {
262 continue;
263 }
264 let version_str = tag_name.strip_prefix(prefix).unwrap_or(tag_name);
265 let version = match Version::parse(version_str) {
266 Ok(v) => v,
267 Err(_) => continue,
268 };
269 let sha = self.git(&["rev-list", "-1", tag_name])?;
270 tags.push(TagInfo {
271 name: tag_name.to_string(),
272 version,
273 sha,
274 });
275 }
276
277 Ok(tags)
278 }
279
280 fn commits_between(&self, from: Option<&str>, to: &str) -> Result<Vec<Commit>, ReleaseError> {
281 let range = match from {
282 Some(sha) => format!("{sha}..{to}"),
283 None => to.to_string(),
284 };
285
286 let output = self.git(&["log", "--format=%H%n%B%n--END--", &range])?;
287 Ok(parse_commit_log(&output))
288 }
289
290 fn tag_date(&self, tag_name: &str) -> Result<String, ReleaseError> {
291 let date = self.git(&["log", "-1", "--format=%cd", "--date=short", tag_name])?;
292 Ok(date)
293 }
294
295 fn force_create_tag(&self, name: &str, message: &str) -> Result<(), ReleaseError> {
296 self.git(&["tag", "-fa", name, "-m", message])?;
297 Ok(())
298 }
299
300 fn force_push_tag(&self, name: &str) -> Result<(), ReleaseError> {
301 self.git(&["push", "origin", name, "--force"])?;
302 Ok(())
303 }
304
305 fn head_sha(&self) -> Result<String, ReleaseError> {
306 self.git(&["rev-parse", "HEAD"])
307 }
308}
309
310#[cfg(test)]
311mod tests {
312 use super::*;
313
314 #[test]
315 fn parse_ssh_remote() {
316 let (owner, repo) = parse_owner_repo("git@github.com:urmzd/semantic-release.git").unwrap();
317 assert_eq!(owner, "urmzd");
318 assert_eq!(repo, "semantic-release");
319 }
320
321 #[test]
322 fn parse_https_remote() {
323 let (owner, repo) =
324 parse_owner_repo("https://github.com/urmzd/semantic-release.git").unwrap();
325 assert_eq!(owner, "urmzd");
326 assert_eq!(repo, "semantic-release");
327 }
328
329 #[test]
330 fn parse_https_no_git_suffix() {
331 let (owner, repo) = parse_owner_repo("https://github.com/urmzd/semantic-release").unwrap();
332 assert_eq!(owner, "urmzd");
333 assert_eq!(repo, "semantic-release");
334 }
335
336 #[test]
337 fn parse_remote_url_github_https() {
338 let (host, owner, repo) =
339 parse_remote_url("https://github.com/urmzd/semantic-release.git").unwrap();
340 assert_eq!(host, "github.com");
341 assert_eq!(owner, "urmzd");
342 assert_eq!(repo, "semantic-release");
343 }
344
345 #[test]
346 fn parse_remote_url_github_ssh() {
347 let (host, owner, repo) =
348 parse_remote_url("git@github.com:urmzd/semantic-release.git").unwrap();
349 assert_eq!(host, "github.com");
350 assert_eq!(owner, "urmzd");
351 assert_eq!(repo, "semantic-release");
352 }
353
354 #[test]
355 fn parse_remote_url_ghes_https() {
356 let (host, owner, repo) =
357 parse_remote_url("https://ghes.example.com/org/my-repo.git").unwrap();
358 assert_eq!(host, "ghes.example.com");
359 assert_eq!(owner, "org");
360 assert_eq!(repo, "my-repo");
361 }
362
363 #[test]
364 fn parse_remote_url_ghes_ssh() {
365 let (host, owner, repo) = parse_remote_url("git@ghes.example.com:org/my-repo.git").unwrap();
366 assert_eq!(host, "ghes.example.com");
367 assert_eq!(owner, "org");
368 assert_eq!(repo, "my-repo");
369 }
370
371 #[test]
372 fn parse_remote_url_no_git_suffix() {
373 let (host, owner, repo) =
374 parse_remote_url("https://github.com/urmzd/semantic-release").unwrap();
375 assert_eq!(host, "github.com");
376 assert_eq!(owner, "urmzd");
377 assert_eq!(repo, "semantic-release");
378 }
379
380 #[test]
381 fn http_auth_header_encodes_correctly() {
382 use base64::Engine;
383
384 let token = "ghp_testtoken123";
385 let credentials = format!("x-access-token:{token}");
386 let encoded = base64::engine::general_purpose::STANDARD.encode(credentials.as_bytes());
387
388 let decoded_bytes = base64::engine::general_purpose::STANDARD
390 .decode(&encoded)
391 .expect("base64 should decode");
392 let decoded = String::from_utf8(decoded_bytes).expect("should be valid utf-8");
393 assert_eq!(decoded, "x-access-token:ghp_testtoken123");
394 }
395
396 #[test]
397 fn http_auth_header_scoped_to_hostname() {
398 let hostname = "ghes.example.com";
399 let config_key = format!("http.https://{hostname}/.extraheader");
400 assert_eq!(config_key, "http.https://ghes.example.com/.extraheader");
401
402 let hostname = "github.com";
404 let config_key = format!("http.https://{hostname}/.extraheader");
405 assert_eq!(config_key, "http.https://github.com/.extraheader");
406 }
407}