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
use util::{CargoResult, Config, errors};

/// Wrapper method for network call retry logic.
///
/// Retry counts provided by Config object `net.retry`. Config shell outputs
/// a warning on per retry.
///
/// Closure must return a CargoResult.
///
/// # Examples
///
/// ```ignore
/// use util::network;
/// cargo_result = network.with_retry(&config, || something.download());
/// ```
pub fn with_retry<T, E, F>(config: &Config, mut callback: F) -> CargoResult<T>
    where F: FnMut() -> Result<T, E>,
          E: errors::NetworkError
{
    let mut remaining = config.net_retry()?;
    loop {
        match callback() {
            Ok(ret) => return Ok(ret),
            Err(ref e) if e.maybe_spurious() && remaining > 0 => {
                let msg = format!("spurious network error ({} tries \
                          remaining): {}", remaining, e);
                config.shell().warn(msg)?;
                remaining -= 1;
            }
            Err(e) => return Err(Box::new(e)),
        }
    }
}
#[test]
fn with_retry_repeats_the_call_then_works() {

    use std::error::Error;
    use util::human;
    use std::fmt;

    #[derive(Debug)]
    struct NetworkRetryError {
        error: Box<errors::CargoError>,
    }

    impl Error for NetworkRetryError {
        fn description(&self) -> &str {
            self.error.description()
        }
        fn cause(&self) -> Option<&Error> {
            self.error.cause()
        }
    }

    impl NetworkRetryError {
        fn new(error: &str) -> NetworkRetryError {
            let error = human(error.to_string());
            NetworkRetryError {
                error: error,
            }
        }
    }

    impl fmt::Display for NetworkRetryError {
        fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
            fmt::Display::fmt(&self.error, f)
        }
    }

    impl errors::CargoError for NetworkRetryError {
        fn is_human(&self) -> bool {
            false
        }
    }

    impl errors::NetworkError for NetworkRetryError {
        fn maybe_spurious(&self) -> bool {
            true
        }
    }

    let error1 = NetworkRetryError::new("one");
    let error2 = NetworkRetryError::new("two");
    let mut results: Vec<Result<(), NetworkRetryError>> = vec![Ok(()),
    Err(error1), Err(error2)];
    let config = Config::default().unwrap();
    let result = with_retry(&config, || results.pop().unwrap());
    assert_eq!(result.unwrap(), ())
}