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
use self::super::super::Error;
use std::fmt::{self, Write};
use std::str::FromStr;
#[derive(Clone, Debug, Hash, PartialOrd, Ord, PartialEq, Eq)]
pub struct RepoSlug {
pub username: String,
pub repository: String,
}
impl RepoSlug {
pub fn filename(&self) -> String {
format!("{}-{}", self.username, self.repository)
}
}
impl FromStr for RepoSlug {
type Err = Error;
fn from_str(s: &str) -> Result<Self, Self::Err> {
fn field_err(field: &'static str, more: &'static str) -> Error {
Error::Parse {
tp: field,
wher: "repository slug",
more: Some(more),
}
}
let mut itr = s.split('/');
let username = itr.next();
let repository = itr.next();
if itr.next().is_none() {
let username = username.ok_or_else(|| field_err("username", "missing"))?;
let repository = repository.ok_or_else(|| field_err("repository", "missing"))?;
match (username, repository) {
("", "") => Err(field_err("username and repository", "empty")),
("", _) => Err(field_err("username", "empty")),
(_, "") => Err(field_err("repository", "empty")),
(u, r) => {
Ok(RepoSlug {
username: u.to_string(),
repository: r.to_string(),
})
}
}
} else {
Err(field_err("epilogue", "extraneous segments"))
}
}
}
impl fmt::Display for RepoSlug {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
f.write_str(&self.username)?;
f.write_char('/')?;
f.write_str(&self.repository)?;
Ok(())
}
}