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

use failure::Error;
use http;
use serde::de::DeserializeOwned;
use serde_json;

use crate::config::Configuration;

/// APIClient requires `config::Configuration` includes client to connect with kubernetes cluster.
#[derive(Clone)]
pub struct APIClient {
    configuration: Configuration,
}

/// Error data returned by kube
///
/// Replacement data for reqwest::Response::error_for_status
/// because it hardly ever includes good permission errors
#[derive(Deserialize, Debug)]
pub struct ApiError {
    status: String,
    #[serde(default)]
    message: Option<String>,
    #[serde(default)]
    reason: Option<String>,
    code: u16,
}

impl APIClient {
    pub fn new(configuration: Configuration) -> Self {
        APIClient { configuration }
    }

    fn send(&self, request: http::Request<Vec<u8>>) -> Result<reqwest::Response, Error>
    {
        let (parts, body) = request.into_parts();
        let uri_str = format!("{}{}", self.configuration.base_path, parts.uri);
        let req = match parts.method {
            http::Method::GET => self.configuration.client.get(&uri_str),
            http::Method::POST => self.configuration.client.post(&uri_str),
            http::Method::DELETE => self.configuration.client.delete(&uri_str),
            http::Method::PUT => self.configuration.client.put(&uri_str),
            other => {
                return Err(Error::from(format_err!("Invalid method: {}", other)));
            }
        }.body(body);
        Ok(req.send()?)
    }


    pub fn request<T>(&self, request: http::Request<Vec<u8>>) -> Result<T, Error>
    where
        T: DeserializeOwned,
    {
        let mut res : reqwest::Response = self.send(request)?;
        if !res.status().is_success() {
            let text = res.text()?;
            // Print better debug when things do fail
            if let Ok(errdata) = serde_json::from_str::<ApiError>(&text) {
                println!("Unsuccessful: {:?}", errdata);
            } else {
                // In case some parts of ApiError for some reason don't exist..
                println!("Unsuccessful data: {}", text);
            }
            // Propagate errors properly via reqwest
            let e = res.error_for_status().unwrap_err();
            Err(e.into())
        } else {
            // Should be able to coerce result into T at this point
            let text = res.text()?;
            serde_json::from_str(&text).map_err(|e| {
                println!("{}", text);
                Error::from(e)
            })
        }
    }

    pub fn request_events<T>(&self, request: http::Request<Vec<u8>>) -> Result<Vec<T>, Error>
    where
        T: DeserializeOwned,
    {
        let mut res : reqwest::Response = self.send(request)?;
        if !res.status().is_success() {
            let text = res.text()?;
            // Print better debug when things do fail
            if let Ok(errdata) = serde_json::from_str::<ApiError>(&text) {
                println!("Unsuccessful: {:?}", errdata);
            } else {
                // In case some parts of ApiError for some reason don't exist..
                println!("Unsuccessful data: {}", text);
            }
            // Propagate errors properly via reqwest
            let e = res.error_for_status().unwrap_err();
            Err(e.into())
        } else {
            // Should be able to coerce result into Vec<T> at this point
            let mut xs : Vec<T> = vec![];
            let text = res.text()?;
            for l in text.lines() {
                let r = serde_json::from_str(&l).map_err(|e| {
                    println!("{}", l);
                    Error::from(e)
                })?;
                xs.push(r);
            }
            Ok(xs)

        }
    }
}