maven_rs/pom/
repositories.rs

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
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
use std::{fmt::Display, str::FromStr};

use derive_builder::Builder;
use edit_xml::Element;
use serde::{Deserialize, Serialize};
use strum::{Display, EnumString};

use crate::{
    editor::{
        utils::{
            add_if_present, find_or_create_then_set_text_content, sync_element,
            typed_from_element_using_builder,
        },
        ChildOfListElement, ComparableElement, ElementConverter, HasElementName, InvalidValueError,
        PomValue, UpdatableElement,
    },
    utils::serde_utils::serde_via_string_types,
};

#[derive(Debug, Clone, Default, PartialEq, Eq, Serialize, Deserialize)]
pub struct Repositories {
    #[serde(rename = "repository")]
    pub repositories: Vec<Repository>,
}

#[derive(Debug, Clone, Default, PartialEq, Eq, Serialize, Deserialize, Builder)]
#[serde(rename_all = "camelCase")]
pub struct Repository {
    #[builder(setter(into, strip_option), default)]
    pub id: Option<String>,
    #[builder(setter(into, strip_option), default)]
    pub name: Option<String>,
    pub url: String,
    #[builder(setter(into, strip_option), default)]
    pub layout: Option<String>,
    #[builder(setter(into, strip_option), default)]
    pub update_policy: Option<UpdatePolicy>,
    #[builder(setter(into, strip_option), default)]
    pub checksum_policy: Option<ChecksumPolicy>,
    #[builder(setter(into, strip_option), default)]
    pub releases: Option<SubRepositoryRules>,
    #[builder(setter(into, strip_option), default)]
    pub snapshots: Option<SubRepositoryRules>,
}
impl HasElementName for Repository {
    fn element_name() -> &'static str {
        "repository"
    }
}
impl ChildOfListElement for Repository {
    fn parent_element_name() -> &'static str {
        "repositories"
    }
}
impl ComparableElement for Repository {
    fn is_same_item(&self, other: &Self) -> bool {
        if self.name.is_none() {
            return false;
        }
        self.name == other.name
    }
}
impl UpdatableElement for Repository {
    fn update_element(
        &self,
        element: Element,
        document: &mut edit_xml::Document,
    ) -> Result<(), crate::editor::XMLEditorError> {
        sync_element(document, element, "id", self.id.as_deref());
        sync_element(document, element, "name", self.name.as_deref());
        find_or_create_then_set_text_content(document, element, "url", self.url.as_str());
        // TODO: Layout
        Ok(())
    }
}
impl ElementConverter for Repository {
    fn from_element(
        element: edit_xml::Element,
        document: &edit_xml::Document,
    ) -> Result<Self, crate::editor::XMLEditorError> {
        let mut builder = RepositoryBuilder::default();
        for child in element.child_elements(document) {
            match child.name(document) {
                "id" => {
                    builder.id(String::from_element(child, document)?);
                }
                "name" => {
                    builder.name(String::from_element(child, document)?);
                }
                "url" => {
                    builder.url(String::from_element(child, document)?);
                }
                "layout" => {
                    builder.layout(String::from_element(child, document)?);
                }
                "updatePolicy" => {
                    builder.update_policy(UpdatePolicy::from_element(child, document)?);
                }
                "checksumPolicy" => {
                    builder.checksum_policy(ChecksumPolicy::from_element(child, document)?);
                }
                "releases" => {
                    builder.releases(SubRepositoryRules::from_element(child, document)?);
                }
                "snapshots" => {
                    builder.snapshots(SubRepositoryRules::from_element(child, document)?);
                }
                _ => {}
            }
        }
        let result = builder.build()?;
        Ok(result)
    }
    // TODO: Releases, Snapshots

    fn into_children(
        self,
        document: &mut edit_xml::Document,
    ) -> Result<Vec<edit_xml::Element>, crate::editor::XMLEditorError> {
        let Self {
            id,
            name,
            url,
            layout,
            update_policy,
            checksum_policy,
            releases,
            snapshots,
        } = self;
        let mut children = vec![];
        add_if_present!(document, children, id, "id");
        add_if_present!(document, children, name, "name");
        children.push(crate::editor::utils::create_basic_text_element(
            document, "url", url,
        ));
        add_if_present!(document, children, layout, "layout");
        add_if_present!(document, children, update_policy, "updatePolicy");
        add_if_present!(document, children, checksum_policy, "checksumPolicy");
        if let Some(releases) = releases {
            let element = Element::new(document, "releases");
            let release_children = releases.into_children(document)?;
            for child in release_children {
                element.push_child(document, child)?;
            }
            children.push(element);
        }
        if let Some(snapshots) = snapshots {
            let element = Element::new(document, "snapshots");
            let snapshot_children = snapshots.into_children(document)?;
            for child in snapshot_children {
                element.push_child(document, child)?;
            }
            children.push(element);
        }
        Ok(children)
    }
}

#[derive(Debug, Clone, Default, PartialEq, Eq, Serialize, Deserialize, Builder)]
#[serde(rename_all = "camelCase")]
pub struct SubRepositoryRules {
    #[builder(setter(into, strip_option), default)]
    pub enabled: Option<bool>,
    #[builder(setter(into, strip_option), default)]
    pub update_policy: Option<UpdatePolicy>,
    #[builder(setter(into, strip_option), default)]
    pub checksum_policy: Option<ChecksumPolicy>,
}
impl ElementConverter for SubRepositoryRules {
    typed_from_element_using_builder!(
        SubRepositoryRulesBuilder,
        element,
        document,
        "enabled"(bool) => enabled,
        "updatePolicy"(UpdatePolicy) => update_policy,
        "checksumPolicy"(ChecksumPolicy) => checksum_policy
    );
    fn into_children(
        self,
        document: &mut edit_xml::Document,
    ) -> Result<Vec<edit_xml::Element>, crate::editor::XMLEditorError> {
        let Self {
            enabled,
            update_policy,
            checksum_policy,
        } = self;
        let mut children = vec![];
        add_if_present!(document, children, enabled, "enabled");
        add_if_present!(document, children, update_policy, "updatePolicy");
        add_if_present!(document, children, checksum_policy, "checksumPolicy");

        Ok(children)
    }
}

#[derive(Debug, Clone, Copy, PartialEq, Eq, Display, EnumString)]
#[strum(serialize_all = "camelCase")]
pub enum ChecksumPolicy {
    Ignore,
    Fail,
    Warn,
}
serde_via_string_types!(ChecksumPolicy);
impl PomValue for ChecksumPolicy {
    fn from_str_for_editor(value: &str) -> Result<Self, InvalidValueError> {
        match value {
            "ignore" => Ok(ChecksumPolicy::Ignore),
            "fail" => Ok(ChecksumPolicy::Fail),
            "warn" => Ok(ChecksumPolicy::Warn),
            _ => Err(InvalidValueError::InvalidValue {
                expected: "ignore, fail, or warn",
                found: value.to_owned(),
            }),
        }
    }
    fn to_string_for_editor(&self) -> String {
        self.to_string()
    }
}
#[derive(Debug, Clone, Copy, PartialEq, Eq, Display, EnumString)]
#[strum(serialize_all = "camelCase")]
pub enum RepositoryLayout {
    Default,
    Legacy,
}
serde_via_string_types!(RepositoryLayout);
impl PomValue for RepositoryLayout {
    fn from_str_for_editor(value: &str) -> Result<Self, InvalidValueError> {
        match value {
            "default" => Ok(RepositoryLayout::Default),
            "legacy" => Ok(RepositoryLayout::Legacy),
            _ => Err(InvalidValueError::InvalidValue {
                expected: "default or legacy",
                found: value.to_owned(),
            }),
        }
    }
    fn to_string_for_editor(&self) -> String {
        self.to_string()
    }
}

#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum UpdatePolicy {
    Always,
    Daily,
    Interval(usize),
    Never,
}
impl FromStr for UpdatePolicy {
    type Err = InvalidValueError;

    fn from_str(s: &str) -> Result<Self, Self::Err> {
        match s {
            "always" => Ok(UpdatePolicy::Always),
            "daily" => Ok(UpdatePolicy::Daily),
            "never" => Ok(UpdatePolicy::Never),
            other => {
                if other.starts_with("interval:") {
                    let interval = other.strip_prefix("interval:").ok_or_else(|| {
                        InvalidValueError::InvalidValue {
                            expected: "interval:<number>",
                            found: other.to_owned(),
                        }
                    })?;
                    let interval: usize =
                        interval
                            .parse()
                            .map_err(|_| InvalidValueError::InvalidFormattedValue {
                                error: interval.to_string(),
                            })?;
                    Ok(UpdatePolicy::Interval(interval))
                } else {
                    Err(InvalidValueError::InvalidValue {
                        expected: "always, daily, never, or interval:<number>",
                        found: other.to_owned(),
                    })
                }
            }
        }
    }
}
impl Display for UpdatePolicy {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        match self {
            UpdatePolicy::Always => write!(f, "always"),
            UpdatePolicy::Daily => write!(f, "daily"),
            UpdatePolicy::Interval(interval) => write!(f, "interval:{}", interval),
            UpdatePolicy::Never => write!(f, "never"),
        }
    }
}

impl PomValue for UpdatePolicy {
    fn from_str_for_editor(value: &str) -> Result<Self, InvalidValueError> {
        value.parse()
    }

    fn to_string_for_editor(&self) -> String {
        self.to_string()
    }
}
serde_via_string_types!(UpdatePolicy);

#[cfg(test)]
mod tests {
    use std::str::FromStr;

    use crate::editor::utils::test_utils;

    use super::*;
    fn inner_layout_test(layout: RepositoryLayout, expected: &str) {
        assert_eq!(layout.to_string(), expected);
        assert_eq!(RepositoryLayout::from_str(expected).unwrap(), layout);
    }
    #[test]
    fn layout() {
        inner_layout_test(RepositoryLayout::Default, "default");
        inner_layout_test(RepositoryLayout::Legacy, "legacy");
    }

    fn inner_update_policy_test(policy: UpdatePolicy, expected: &str) {
        assert_eq!(policy.to_string(), expected);
        assert_eq!(UpdatePolicy::from_str(expected).unwrap(), policy);
    }
    #[test]
    fn update_policy() {
        inner_update_policy_test(UpdatePolicy::Always, "always");
        inner_update_policy_test(UpdatePolicy::Daily, "daily");
        inner_update_policy_test(UpdatePolicy::Interval(5), "interval:5");
        inner_update_policy_test(UpdatePolicy::Never, "never");
    }
    fn inner_checksum_policy(policy: ChecksumPolicy, expected: &str) {
        assert_eq!(policy.to_string(), expected);
        assert_eq!(ChecksumPolicy::from_str(expected).unwrap(), policy);
    }
    #[test]
    fn checksum_policy() {
        inner_checksum_policy(ChecksumPolicy::Ignore, "ignore");
        inner_checksum_policy(ChecksumPolicy::Fail, "fail");
        inner_checksum_policy(ChecksumPolicy::Warn, "warn");
    }

    fn test_parse_methods(value: &str, expected: Repository) -> anyhow::Result<()> {
        let dep_via_edit_xml = test_utils::create_xml_to_element::<Repository>(value)?;
        let dep_via_serde: Repository = quick_xml::de::from_str(value)?;

        assert_eq!(dep_via_edit_xml, expected);
        assert_eq!(dep_via_serde, expected);
        println!("{:#?}", dep_via_edit_xml);

        let dep_serialize_serde = quick_xml::se::to_string(&expected)?;
        println!("Serialized Over Serde \n {}", dep_serialize_serde);
        Ok(())
    }

    #[test]
    fn basic_repository() -> anyhow::Result<()> {
        test_parse_methods(
            r#"
            <repository>
                <id>central</id>
                <name>Maven Central</name>
                <url>https://repo.maven.apache.org/maven2/</url>
            </repository>
        "#,
            Repository {
                id: Some("central".to_string()),
                name: Some("Maven Central".to_string()),
                url: "https://repo.maven.apache.org/maven2/".to_string(),
                ..Default::default()
            },
        )
    }
    #[test]
    fn just_url() -> anyhow::Result<()> {
        test_parse_methods(
            r#"
            <repository>
                <url>https://repo.maven.apache.org/maven2/</url>
            </repository>
        "#,
            Repository {
                url: "https://repo.maven.apache.org/maven2/".to_string(),
                ..Default::default()
            },
        )
    }
    #[test]
    fn with_release_settings() -> anyhow::Result<()> {
        test_parse_methods(
            r#"
                <repository>
                    <url>https://repo.maven.apache.org/maven2/</url>
                    <releases>
                        <enabled>true</enabled>
                        <updatePolicy>daily</updatePolicy>
                        <checksumPolicy>fail</checksumPolicy>
                    </releases>
                </repository>
            "#,
            Repository {
                url: "https://repo.maven.apache.org/maven2/".to_string(),
                releases: Some(SubRepositoryRules {
                    enabled: Some(true),
                    update_policy: Some(UpdatePolicy::Daily),
                    checksum_policy: Some(ChecksumPolicy::Fail),
                }),
                ..Default::default()
            },
        )
    }
    #[test]
    fn with_snapshot_settings() -> anyhow::Result<()> {
        test_parse_methods(
            r#"
                <repository>
                    <url>https://repo.maven.apache.org/maven2/</url>
                    <snapshots>
                        <enabled>true</enabled>
                        <updatePolicy>daily</updatePolicy>
                        <checksumPolicy>fail</checksumPolicy>
                    </snapshots>
                </repository>
            "#,
            Repository {
                url: "https://repo.maven.apache.org/maven2/".to_string(),
                snapshots: Some(SubRepositoryRules {
                    enabled: Some(true),
                    update_policy: Some(UpdatePolicy::Daily),
                    checksum_policy: Some(ChecksumPolicy::Fail),
                }),
                ..Default::default()
            },
        )
    }

    #[test]
    fn with_empty_sub_rules() -> anyhow::Result<()> {
        test_parse_methods(
            r#"
                <repository>
                    <url>https://repo.maven.apache.org/maven2/</url>
                    <releases> </releases>
                    <snapshots/>
                </repository>
            "#,
            Repository {
                url: "https://repo.maven.apache.org/maven2/".to_string(),
                releases: Some(SubRepositoryRules::default()),
                snapshots: Some(SubRepositoryRules::default()),
                ..Default::default()
            },
        )
    }
}