1use std::{
2 fmt::{Display, Formatter},
3 path::PathBuf,
4 str::FromStr,
5};
6
7use serde::{Deserialize, Serialize};
8
9use crate::{Error, SourceUrl};
10
11#[derive(Clone, Debug, Deserialize, Eq, PartialEq, Serialize)]
15#[serde(tag = "type")]
16pub enum Source {
17 File {
22 filename: Option<PathBuf>,
24 location: PathBuf,
26 },
27 SourceUrl {
29 filename: Option<PathBuf>,
31 source_url: SourceUrl,
33 },
34}
35
36impl Source {
37 pub fn filename(&self) -> Option<&PathBuf> {
39 match self {
40 Self::File { filename, .. } | Self::SourceUrl { filename, .. } => filename.as_ref(),
41 }
42 }
43}
44
45impl FromStr for Source {
46 type Err = Error;
47
48 fn from_str(s: &str) -> Result<Self, Self::Err> {
96 let (filename, location) = if let Some((filename, location)) = s.split_once("::") {
98 (Some(filename.into()), location)
99 } else {
100 (None, s)
101 };
102
103 match location.parse::<url::Url>() {
109 Ok(_) => {}
110 Err(url::ParseError::RelativeUrlWithoutBase) => {
111 if location.is_empty() {
112 return Err(Error::FileNameIsEmpty);
113 } else if location.contains(std::path::MAIN_SEPARATOR) {
114 return Err(Error::FileNameContainsInvalidChars(
115 PathBuf::from(location),
116 std::path::MAIN_SEPARATOR,
117 ));
118 } else if location.contains('\0') {
119 return Err(Error::FileNameContainsInvalidChars(
120 PathBuf::from(location),
121 '\0',
122 ));
123 } else {
124 return Ok(Self::File {
126 filename,
127 location: location.into(),
128 });
129 }
130 }
131 Err(e) => return Err(e.into()),
132 }
133
134 let source_url = SourceUrl::from_str(location)?;
136 Ok(Self::SourceUrl {
137 filename,
138 source_url,
139 })
140 }
141}
142
143impl Display for Source {
144 fn fmt(&self, f: &mut Formatter<'_>) -> std::fmt::Result {
145 match self {
146 Self::File { filename, location } => {
147 if let Some(filename) = filename {
148 write!(f, "{}::{}", filename.display(), location.display())
149 } else {
150 write!(f, "{}", location.display())
151 }
152 }
153 Self::SourceUrl {
154 filename,
155 source_url,
156 } => {
157 if let Some(filename) = filename {
158 write!(f, "{}::{}", filename.display(), source_url)
159 } else {
160 write!(f, "{}", source_url)
161 }
162 }
163 }
164 }
165}
166
167#[cfg(test)]
168mod tests {
169 use rstest::rstest;
170
171 use super::*;
172
173 #[rstest]
174 #[case("bikeshed_colour.patch::test", Ok(Source::File {
175 filename: Some(PathBuf::from("bikeshed_colour.patch")),
176 location: PathBuf::from("test"),
177 }))]
178 #[case("c:foo::test", Ok(Source::File {
179 filename: Some(PathBuf::from("c:foo")),
180 location: PathBuf::from("test"),
181 }))]
182 #[case(
183 "./bikeshed_colour.patch",
184 Err(Error::FileNameContainsInvalidChars(PathBuf::from("./bikeshed_colour.patch"), '/'))
185 )]
186 #[case("", Err(Error::FileNameIsEmpty))]
187 #[case(
188 "with\0null",
189 Err(Error::FileNameContainsInvalidChars(PathBuf::from("with\0null"), '\0'))
190 )]
191 fn parse_filename(#[case] input: &str, #[case] expected: Result<Source, Error>) {
192 let source = input.parse();
193 assert_eq!(source, expected);
194
195 if let Ok(source) = source {
196 assert_eq!(
197 source.filename(),
198 input.split("::").next().map(PathBuf::from).as_ref()
199 );
200 }
201 }
202
203 #[rstest]
204 #[case("bikeshed_colour.patch", Ok(Source::File {
205 filename: None,
206 location: PathBuf::from("bikeshed_colour.patch"),
207 }))]
208 #[case("renamed::local", Ok(Source::File {
209 filename: Some(PathBuf::from("renamed")),
210 location: PathBuf::from("local"),
211 }))]
212 #[case(
213 "foo-1.2.3.tar.gz::https://example.com/download",
214 Ok(Source::SourceUrl {
215 filename: Some(PathBuf::from("foo-1.2.3.tar.gz")),
216 source_url: SourceUrl::from_str("https://example.com/download").unwrap(),
217 })
218 )]
219 #[case(
220 "my-git-repo::git+https://example.com/project/repo.git?signed#commit=deadbeef",
221 Ok(Source::SourceUrl {
222 filename: Some(PathBuf::from("my-git-repo")),
223 source_url: SourceUrl::from_str("git+https://example.com/project/repo.git?signed#commit=deadbeef").unwrap(),
224 })
225 )]
226 #[case(
227 "file:///somewhere/else",
228 Ok(Source::SourceUrl {
229 filename: None,
230 source_url: SourceUrl::from_str("file:///somewhere/else").unwrap(),
231 })
232 )]
233 #[case(
234 "/absolute/path",
235 Err(Error::FileNameContainsInvalidChars(PathBuf::from("/absolute/path"), '/'))
236 )]
237 #[case(
238 "foo:::/absolute/path",
239 Err(Error::FileNameContainsInvalidChars(PathBuf::from(":/absolute/path"), '/'))
240 )]
241 fn parse_source(#[case] input: &str, #[case] expected: Result<Source, Error>) {
242 let source: Result<Source, Error> = input.parse();
243 assert_eq!(source, expected);
244
245 if let Ok(source) = source {
246 assert_eq!(source.to_string(), input);
247 }
248 }
249}