diff options
| author | Bryan Newbold <bnewbold@robocracy.org> | 2019-09-05 19:04:34 -0700 | 
|---|---|---|
| committer | Bryan Newbold <bnewbold@robocracy.org> | 2019-09-05 19:04:34 -0700 | 
| commit | ba722671b4791524384010705bef0aaa83c22c0b (patch) | |
| tree | 9d546b87a36cfa521d8a64ea032948416c9e6314 /rust/fatcat-api-spec/src | |
| parent | a65dfc914517376b5ededb82e594236c5d61c721 (diff) | |
| download | fatcat-ba722671b4791524384010705bef0aaa83c22c0b.tar.gz fatcat-ba722671b4791524384010705bef0aaa83c22c0b.zip  | |
rename rust crate fatcat-api-spec -> fatcat-openapi
Diffstat (limited to 'rust/fatcat-api-spec/src')
| -rw-r--r-- | rust/fatcat-api-spec/src/client.rs | 7664 | ||||
| -rw-r--r-- | rust/fatcat-api-spec/src/lib.rs | 2282 | ||||
| -rw-r--r-- | rust/fatcat-api-spec/src/mimetypes.rs | 1973 | ||||
| -rw-r--r-- | rust/fatcat-api-spec/src/models.rs | 1433 | ||||
| -rw-r--r-- | rust/fatcat-api-spec/src/server.rs | 10872 | 
5 files changed, 0 insertions, 24224 deletions
diff --git a/rust/fatcat-api-spec/src/client.rs b/rust/fatcat-api-spec/src/client.rs deleted file mode 100644 index 378c546f..00000000 --- a/rust/fatcat-api-spec/src/client.rs +++ /dev/null @@ -1,7664 +0,0 @@ -#![allow(unused_extern_crates)] -extern crate chrono; -extern crate hyper_openssl; -extern crate url; - -use self::hyper_openssl::openssl; -use self::url::percent_encoding::{utf8_percent_encode, PATH_SEGMENT_ENCODE_SET, QUERY_ENCODE_SET}; -use futures; -use futures::{future, stream}; -use futures::{Future, Stream}; -use hyper; -use hyper::client::IntoUrl; -use hyper::header::{ContentType, Headers}; -use hyper::mime; -use hyper::mime::{Attr, Mime, SubLevel, TopLevel, Value}; -use hyper::Url; -use std::borrow::Cow; -use std::error; -use std::fmt; -use std::io::{Error, Read}; -use std::path::Path; -use std::str; -use std::sync::Arc; - -use mimetypes; - -use serde_json; - -#[allow(unused_imports)] -use std::collections::{BTreeMap, HashMap}; -#[allow(unused_imports)] -use swagger; - -use swagger::{ApiError, Context, XSpanId}; - -use models; -use { -    AcceptEditgroupResponse, Api, AuthCheckResponse, AuthOidcResponse, CreateContainerAutoBatchResponse, CreateContainerResponse, CreateCreatorAutoBatchResponse, CreateCreatorResponse, -    CreateEditgroupAnnotationResponse, CreateEditgroupResponse, CreateFileAutoBatchResponse, CreateFileResponse, CreateFilesetAutoBatchResponse, CreateFilesetResponse, CreateReleaseAutoBatchResponse, -    CreateReleaseResponse, CreateWebcaptureAutoBatchResponse, CreateWebcaptureResponse, CreateWorkAutoBatchResponse, CreateWorkResponse, DeleteContainerEditResponse, DeleteContainerResponse, -    DeleteCreatorEditResponse, DeleteCreatorResponse, DeleteFileEditResponse, DeleteFileResponse, DeleteFilesetEditResponse, DeleteFilesetResponse, DeleteReleaseEditResponse, DeleteReleaseResponse, -    DeleteWebcaptureEditResponse, DeleteWebcaptureResponse, DeleteWorkEditResponse, DeleteWorkResponse, GetChangelogEntryResponse, GetChangelogResponse, GetContainerEditResponse, -    GetContainerHistoryResponse, GetContainerRedirectsResponse, GetContainerResponse, GetContainerRevisionResponse, GetCreatorEditResponse, GetCreatorHistoryResponse, GetCreatorRedirectsResponse, -    GetCreatorReleasesResponse, GetCreatorResponse, GetCreatorRevisionResponse, GetEditgroupAnnotationsResponse, GetEditgroupResponse, GetEditgroupsReviewableResponse, GetEditorAnnotationsResponse, -    GetEditorEditgroupsResponse, GetEditorResponse, GetFileEditResponse, GetFileHistoryResponse, GetFileRedirectsResponse, GetFileResponse, GetFileRevisionResponse, GetFilesetEditResponse, -    GetFilesetHistoryResponse, GetFilesetRedirectsResponse, GetFilesetResponse, GetFilesetRevisionResponse, GetReleaseEditResponse, GetReleaseFilesResponse, GetReleaseFilesetsResponse, -    GetReleaseHistoryResponse, GetReleaseRedirectsResponse, GetReleaseResponse, GetReleaseRevisionResponse, GetReleaseWebcapturesResponse, GetWebcaptureEditResponse, GetWebcaptureHistoryResponse, -    GetWebcaptureRedirectsResponse, GetWebcaptureResponse, GetWebcaptureRevisionResponse, GetWorkEditResponse, GetWorkHistoryResponse, GetWorkRedirectsResponse, GetWorkReleasesResponse, -    GetWorkResponse, GetWorkRevisionResponse, LookupContainerResponse, LookupCreatorResponse, LookupFileResponse, LookupReleaseResponse, UpdateContainerResponse, UpdateCreatorResponse, -    UpdateEditgroupResponse, UpdateEditorResponse, UpdateFileResponse, UpdateFilesetResponse, UpdateReleaseResponse, UpdateWebcaptureResponse, UpdateWorkResponse, -}; - -/// Convert input into a base path, e.g. "http://example:123". Also checks the scheme as it goes. -fn into_base_path<T: IntoUrl>(input: T, correct_scheme: Option<&'static str>) -> Result<String, ClientInitError> { -    // First convert to Url, since a base path is a subset of Url. -    let url = input.into_url()?; - -    let scheme = url.scheme(); - -    // Check the scheme if necessary -    if let Some(correct_scheme) = correct_scheme { -        if scheme != correct_scheme { -            return Err(ClientInitError::InvalidScheme); -        } -    } - -    let host = url.host().ok_or_else(|| ClientInitError::MissingHost)?; -    let port = url.port().map(|x| format!(":{}", x)).unwrap_or_default(); -    Ok(format!("{}://{}{}", scheme, host, port)) -} - -/// A client that implements the API by making HTTP calls out to a server. -#[derive(Clone)] -pub struct Client { -    base_path: String, -    hyper_client: Arc<Fn() -> hyper::client::Client + Sync + Send>, -} - -impl fmt::Debug for Client { -    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { -        write!(f, "Client {{ base_path: {} }}", self.base_path) -    } -} - -impl Client { -    pub fn try_new_http<T>(base_path: T) -> Result<Client, ClientInitError> -    where -        T: IntoUrl, -    { -        Ok(Client { -            base_path: into_base_path(base_path, Some("http"))?, -            hyper_client: Arc::new(hyper::client::Client::new), -        }) -    } - -    pub fn try_new_https<T, CA>(base_path: T, ca_certificate: CA) -> Result<Client, ClientInitError> -    where -        T: IntoUrl, -        CA: AsRef<Path>, -    { -        let ca_certificate = ca_certificate.as_ref().to_owned(); - -        let https_hyper_client = move || { -            // SSL implementation -            let mut ssl = openssl::ssl::SslConnectorBuilder::new(openssl::ssl::SslMethod::tls()).unwrap(); - -            // Server authentication -            ssl.set_ca_file(ca_certificate.clone()).unwrap(); - -            let ssl = hyper_openssl::OpensslClient::from(ssl.build()); -            let connector = hyper::net::HttpsConnector::new(ssl); -            hyper::client::Client::with_connector(connector) -        }; - -        Ok(Client { -            base_path: into_base_path(base_path, Some("https"))?, -            hyper_client: Arc::new(https_hyper_client), -        }) -    } - -    pub fn try_new_https_mutual<T, CA, K, C>(base_path: T, ca_certificate: CA, client_key: K, client_certificate: C) -> Result<Client, ClientInitError> -    where -        T: IntoUrl, -        CA: AsRef<Path>, -        K: AsRef<Path>, -        C: AsRef<Path>, -    { -        let ca_certificate = ca_certificate.as_ref().to_owned(); -        let client_key = client_key.as_ref().to_owned(); -        let client_certificate = client_certificate.as_ref().to_owned(); - -        let https_mutual_hyper_client = move || { -            // SSL implementation -            let mut ssl = openssl::ssl::SslConnectorBuilder::new(openssl::ssl::SslMethod::tls()).unwrap(); - -            // Server authentication -            ssl.set_ca_file(ca_certificate.clone()).unwrap(); - -            // Client authentication -            ssl.set_private_key_file(client_key.clone(), openssl::x509::X509_FILETYPE_PEM).unwrap(); -            ssl.set_certificate_chain_file(client_certificate.clone()).unwrap(); -            ssl.check_private_key().unwrap(); - -            let ssl = hyper_openssl::OpensslClient::from(ssl.build()); -            let connector = hyper::net::HttpsConnector::new(ssl); -            hyper::client::Client::with_connector(connector) -        }; - -        Ok(Client { -            base_path: into_base_path(base_path, Some("https"))?, -            hyper_client: Arc::new(https_mutual_hyper_client), -        }) -    } - -    /// Constructor for creating a `Client` by passing in a pre-made `hyper` client. -    /// -    /// One should avoid relying on this function if possible, since it adds a dependency on the underlying transport -    /// implementation, which it would be better to abstract away. Therefore, using this function may lead to a loss of -    /// code generality, which may make it harder to move the application to a serverless environment, for example. -    /// -    /// The reason for this function's existence is to support legacy test code, which did mocking at the hyper layer. -    /// This is not a recommended way to write new tests. If other reasons are found for using this function, they -    /// should be mentioned here. -    pub fn try_new_with_hyper_client<T>(base_path: T, hyper_client: Arc<Fn() -> hyper::client::Client + Sync + Send>) -> Result<Client, ClientInitError> -    where -        T: IntoUrl, -    { -        Ok(Client { -            base_path: into_base_path(base_path, None)?, -            hyper_client: hyper_client, -        }) -    } -} - -impl Api for Client { -    fn create_container(&self, param_editgroup_id: String, param_entity: models::ContainerEntity, context: &Context) -> Box<Future<Item = CreateContainerResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/container", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let body = serde_json::to_string(¶m_entity).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Post, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::CREATE_CONTAINER.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<CreateContainerResponse, ApiError> { -            match response.status.to_u16() { -                201 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(CreateContainerResponse::CreatedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateContainerResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(CreateContainerResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateContainerResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateContainerResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateContainerResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn create_container_auto_batch(&self, param_auto_batch: models::ContainerAutoBatch, context: &Context) -> Box<Future<Item = CreateContainerAutoBatchResponse, Error = ApiError> + Send> { -        let url = format!("{}/v0/editgroup/auto/container/batch", self.base_path); - -        let body = serde_json::to_string(¶m_auto_batch).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Post, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::CREATE_CONTAINER_AUTO_BATCH.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<CreateContainerAutoBatchResponse, ApiError> { -            match response.status.to_u16() { -                201 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Editgroup>(&buf)?; - -                    Ok(CreateContainerAutoBatchResponse::CreatedEditgroup(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateContainerAutoBatchResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(CreateContainerAutoBatchResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateContainerAutoBatchResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateContainerAutoBatchResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateContainerAutoBatchResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn delete_container(&self, param_editgroup_id: String, param_ident: String, context: &Context) -> Box<Future<Item = DeleteContainerResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/container/{ident}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Delete, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<DeleteContainerResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(DeleteContainerResponse::DeletedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteContainerResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(DeleteContainerResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteContainerResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteContainerResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteContainerResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn delete_container_edit(&self, param_editgroup_id: String, param_edit_id: String, context: &Context) -> Box<Future<Item = DeleteContainerEditResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/container/edit/{edit_id}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            edit_id = utf8_percent_encode(¶m_edit_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Delete, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<DeleteContainerEditResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Success>(&buf)?; - -                    Ok(DeleteContainerEditResponse::DeletedEdit(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteContainerEditResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(DeleteContainerEditResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteContainerEditResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteContainerEditResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteContainerEditResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_container(&self, param_ident: String, param_expand: Option<String>, param_hide: Option<String>, context: &Context) -> Box<Future<Item = GetContainerResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/container/{ident}?{expand}{hide}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetContainerResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ContainerEntity>(&buf)?; - -                    Ok(GetContainerResponse::FoundEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetContainerResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetContainerResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetContainerResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_container_edit(&self, param_edit_id: String, context: &Context) -> Box<Future<Item = GetContainerEditResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/container/edit/{edit_id}", -            self.base_path, -            edit_id = utf8_percent_encode(¶m_edit_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetContainerEditResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(GetContainerEditResponse::FoundEdit(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetContainerEditResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetContainerEditResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetContainerEditResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_container_history(&self, param_ident: String, param_limit: Option<i64>, context: &Context) -> Box<Future<Item = GetContainerHistoryResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_limit = param_limit.map_or_else(String::new, |query| format!("limit={limit}&", limit = query.to_string())); - -        let url = format!( -            "{}/v0/container/{ident}/history?{limit}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            limit = utf8_percent_encode(&query_limit, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetContainerHistoryResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<models::EntityHistoryEntry>>(&buf)?; - -                    Ok(GetContainerHistoryResponse::FoundEntityHistory(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetContainerHistoryResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetContainerHistoryResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetContainerHistoryResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_container_redirects(&self, param_ident: String, context: &Context) -> Box<Future<Item = GetContainerRedirectsResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/container/{ident}/redirects", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetContainerRedirectsResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<String>>(&buf)?; - -                    Ok(GetContainerRedirectsResponse::FoundEntityRedirects(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetContainerRedirectsResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetContainerRedirectsResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetContainerRedirectsResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_container_revision( -        &self, -        param_rev_id: String, -        param_expand: Option<String>, -        param_hide: Option<String>, -        context: &Context, -    ) -> Box<Future<Item = GetContainerRevisionResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/container/rev/{rev_id}?{expand}{hide}", -            self.base_path, -            rev_id = utf8_percent_encode(¶m_rev_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetContainerRevisionResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ContainerEntity>(&buf)?; - -                    Ok(GetContainerRevisionResponse::FoundEntityRevision(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetContainerRevisionResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetContainerRevisionResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetContainerRevisionResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn lookup_container( -        &self, -        param_issnl: Option<String>, -        param_wikidata_qid: Option<String>, -        param_expand: Option<String>, -        param_hide: Option<String>, -        context: &Context, -    ) -> Box<Future<Item = LookupContainerResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_issnl = param_issnl.map_or_else(String::new, |query| format!("issnl={issnl}&", issnl = query.to_string())); -        let query_wikidata_qid = param_wikidata_qid.map_or_else(String::new, |query| format!("wikidata_qid={wikidata_qid}&", wikidata_qid = query.to_string())); -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/container/lookup?{issnl}{wikidata_qid}{expand}{hide}", -            self.base_path, -            issnl = utf8_percent_encode(&query_issnl, QUERY_ENCODE_SET), -            wikidata_qid = utf8_percent_encode(&query_wikidata_qid, QUERY_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<LookupContainerResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ContainerEntity>(&buf)?; - -                    Ok(LookupContainerResponse::FoundEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(LookupContainerResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(LookupContainerResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(LookupContainerResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn update_container( -        &self, -        param_editgroup_id: String, -        param_ident: String, -        param_entity: models::ContainerEntity, -        context: &Context, -    ) -> Box<Future<Item = UpdateContainerResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/container/{ident}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let body = serde_json::to_string(¶m_entity).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Put, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::UPDATE_CONTAINER.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<UpdateContainerResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(UpdateContainerResponse::UpdatedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateContainerResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(UpdateContainerResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateContainerResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateContainerResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateContainerResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn create_creator(&self, param_editgroup_id: String, param_entity: models::CreatorEntity, context: &Context) -> Box<Future<Item = CreateCreatorResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/creator", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let body = serde_json::to_string(¶m_entity).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Post, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::CREATE_CREATOR.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<CreateCreatorResponse, ApiError> { -            match response.status.to_u16() { -                201 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(CreateCreatorResponse::CreatedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateCreatorResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(CreateCreatorResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateCreatorResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateCreatorResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateCreatorResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn create_creator_auto_batch(&self, param_auto_batch: models::CreatorAutoBatch, context: &Context) -> Box<Future<Item = CreateCreatorAutoBatchResponse, Error = ApiError> + Send> { -        let url = format!("{}/v0/editgroup/auto/creator/batch", self.base_path); - -        let body = serde_json::to_string(¶m_auto_batch).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Post, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::CREATE_CREATOR_AUTO_BATCH.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<CreateCreatorAutoBatchResponse, ApiError> { -            match response.status.to_u16() { -                201 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Editgroup>(&buf)?; - -                    Ok(CreateCreatorAutoBatchResponse::CreatedEditgroup(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateCreatorAutoBatchResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(CreateCreatorAutoBatchResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateCreatorAutoBatchResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateCreatorAutoBatchResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateCreatorAutoBatchResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn delete_creator(&self, param_editgroup_id: String, param_ident: String, context: &Context) -> Box<Future<Item = DeleteCreatorResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/creator/{ident}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Delete, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<DeleteCreatorResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(DeleteCreatorResponse::DeletedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteCreatorResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(DeleteCreatorResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteCreatorResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteCreatorResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteCreatorResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn delete_creator_edit(&self, param_editgroup_id: String, param_edit_id: String, context: &Context) -> Box<Future<Item = DeleteCreatorEditResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/creator/edit/{edit_id}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            edit_id = utf8_percent_encode(¶m_edit_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Delete, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<DeleteCreatorEditResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Success>(&buf)?; - -                    Ok(DeleteCreatorEditResponse::DeletedEdit(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteCreatorEditResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(DeleteCreatorEditResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteCreatorEditResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteCreatorEditResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteCreatorEditResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_creator(&self, param_ident: String, param_expand: Option<String>, param_hide: Option<String>, context: &Context) -> Box<Future<Item = GetCreatorResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/creator/{ident}?{expand}{hide}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetCreatorResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::CreatorEntity>(&buf)?; - -                    Ok(GetCreatorResponse::FoundEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetCreatorResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetCreatorResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetCreatorResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_creator_edit(&self, param_edit_id: String, context: &Context) -> Box<Future<Item = GetCreatorEditResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/creator/edit/{edit_id}", -            self.base_path, -            edit_id = utf8_percent_encode(¶m_edit_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetCreatorEditResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(GetCreatorEditResponse::FoundEdit(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetCreatorEditResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetCreatorEditResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetCreatorEditResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_creator_history(&self, param_ident: String, param_limit: Option<i64>, context: &Context) -> Box<Future<Item = GetCreatorHistoryResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_limit = param_limit.map_or_else(String::new, |query| format!("limit={limit}&", limit = query.to_string())); - -        let url = format!( -            "{}/v0/creator/{ident}/history?{limit}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            limit = utf8_percent_encode(&query_limit, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetCreatorHistoryResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<models::EntityHistoryEntry>>(&buf)?; - -                    Ok(GetCreatorHistoryResponse::FoundEntityHistory(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetCreatorHistoryResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetCreatorHistoryResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetCreatorHistoryResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_creator_redirects(&self, param_ident: String, context: &Context) -> Box<Future<Item = GetCreatorRedirectsResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/creator/{ident}/redirects", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetCreatorRedirectsResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<String>>(&buf)?; - -                    Ok(GetCreatorRedirectsResponse::FoundEntityRedirects(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetCreatorRedirectsResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetCreatorRedirectsResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetCreatorRedirectsResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_creator_releases(&self, param_ident: String, param_hide: Option<String>, context: &Context) -> Box<Future<Item = GetCreatorReleasesResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/creator/{ident}/releases?{hide}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetCreatorReleasesResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<models::ReleaseEntity>>(&buf)?; - -                    Ok(GetCreatorReleasesResponse::Found(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetCreatorReleasesResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetCreatorReleasesResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetCreatorReleasesResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_creator_revision( -        &self, -        param_rev_id: String, -        param_expand: Option<String>, -        param_hide: Option<String>, -        context: &Context, -    ) -> Box<Future<Item = GetCreatorRevisionResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/creator/rev/{rev_id}?{expand}{hide}", -            self.base_path, -            rev_id = utf8_percent_encode(¶m_rev_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetCreatorRevisionResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::CreatorEntity>(&buf)?; - -                    Ok(GetCreatorRevisionResponse::FoundEntityRevision(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetCreatorRevisionResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetCreatorRevisionResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetCreatorRevisionResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn lookup_creator( -        &self, -        param_orcid: Option<String>, -        param_wikidata_qid: Option<String>, -        param_expand: Option<String>, -        param_hide: Option<String>, -        context: &Context, -    ) -> Box<Future<Item = LookupCreatorResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_orcid = param_orcid.map_or_else(String::new, |query| format!("orcid={orcid}&", orcid = query.to_string())); -        let query_wikidata_qid = param_wikidata_qid.map_or_else(String::new, |query| format!("wikidata_qid={wikidata_qid}&", wikidata_qid = query.to_string())); -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/creator/lookup?{orcid}{wikidata_qid}{expand}{hide}", -            self.base_path, -            orcid = utf8_percent_encode(&query_orcid, QUERY_ENCODE_SET), -            wikidata_qid = utf8_percent_encode(&query_wikidata_qid, QUERY_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<LookupCreatorResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::CreatorEntity>(&buf)?; - -                    Ok(LookupCreatorResponse::FoundEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(LookupCreatorResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(LookupCreatorResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(LookupCreatorResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn update_creator( -        &self, -        param_editgroup_id: String, -        param_ident: String, -        param_entity: models::CreatorEntity, -        context: &Context, -    ) -> Box<Future<Item = UpdateCreatorResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/creator/{ident}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let body = serde_json::to_string(¶m_entity).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Put, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::UPDATE_CREATOR.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<UpdateCreatorResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(UpdateCreatorResponse::UpdatedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateCreatorResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(UpdateCreatorResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateCreatorResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateCreatorResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateCreatorResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn auth_check(&self, param_role: Option<String>, context: &Context) -> Box<Future<Item = AuthCheckResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_role = param_role.map_or_else(String::new, |query| format!("role={role}&", role = query.to_string())); - -        let url = format!("{}/v0/auth/check?{role}", self.base_path, role = utf8_percent_encode(&query_role, QUERY_ENCODE_SET)); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<AuthCheckResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Success>(&buf)?; - -                    Ok(AuthCheckResponse::Success(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(AuthCheckResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(AuthCheckResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(AuthCheckResponse::Forbidden(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(AuthCheckResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn auth_oidc(&self, param_oidc_params: models::AuthOidc, context: &Context) -> Box<Future<Item = AuthOidcResponse, Error = ApiError> + Send> { -        let url = format!("{}/v0/auth/oidc", self.base_path); - -        let body = serde_json::to_string(¶m_oidc_params).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Post, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::AUTH_OIDC.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<AuthOidcResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::AuthOidcResult>(&buf)?; - -                    Ok(AuthOidcResponse::Found(body)) -                } -                201 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::AuthOidcResult>(&buf)?; - -                    Ok(AuthOidcResponse::Created(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(AuthOidcResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(AuthOidcResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(AuthOidcResponse::Forbidden(body)) -                } -                409 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(AuthOidcResponse::Conflict(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(AuthOidcResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_editgroups_reviewable( -        &self, -        param_expand: Option<String>, -        param_limit: Option<i64>, -        param_before: Option<chrono::DateTime<chrono::Utc>>, -        param_since: Option<chrono::DateTime<chrono::Utc>>, -        context: &Context, -    ) -> Box<Future<Item = GetEditgroupsReviewableResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_limit = param_limit.map_or_else(String::new, |query| format!("limit={limit}&", limit = query.to_string())); -        let query_before = param_before.map_or_else(String::new, |query| format!("before={before}&", before = query.to_string())); -        let query_since = param_since.map_or_else(String::new, |query| format!("since={since}&", since = query.to_string())); - -        let url = format!( -            "{}/v0/editgroup/reviewable?{expand}{limit}{before}{since}", -            self.base_path, -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            limit = utf8_percent_encode(&query_limit, QUERY_ENCODE_SET), -            before = utf8_percent_encode(&query_before, QUERY_ENCODE_SET), -            since = utf8_percent_encode(&query_since, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetEditgroupsReviewableResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<models::Editgroup>>(&buf)?; - -                    Ok(GetEditgroupsReviewableResponse::Found(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditgroupsReviewableResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditgroupsReviewableResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditgroupsReviewableResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_editor(&self, param_editor_id: String, context: &Context) -> Box<Future<Item = GetEditorResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editor/{editor_id}", -            self.base_path, -            editor_id = utf8_percent_encode(¶m_editor_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetEditorResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Editor>(&buf)?; - -                    Ok(GetEditorResponse::Found(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditorResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditorResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditorResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_editor_editgroups( -        &self, -        param_editor_id: String, -        param_limit: Option<i64>, -        param_before: Option<chrono::DateTime<chrono::Utc>>, -        param_since: Option<chrono::DateTime<chrono::Utc>>, -        context: &Context, -    ) -> Box<Future<Item = GetEditorEditgroupsResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_limit = param_limit.map_or_else(String::new, |query| format!("limit={limit}&", limit = query.to_string())); -        let query_before = param_before.map_or_else(String::new, |query| format!("before={before}&", before = query.to_string())); -        let query_since = param_since.map_or_else(String::new, |query| format!("since={since}&", since = query.to_string())); - -        let url = format!( -            "{}/v0/editor/{editor_id}/editgroups?{limit}{before}{since}", -            self.base_path, -            editor_id = utf8_percent_encode(¶m_editor_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            limit = utf8_percent_encode(&query_limit, QUERY_ENCODE_SET), -            before = utf8_percent_encode(&query_before, QUERY_ENCODE_SET), -            since = utf8_percent_encode(&query_since, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetEditorEditgroupsResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<models::Editgroup>>(&buf)?; - -                    Ok(GetEditorEditgroupsResponse::Found(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditorEditgroupsResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditorEditgroupsResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditorEditgroupsResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn update_editgroup( -        &self, -        param_editgroup_id: String, -        param_editgroup: models::Editgroup, -        param_submit: Option<bool>, -        context: &Context, -    ) -> Box<Future<Item = UpdateEditgroupResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_submit = param_submit.map_or_else(String::new, |query| format!("submit={submit}&", submit = query.to_string())); - -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}?{submit}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            submit = utf8_percent_encode(&query_submit, QUERY_ENCODE_SET) -        ); - -        let body = serde_json::to_string(¶m_editgroup).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Put, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::UPDATE_EDITGROUP.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<UpdateEditgroupResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Editgroup>(&buf)?; - -                    Ok(UpdateEditgroupResponse::UpdatedEditgroup(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateEditgroupResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(UpdateEditgroupResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateEditgroupResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateEditgroupResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateEditgroupResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn update_editor(&self, param_editor_id: String, param_editor: models::Editor, context: &Context) -> Box<Future<Item = UpdateEditorResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editor/{editor_id}", -            self.base_path, -            editor_id = utf8_percent_encode(¶m_editor_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let body = serde_json::to_string(¶m_editor).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Put, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::UPDATE_EDITOR.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<UpdateEditorResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Editor>(&buf)?; - -                    Ok(UpdateEditorResponse::UpdatedEditor(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateEditorResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(UpdateEditorResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateEditorResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateEditorResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateEditorResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn accept_editgroup(&self, param_editgroup_id: String, context: &Context) -> Box<Future<Item = AcceptEditgroupResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/accept", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Post, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<AcceptEditgroupResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Success>(&buf)?; - -                    Ok(AcceptEditgroupResponse::MergedSuccessfully(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(AcceptEditgroupResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(AcceptEditgroupResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(AcceptEditgroupResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(AcceptEditgroupResponse::NotFound(body)) -                } -                409 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(AcceptEditgroupResponse::EditConflict(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(AcceptEditgroupResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn create_editgroup(&self, param_editgroup: models::Editgroup, context: &Context) -> Box<Future<Item = CreateEditgroupResponse, Error = ApiError> + Send> { -        let url = format!("{}/v0/editgroup", self.base_path); - -        let body = serde_json::to_string(¶m_editgroup).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Post, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::CREATE_EDITGROUP.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<CreateEditgroupResponse, ApiError> { -            match response.status.to_u16() { -                201 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Editgroup>(&buf)?; - -                    Ok(CreateEditgroupResponse::SuccessfullyCreated(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateEditgroupResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(CreateEditgroupResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateEditgroupResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateEditgroupResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateEditgroupResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn create_editgroup_annotation( -        &self, -        param_editgroup_id: String, -        param_annotation: models::EditgroupAnnotation, -        context: &Context, -    ) -> Box<Future<Item = CreateEditgroupAnnotationResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/annotation", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let body = serde_json::to_string(¶m_annotation).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Post, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::CREATE_EDITGROUP_ANNOTATION.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<CreateEditgroupAnnotationResponse, ApiError> { -            match response.status.to_u16() { -                201 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EditgroupAnnotation>(&buf)?; - -                    Ok(CreateEditgroupAnnotationResponse::Created(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateEditgroupAnnotationResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(CreateEditgroupAnnotationResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateEditgroupAnnotationResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateEditgroupAnnotationResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateEditgroupAnnotationResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_changelog(&self, param_limit: Option<i64>, context: &Context) -> Box<Future<Item = GetChangelogResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_limit = param_limit.map_or_else(String::new, |query| format!("limit={limit}&", limit = query.to_string())); - -        let url = format!("{}/v0/changelog?{limit}", self.base_path, limit = utf8_percent_encode(&query_limit, QUERY_ENCODE_SET)); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetChangelogResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<models::ChangelogEntry>>(&buf)?; - -                    Ok(GetChangelogResponse::Success(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetChangelogResponse::BadRequest(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetChangelogResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_changelog_entry(&self, param_index: i64, context: &Context) -> Box<Future<Item = GetChangelogEntryResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/changelog/{index}", -            self.base_path, -            index = utf8_percent_encode(¶m_index.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetChangelogEntryResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ChangelogEntry>(&buf)?; - -                    Ok(GetChangelogEntryResponse::FoundChangelogEntry(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetChangelogEntryResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetChangelogEntryResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetChangelogEntryResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_editgroup(&self, param_editgroup_id: String, context: &Context) -> Box<Future<Item = GetEditgroupResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetEditgroupResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Editgroup>(&buf)?; - -                    Ok(GetEditgroupResponse::Found(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditgroupResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditgroupResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditgroupResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_editgroup_annotations(&self, param_editgroup_id: String, param_expand: Option<String>, context: &Context) -> Box<Future<Item = GetEditgroupAnnotationsResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); - -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/annotations?{expand}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetEditgroupAnnotationsResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<models::EditgroupAnnotation>>(&buf)?; - -                    Ok(GetEditgroupAnnotationsResponse::Success(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditgroupAnnotationsResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(GetEditgroupAnnotationsResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditgroupAnnotationsResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditgroupAnnotationsResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditgroupAnnotationsResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_editor_annotations( -        &self, -        param_editor_id: String, -        param_limit: Option<i64>, -        param_before: Option<chrono::DateTime<chrono::Utc>>, -        param_since: Option<chrono::DateTime<chrono::Utc>>, -        context: &Context, -    ) -> Box<Future<Item = GetEditorAnnotationsResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_limit = param_limit.map_or_else(String::new, |query| format!("limit={limit}&", limit = query.to_string())); -        let query_before = param_before.map_or_else(String::new, |query| format!("before={before}&", before = query.to_string())); -        let query_since = param_since.map_or_else(String::new, |query| format!("since={since}&", since = query.to_string())); - -        let url = format!( -            "{}/v0/editor/{editor_id}/annotations?{limit}{before}{since}", -            self.base_path, -            editor_id = utf8_percent_encode(¶m_editor_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            limit = utf8_percent_encode(&query_limit, QUERY_ENCODE_SET), -            before = utf8_percent_encode(&query_before, QUERY_ENCODE_SET), -            since = utf8_percent_encode(&query_since, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetEditorAnnotationsResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<models::EditgroupAnnotation>>(&buf)?; - -                    Ok(GetEditorAnnotationsResponse::Success(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditorAnnotationsResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(GetEditorAnnotationsResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditorAnnotationsResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditorAnnotationsResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetEditorAnnotationsResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn create_file(&self, param_editgroup_id: String, param_entity: models::FileEntity, context: &Context) -> Box<Future<Item = CreateFileResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/file", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let body = serde_json::to_string(¶m_entity).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Post, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::CREATE_FILE.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<CreateFileResponse, ApiError> { -            match response.status.to_u16() { -                201 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(CreateFileResponse::CreatedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateFileResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(CreateFileResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateFileResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateFileResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateFileResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn create_file_auto_batch(&self, param_auto_batch: models::FileAutoBatch, context: &Context) -> Box<Future<Item = CreateFileAutoBatchResponse, Error = ApiError> + Send> { -        let url = format!("{}/v0/editgroup/auto/file/batch", self.base_path); - -        let body = serde_json::to_string(¶m_auto_batch).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Post, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::CREATE_FILE_AUTO_BATCH.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<CreateFileAutoBatchResponse, ApiError> { -            match response.status.to_u16() { -                201 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Editgroup>(&buf)?; - -                    Ok(CreateFileAutoBatchResponse::CreatedEditgroup(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateFileAutoBatchResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(CreateFileAutoBatchResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateFileAutoBatchResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateFileAutoBatchResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateFileAutoBatchResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn delete_file(&self, param_editgroup_id: String, param_ident: String, context: &Context) -> Box<Future<Item = DeleteFileResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/file/{ident}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Delete, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<DeleteFileResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(DeleteFileResponse::DeletedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteFileResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(DeleteFileResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteFileResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteFileResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteFileResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn delete_file_edit(&self, param_editgroup_id: String, param_edit_id: String, context: &Context) -> Box<Future<Item = DeleteFileEditResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/file/edit/{edit_id}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            edit_id = utf8_percent_encode(¶m_edit_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Delete, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<DeleteFileEditResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Success>(&buf)?; - -                    Ok(DeleteFileEditResponse::DeletedEdit(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteFileEditResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(DeleteFileEditResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteFileEditResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteFileEditResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteFileEditResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_file(&self, param_ident: String, param_expand: Option<String>, param_hide: Option<String>, context: &Context) -> Box<Future<Item = GetFileResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/file/{ident}?{expand}{hide}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetFileResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::FileEntity>(&buf)?; - -                    Ok(GetFileResponse::FoundEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFileResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFileResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFileResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_file_edit(&self, param_edit_id: String, context: &Context) -> Box<Future<Item = GetFileEditResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/file/edit/{edit_id}", -            self.base_path, -            edit_id = utf8_percent_encode(¶m_edit_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetFileEditResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(GetFileEditResponse::FoundEdit(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFileEditResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFileEditResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFileEditResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_file_history(&self, param_ident: String, param_limit: Option<i64>, context: &Context) -> Box<Future<Item = GetFileHistoryResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_limit = param_limit.map_or_else(String::new, |query| format!("limit={limit}&", limit = query.to_string())); - -        let url = format!( -            "{}/v0/file/{ident}/history?{limit}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            limit = utf8_percent_encode(&query_limit, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetFileHistoryResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<models::EntityHistoryEntry>>(&buf)?; - -                    Ok(GetFileHistoryResponse::FoundEntityHistory(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFileHistoryResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFileHistoryResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFileHistoryResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_file_redirects(&self, param_ident: String, context: &Context) -> Box<Future<Item = GetFileRedirectsResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/file/{ident}/redirects", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetFileRedirectsResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<String>>(&buf)?; - -                    Ok(GetFileRedirectsResponse::FoundEntityRedirects(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFileRedirectsResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFileRedirectsResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFileRedirectsResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_file_revision( -        &self, -        param_rev_id: String, -        param_expand: Option<String>, -        param_hide: Option<String>, -        context: &Context, -    ) -> Box<Future<Item = GetFileRevisionResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/file/rev/{rev_id}?{expand}{hide}", -            self.base_path, -            rev_id = utf8_percent_encode(¶m_rev_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetFileRevisionResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::FileEntity>(&buf)?; - -                    Ok(GetFileRevisionResponse::FoundEntityRevision(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFileRevisionResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFileRevisionResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFileRevisionResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn lookup_file( -        &self, -        param_md5: Option<String>, -        param_sha1: Option<String>, -        param_sha256: Option<String>, -        param_expand: Option<String>, -        param_hide: Option<String>, -        context: &Context, -    ) -> Box<Future<Item = LookupFileResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_md5 = param_md5.map_or_else(String::new, |query| format!("md5={md5}&", md5 = query.to_string())); -        let query_sha1 = param_sha1.map_or_else(String::new, |query| format!("sha1={sha1}&", sha1 = query.to_string())); -        let query_sha256 = param_sha256.map_or_else(String::new, |query| format!("sha256={sha256}&", sha256 = query.to_string())); -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/file/lookup?{md5}{sha1}{sha256}{expand}{hide}", -            self.base_path, -            md5 = utf8_percent_encode(&query_md5, QUERY_ENCODE_SET), -            sha1 = utf8_percent_encode(&query_sha1, QUERY_ENCODE_SET), -            sha256 = utf8_percent_encode(&query_sha256, QUERY_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<LookupFileResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::FileEntity>(&buf)?; - -                    Ok(LookupFileResponse::FoundEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(LookupFileResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(LookupFileResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(LookupFileResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn update_file(&self, param_editgroup_id: String, param_ident: String, param_entity: models::FileEntity, context: &Context) -> Box<Future<Item = UpdateFileResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/file/{ident}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let body = serde_json::to_string(¶m_entity).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Put, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::UPDATE_FILE.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<UpdateFileResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(UpdateFileResponse::UpdatedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateFileResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(UpdateFileResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateFileResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateFileResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateFileResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn create_fileset(&self, param_editgroup_id: String, param_entity: models::FilesetEntity, context: &Context) -> Box<Future<Item = CreateFilesetResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/fileset", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let body = serde_json::to_string(¶m_entity).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Post, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::CREATE_FILESET.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<CreateFilesetResponse, ApiError> { -            match response.status.to_u16() { -                201 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(CreateFilesetResponse::CreatedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateFilesetResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(CreateFilesetResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateFilesetResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateFilesetResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateFilesetResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn create_fileset_auto_batch(&self, param_auto_batch: models::FilesetAutoBatch, context: &Context) -> Box<Future<Item = CreateFilesetAutoBatchResponse, Error = ApiError> + Send> { -        let url = format!("{}/v0/editgroup/auto/fileset/batch", self.base_path); - -        let body = serde_json::to_string(¶m_auto_batch).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Post, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::CREATE_FILESET_AUTO_BATCH.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<CreateFilesetAutoBatchResponse, ApiError> { -            match response.status.to_u16() { -                201 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Editgroup>(&buf)?; - -                    Ok(CreateFilesetAutoBatchResponse::CreatedEditgroup(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateFilesetAutoBatchResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(CreateFilesetAutoBatchResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateFilesetAutoBatchResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateFilesetAutoBatchResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateFilesetAutoBatchResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn delete_fileset(&self, param_editgroup_id: String, param_ident: String, context: &Context) -> Box<Future<Item = DeleteFilesetResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/fileset/{ident}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Delete, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<DeleteFilesetResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(DeleteFilesetResponse::DeletedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteFilesetResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(DeleteFilesetResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteFilesetResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteFilesetResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteFilesetResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn delete_fileset_edit(&self, param_editgroup_id: String, param_edit_id: String, context: &Context) -> Box<Future<Item = DeleteFilesetEditResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/fileset/edit/{edit_id}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            edit_id = utf8_percent_encode(¶m_edit_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Delete, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<DeleteFilesetEditResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Success>(&buf)?; - -                    Ok(DeleteFilesetEditResponse::DeletedEdit(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteFilesetEditResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(DeleteFilesetEditResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteFilesetEditResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteFilesetEditResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteFilesetEditResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_fileset(&self, param_ident: String, param_expand: Option<String>, param_hide: Option<String>, context: &Context) -> Box<Future<Item = GetFilesetResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/fileset/{ident}?{expand}{hide}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetFilesetResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::FilesetEntity>(&buf)?; - -                    Ok(GetFilesetResponse::FoundEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFilesetResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFilesetResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFilesetResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_fileset_edit(&self, param_edit_id: String, context: &Context) -> Box<Future<Item = GetFilesetEditResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/fileset/edit/{edit_id}", -            self.base_path, -            edit_id = utf8_percent_encode(¶m_edit_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetFilesetEditResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(GetFilesetEditResponse::FoundEdit(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFilesetEditResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFilesetEditResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFilesetEditResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_fileset_history(&self, param_ident: String, param_limit: Option<i64>, context: &Context) -> Box<Future<Item = GetFilesetHistoryResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_limit = param_limit.map_or_else(String::new, |query| format!("limit={limit}&", limit = query.to_string())); - -        let url = format!( -            "{}/v0/fileset/{ident}/history?{limit}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            limit = utf8_percent_encode(&query_limit, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetFilesetHistoryResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<models::EntityHistoryEntry>>(&buf)?; - -                    Ok(GetFilesetHistoryResponse::FoundEntityHistory(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFilesetHistoryResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFilesetHistoryResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFilesetHistoryResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_fileset_redirects(&self, param_ident: String, context: &Context) -> Box<Future<Item = GetFilesetRedirectsResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/fileset/{ident}/redirects", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetFilesetRedirectsResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<String>>(&buf)?; - -                    Ok(GetFilesetRedirectsResponse::FoundEntityRedirects(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFilesetRedirectsResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFilesetRedirectsResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFilesetRedirectsResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_fileset_revision( -        &self, -        param_rev_id: String, -        param_expand: Option<String>, -        param_hide: Option<String>, -        context: &Context, -    ) -> Box<Future<Item = GetFilesetRevisionResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/fileset/rev/{rev_id}?{expand}{hide}", -            self.base_path, -            rev_id = utf8_percent_encode(¶m_rev_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetFilesetRevisionResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::FilesetEntity>(&buf)?; - -                    Ok(GetFilesetRevisionResponse::FoundEntityRevision(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFilesetRevisionResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFilesetRevisionResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetFilesetRevisionResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn update_fileset( -        &self, -        param_editgroup_id: String, -        param_ident: String, -        param_entity: models::FilesetEntity, -        context: &Context, -    ) -> Box<Future<Item = UpdateFilesetResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/fileset/{ident}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let body = serde_json::to_string(¶m_entity).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Put, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::UPDATE_FILESET.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<UpdateFilesetResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(UpdateFilesetResponse::UpdatedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateFilesetResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(UpdateFilesetResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateFilesetResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateFilesetResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateFilesetResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn create_release(&self, param_editgroup_id: String, param_entity: models::ReleaseEntity, context: &Context) -> Box<Future<Item = CreateReleaseResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/release", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let body = serde_json::to_string(¶m_entity).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Post, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::CREATE_RELEASE.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<CreateReleaseResponse, ApiError> { -            match response.status.to_u16() { -                201 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(CreateReleaseResponse::CreatedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateReleaseResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(CreateReleaseResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateReleaseResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateReleaseResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateReleaseResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn create_release_auto_batch(&self, param_auto_batch: models::ReleaseAutoBatch, context: &Context) -> Box<Future<Item = CreateReleaseAutoBatchResponse, Error = ApiError> + Send> { -        let url = format!("{}/v0/editgroup/auto/release/batch", self.base_path); - -        let body = serde_json::to_string(¶m_auto_batch).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Post, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::CREATE_RELEASE_AUTO_BATCH.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<CreateReleaseAutoBatchResponse, ApiError> { -            match response.status.to_u16() { -                201 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Editgroup>(&buf)?; - -                    Ok(CreateReleaseAutoBatchResponse::CreatedEditgroup(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateReleaseAutoBatchResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(CreateReleaseAutoBatchResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateReleaseAutoBatchResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateReleaseAutoBatchResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateReleaseAutoBatchResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn create_work(&self, param_editgroup_id: String, param_entity: models::WorkEntity, context: &Context) -> Box<Future<Item = CreateWorkResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/work", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let body = serde_json::to_string(¶m_entity).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Post, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::CREATE_WORK.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<CreateWorkResponse, ApiError> { -            match response.status.to_u16() { -                201 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(CreateWorkResponse::CreatedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateWorkResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(CreateWorkResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateWorkResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateWorkResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateWorkResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn delete_release(&self, param_editgroup_id: String, param_ident: String, context: &Context) -> Box<Future<Item = DeleteReleaseResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/release/{ident}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Delete, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<DeleteReleaseResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(DeleteReleaseResponse::DeletedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteReleaseResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(DeleteReleaseResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteReleaseResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteReleaseResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteReleaseResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn delete_release_edit(&self, param_editgroup_id: String, param_edit_id: String, context: &Context) -> Box<Future<Item = DeleteReleaseEditResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/release/edit/{edit_id}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            edit_id = utf8_percent_encode(¶m_edit_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Delete, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<DeleteReleaseEditResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Success>(&buf)?; - -                    Ok(DeleteReleaseEditResponse::DeletedEdit(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteReleaseEditResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(DeleteReleaseEditResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteReleaseEditResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteReleaseEditResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteReleaseEditResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_release(&self, param_ident: String, param_expand: Option<String>, param_hide: Option<String>, context: &Context) -> Box<Future<Item = GetReleaseResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/release/{ident}?{expand}{hide}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetReleaseResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ReleaseEntity>(&buf)?; - -                    Ok(GetReleaseResponse::FoundEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_release_edit(&self, param_edit_id: String, context: &Context) -> Box<Future<Item = GetReleaseEditResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/release/edit/{edit_id}", -            self.base_path, -            edit_id = utf8_percent_encode(¶m_edit_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetReleaseEditResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(GetReleaseEditResponse::FoundEdit(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseEditResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseEditResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseEditResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_release_files(&self, param_ident: String, param_hide: Option<String>, context: &Context) -> Box<Future<Item = GetReleaseFilesResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/release/{ident}/files?{hide}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetReleaseFilesResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<models::FileEntity>>(&buf)?; - -                    Ok(GetReleaseFilesResponse::Found(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseFilesResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseFilesResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseFilesResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_release_filesets(&self, param_ident: String, param_hide: Option<String>, context: &Context) -> Box<Future<Item = GetReleaseFilesetsResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/release/{ident}/filesets?{hide}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetReleaseFilesetsResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<models::FilesetEntity>>(&buf)?; - -                    Ok(GetReleaseFilesetsResponse::Found(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseFilesetsResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseFilesetsResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseFilesetsResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_release_history(&self, param_ident: String, param_limit: Option<i64>, context: &Context) -> Box<Future<Item = GetReleaseHistoryResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_limit = param_limit.map_or_else(String::new, |query| format!("limit={limit}&", limit = query.to_string())); - -        let url = format!( -            "{}/v0/release/{ident}/history?{limit}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            limit = utf8_percent_encode(&query_limit, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetReleaseHistoryResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<models::EntityHistoryEntry>>(&buf)?; - -                    Ok(GetReleaseHistoryResponse::FoundEntityHistory(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseHistoryResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseHistoryResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseHistoryResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_release_redirects(&self, param_ident: String, context: &Context) -> Box<Future<Item = GetReleaseRedirectsResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/release/{ident}/redirects", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetReleaseRedirectsResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<String>>(&buf)?; - -                    Ok(GetReleaseRedirectsResponse::FoundEntityRedirects(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseRedirectsResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseRedirectsResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseRedirectsResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_release_revision( -        &self, -        param_rev_id: String, -        param_expand: Option<String>, -        param_hide: Option<String>, -        context: &Context, -    ) -> Box<Future<Item = GetReleaseRevisionResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/release/rev/{rev_id}?{expand}{hide}", -            self.base_path, -            rev_id = utf8_percent_encode(¶m_rev_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetReleaseRevisionResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ReleaseEntity>(&buf)?; - -                    Ok(GetReleaseRevisionResponse::FoundEntityRevision(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseRevisionResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseRevisionResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseRevisionResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_release_webcaptures(&self, param_ident: String, param_hide: Option<String>, context: &Context) -> Box<Future<Item = GetReleaseWebcapturesResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/release/{ident}/webcaptures?{hide}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetReleaseWebcapturesResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<models::WebcaptureEntity>>(&buf)?; - -                    Ok(GetReleaseWebcapturesResponse::Found(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseWebcapturesResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseWebcapturesResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetReleaseWebcapturesResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn lookup_release( -        &self, -        param_doi: Option<String>, -        param_wikidata_qid: Option<String>, -        param_isbn13: Option<String>, -        param_pmid: Option<String>, -        param_pmcid: Option<String>, -        param_core: Option<String>, -        param_arxiv: Option<String>, -        param_jstor: Option<String>, -        param_ark: Option<String>, -        param_mag: Option<String>, -        param_expand: Option<String>, -        param_hide: Option<String>, -        context: &Context, -    ) -> Box<Future<Item = LookupReleaseResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_doi = param_doi.map_or_else(String::new, |query| format!("doi={doi}&", doi = query.to_string())); -        let query_wikidata_qid = param_wikidata_qid.map_or_else(String::new, |query| format!("wikidata_qid={wikidata_qid}&", wikidata_qid = query.to_string())); -        let query_isbn13 = param_isbn13.map_or_else(String::new, |query| format!("isbn13={isbn13}&", isbn13 = query.to_string())); -        let query_pmid = param_pmid.map_or_else(String::new, |query| format!("pmid={pmid}&", pmid = query.to_string())); -        let query_pmcid = param_pmcid.map_or_else(String::new, |query| format!("pmcid={pmcid}&", pmcid = query.to_string())); -        let query_core = param_core.map_or_else(String::new, |query| format!("core={core}&", core = query.to_string())); -        let query_arxiv = param_arxiv.map_or_else(String::new, |query| format!("arxiv={arxiv}&", arxiv = query.to_string())); -        let query_jstor = param_jstor.map_or_else(String::new, |query| format!("jstor={jstor}&", jstor = query.to_string())); -        let query_ark = param_ark.map_or_else(String::new, |query| format!("ark={ark}&", ark = query.to_string())); -        let query_mag = param_mag.map_or_else(String::new, |query| format!("mag={mag}&", mag = query.to_string())); -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/release/lookup?{doi}{wikidata_qid}{isbn13}{pmid}{pmcid}{core}{arxiv}{jstor}{ark}{mag}{expand}{hide}", -            self.base_path, -            doi = utf8_percent_encode(&query_doi, QUERY_ENCODE_SET), -            wikidata_qid = utf8_percent_encode(&query_wikidata_qid, QUERY_ENCODE_SET), -            isbn13 = utf8_percent_encode(&query_isbn13, QUERY_ENCODE_SET), -            pmid = utf8_percent_encode(&query_pmid, QUERY_ENCODE_SET), -            pmcid = utf8_percent_encode(&query_pmcid, QUERY_ENCODE_SET), -            core = utf8_percent_encode(&query_core, QUERY_ENCODE_SET), -            arxiv = utf8_percent_encode(&query_arxiv, QUERY_ENCODE_SET), -            jstor = utf8_percent_encode(&query_jstor, QUERY_ENCODE_SET), -            ark = utf8_percent_encode(&query_ark, QUERY_ENCODE_SET), -            mag = utf8_percent_encode(&query_mag, QUERY_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<LookupReleaseResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ReleaseEntity>(&buf)?; - -                    Ok(LookupReleaseResponse::FoundEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(LookupReleaseResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(LookupReleaseResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(LookupReleaseResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn update_release( -        &self, -        param_editgroup_id: String, -        param_ident: String, -        param_entity: models::ReleaseEntity, -        context: &Context, -    ) -> Box<Future<Item = UpdateReleaseResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/release/{ident}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let body = serde_json::to_string(¶m_entity).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Put, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::UPDATE_RELEASE.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<UpdateReleaseResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(UpdateReleaseResponse::UpdatedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateReleaseResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(UpdateReleaseResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateReleaseResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateReleaseResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateReleaseResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn create_webcapture(&self, param_editgroup_id: String, param_entity: models::WebcaptureEntity, context: &Context) -> Box<Future<Item = CreateWebcaptureResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/webcapture", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let body = serde_json::to_string(¶m_entity).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Post, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::CREATE_WEBCAPTURE.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<CreateWebcaptureResponse, ApiError> { -            match response.status.to_u16() { -                201 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(CreateWebcaptureResponse::CreatedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateWebcaptureResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(CreateWebcaptureResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateWebcaptureResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateWebcaptureResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateWebcaptureResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn create_webcapture_auto_batch(&self, param_auto_batch: models::WebcaptureAutoBatch, context: &Context) -> Box<Future<Item = CreateWebcaptureAutoBatchResponse, Error = ApiError> + Send> { -        let url = format!("{}/v0/editgroup/auto/webcapture/batch", self.base_path); - -        let body = serde_json::to_string(¶m_auto_batch).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Post, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::CREATE_WEBCAPTURE_AUTO_BATCH.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<CreateWebcaptureAutoBatchResponse, ApiError> { -            match response.status.to_u16() { -                201 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Editgroup>(&buf)?; - -                    Ok(CreateWebcaptureAutoBatchResponse::CreatedEditgroup(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateWebcaptureAutoBatchResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(CreateWebcaptureAutoBatchResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateWebcaptureAutoBatchResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateWebcaptureAutoBatchResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateWebcaptureAutoBatchResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn delete_webcapture(&self, param_editgroup_id: String, param_ident: String, context: &Context) -> Box<Future<Item = DeleteWebcaptureResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/webcapture/{ident}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Delete, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<DeleteWebcaptureResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(DeleteWebcaptureResponse::DeletedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteWebcaptureResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(DeleteWebcaptureResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteWebcaptureResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteWebcaptureResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteWebcaptureResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn delete_webcapture_edit(&self, param_editgroup_id: String, param_edit_id: String, context: &Context) -> Box<Future<Item = DeleteWebcaptureEditResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/webcapture/edit/{edit_id}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            edit_id = utf8_percent_encode(¶m_edit_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Delete, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<DeleteWebcaptureEditResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Success>(&buf)?; - -                    Ok(DeleteWebcaptureEditResponse::DeletedEdit(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteWebcaptureEditResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(DeleteWebcaptureEditResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteWebcaptureEditResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteWebcaptureEditResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteWebcaptureEditResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_webcapture(&self, param_ident: String, param_expand: Option<String>, param_hide: Option<String>, context: &Context) -> Box<Future<Item = GetWebcaptureResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/webcapture/{ident}?{expand}{hide}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetWebcaptureResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::WebcaptureEntity>(&buf)?; - -                    Ok(GetWebcaptureResponse::FoundEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWebcaptureResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWebcaptureResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWebcaptureResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_webcapture_edit(&self, param_edit_id: String, context: &Context) -> Box<Future<Item = GetWebcaptureEditResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/webcapture/edit/{edit_id}", -            self.base_path, -            edit_id = utf8_percent_encode(¶m_edit_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetWebcaptureEditResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(GetWebcaptureEditResponse::FoundEdit(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWebcaptureEditResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWebcaptureEditResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWebcaptureEditResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_webcapture_history(&self, param_ident: String, param_limit: Option<i64>, context: &Context) -> Box<Future<Item = GetWebcaptureHistoryResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_limit = param_limit.map_or_else(String::new, |query| format!("limit={limit}&", limit = query.to_string())); - -        let url = format!( -            "{}/v0/webcapture/{ident}/history?{limit}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            limit = utf8_percent_encode(&query_limit, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetWebcaptureHistoryResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<models::EntityHistoryEntry>>(&buf)?; - -                    Ok(GetWebcaptureHistoryResponse::FoundEntityHistory(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWebcaptureHistoryResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWebcaptureHistoryResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWebcaptureHistoryResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_webcapture_redirects(&self, param_ident: String, context: &Context) -> Box<Future<Item = GetWebcaptureRedirectsResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/webcapture/{ident}/redirects", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetWebcaptureRedirectsResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<String>>(&buf)?; - -                    Ok(GetWebcaptureRedirectsResponse::FoundEntityRedirects(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWebcaptureRedirectsResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWebcaptureRedirectsResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWebcaptureRedirectsResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_webcapture_revision( -        &self, -        param_rev_id: String, -        param_expand: Option<String>, -        param_hide: Option<String>, -        context: &Context, -    ) -> Box<Future<Item = GetWebcaptureRevisionResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/webcapture/rev/{rev_id}?{expand}{hide}", -            self.base_path, -            rev_id = utf8_percent_encode(¶m_rev_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetWebcaptureRevisionResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::WebcaptureEntity>(&buf)?; - -                    Ok(GetWebcaptureRevisionResponse::FoundEntityRevision(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWebcaptureRevisionResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWebcaptureRevisionResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWebcaptureRevisionResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn update_webcapture( -        &self, -        param_editgroup_id: String, -        param_ident: String, -        param_entity: models::WebcaptureEntity, -        context: &Context, -    ) -> Box<Future<Item = UpdateWebcaptureResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/webcapture/{ident}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let body = serde_json::to_string(¶m_entity).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Put, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::UPDATE_WEBCAPTURE.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<UpdateWebcaptureResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(UpdateWebcaptureResponse::UpdatedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateWebcaptureResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(UpdateWebcaptureResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateWebcaptureResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateWebcaptureResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateWebcaptureResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn create_work_auto_batch(&self, param_auto_batch: models::WorkAutoBatch, context: &Context) -> Box<Future<Item = CreateWorkAutoBatchResponse, Error = ApiError> + Send> { -        let url = format!("{}/v0/editgroup/auto/work/batch", self.base_path); - -        let body = serde_json::to_string(¶m_auto_batch).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Post, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::CREATE_WORK_AUTO_BATCH.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<CreateWorkAutoBatchResponse, ApiError> { -            match response.status.to_u16() { -                201 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Editgroup>(&buf)?; - -                    Ok(CreateWorkAutoBatchResponse::CreatedEditgroup(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateWorkAutoBatchResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(CreateWorkAutoBatchResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateWorkAutoBatchResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateWorkAutoBatchResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(CreateWorkAutoBatchResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn delete_work(&self, param_editgroup_id: String, param_ident: String, context: &Context) -> Box<Future<Item = DeleteWorkResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/work/{ident}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Delete, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<DeleteWorkResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(DeleteWorkResponse::DeletedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteWorkResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(DeleteWorkResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteWorkResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteWorkResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteWorkResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn delete_work_edit(&self, param_editgroup_id: String, param_edit_id: String, context: &Context) -> Box<Future<Item = DeleteWorkEditResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/work/edit/{edit_id}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            edit_id = utf8_percent_encode(¶m_edit_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Delete, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<DeleteWorkEditResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::Success>(&buf)?; - -                    Ok(DeleteWorkEditResponse::DeletedEdit(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteWorkEditResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(DeleteWorkEditResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteWorkEditResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteWorkEditResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(DeleteWorkEditResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_work(&self, param_ident: String, param_expand: Option<String>, param_hide: Option<String>, context: &Context) -> Box<Future<Item = GetWorkResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/work/{ident}?{expand}{hide}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetWorkResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::WorkEntity>(&buf)?; - -                    Ok(GetWorkResponse::FoundEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWorkResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWorkResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWorkResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_work_edit(&self, param_edit_id: String, context: &Context) -> Box<Future<Item = GetWorkEditResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/work/edit/{edit_id}", -            self.base_path, -            edit_id = utf8_percent_encode(¶m_edit_id.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetWorkEditResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(GetWorkEditResponse::FoundEdit(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWorkEditResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWorkEditResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWorkEditResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_work_history(&self, param_ident: String, param_limit: Option<i64>, context: &Context) -> Box<Future<Item = GetWorkHistoryResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_limit = param_limit.map_or_else(String::new, |query| format!("limit={limit}&", limit = query.to_string())); - -        let url = format!( -            "{}/v0/work/{ident}/history?{limit}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            limit = utf8_percent_encode(&query_limit, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetWorkHistoryResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<models::EntityHistoryEntry>>(&buf)?; - -                    Ok(GetWorkHistoryResponse::FoundEntityHistory(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWorkHistoryResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWorkHistoryResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWorkHistoryResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_work_redirects(&self, param_ident: String, context: &Context) -> Box<Future<Item = GetWorkRedirectsResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/work/{ident}/redirects", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetWorkRedirectsResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<String>>(&buf)?; - -                    Ok(GetWorkRedirectsResponse::FoundEntityRedirects(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWorkRedirectsResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWorkRedirectsResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWorkRedirectsResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_work_releases(&self, param_ident: String, param_hide: Option<String>, context: &Context) -> Box<Future<Item = GetWorkReleasesResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/work/{ident}/releases?{hide}", -            self.base_path, -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetWorkReleasesResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<Vec<models::ReleaseEntity>>(&buf)?; - -                    Ok(GetWorkReleasesResponse::Found(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWorkReleasesResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWorkReleasesResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWorkReleasesResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn get_work_revision( -        &self, -        param_rev_id: String, -        param_expand: Option<String>, -        param_hide: Option<String>, -        context: &Context, -    ) -> Box<Future<Item = GetWorkRevisionResponse, Error = ApiError> + Send> { -        // Query parameters -        let query_expand = param_expand.map_or_else(String::new, |query| format!("expand={expand}&", expand = query.to_string())); -        let query_hide = param_hide.map_or_else(String::new, |query| format!("hide={hide}&", hide = query.to_string())); - -        let url = format!( -            "{}/v0/work/rev/{rev_id}?{expand}{hide}", -            self.base_path, -            rev_id = utf8_percent_encode(¶m_rev_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            expand = utf8_percent_encode(&query_expand, QUERY_ENCODE_SET), -            hide = utf8_percent_encode(&query_hide, QUERY_ENCODE_SET) -        ); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Get, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<GetWorkRevisionResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::WorkEntity>(&buf)?; - -                    Ok(GetWorkRevisionResponse::FoundEntityRevision(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWorkRevisionResponse::BadRequest(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWorkRevisionResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(GetWorkRevisionResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } - -    fn update_work(&self, param_editgroup_id: String, param_ident: String, param_entity: models::WorkEntity, context: &Context) -> Box<Future<Item = UpdateWorkResponse, Error = ApiError> + Send> { -        let url = format!( -            "{}/v0/editgroup/{editgroup_id}/work/{ident}", -            self.base_path, -            editgroup_id = utf8_percent_encode(¶m_editgroup_id.to_string(), PATH_SEGMENT_ENCODE_SET), -            ident = utf8_percent_encode(¶m_ident.to_string(), PATH_SEGMENT_ENCODE_SET) -        ); - -        let body = serde_json::to_string(¶m_entity).expect("impossible to fail to serialize"); - -        let hyper_client = (self.hyper_client)(); -        let request = hyper_client.request(hyper::method::Method::Put, &url); -        let mut custom_headers = hyper::header::Headers::new(); - -        let request = request.body(&body); - -        custom_headers.set(ContentType(mimetypes::requests::UPDATE_WORK.clone())); -        context.x_span_id.as_ref().map(|header| custom_headers.set(XSpanId(header.clone()))); - -        let request = request.headers(custom_headers); - -        // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -        fn parse_response(mut response: hyper::client::response::Response) -> Result<UpdateWorkResponse, ApiError> { -            match response.status.to_u16() { -                200 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::EntityEdit>(&buf)?; - -                    Ok(UpdateWorkResponse::UpdatedEntity(body)) -                } -                400 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateWorkResponse::BadRequest(body)) -                } -                401 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; -                    header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                    let response_www_authenticate = response -                        .headers -                        .get::<ResponseWwwAuthenticate>() -                        .ok_or_else(|| "Required response header WWW_Authenticate for response 401 was not found.")?; - -                    Ok(UpdateWorkResponse::NotAuthorized { -                        body: body, -                        www_authenticate: response_www_authenticate.0.clone(), -                    }) -                } -                403 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateWorkResponse::Forbidden(body)) -                } -                404 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateWorkResponse::NotFound(body)) -                } -                500 => { -                    let mut buf = String::new(); -                    response.read_to_string(&mut buf).map_err(|e| ApiError(format!("Response was not valid UTF8: {}", e)))?; -                    let body = serde_json::from_str::<models::ErrorResponse>(&buf)?; - -                    Ok(UpdateWorkResponse::GenericError(body)) -                } -                code => { -                    let mut buf = [0; 100]; -                    let debug_body = match response.read(&mut buf) { -                        Ok(len) => match str::from_utf8(&buf[..len]) { -                            Ok(body) => Cow::from(body), -                            Err(_) => Cow::from(format!("<Body was not UTF8: {:?}>", &buf[..len].to_vec())), -                        }, -                        Err(e) => Cow::from(format!("<Failed to read body: {}>", e)), -                    }; -                    Err(ApiError(format!("Unexpected response code {}:\n{:?}\n\n{}", code, response.headers, debug_body))) -                } -            } -        } - -        let result = request.send().map_err(|e| ApiError(format!("No response received: {}", e))).and_then(parse_response); -        Box::new(futures::done(result)) -    } -} - -#[derive(Debug)] -pub enum ClientInitError { -    InvalidScheme, -    InvalidUrl(hyper::error::ParseError), -    MissingHost, -    SslError(openssl::error::ErrorStack), -} - -impl From<hyper::error::ParseError> for ClientInitError { -    fn from(err: hyper::error::ParseError) -> ClientInitError { -        ClientInitError::InvalidUrl(err) -    } -} - -impl From<openssl::error::ErrorStack> for ClientInitError { -    fn from(err: openssl::error::ErrorStack) -> ClientInitError { -        ClientInitError::SslError(err) -    } -} - -impl fmt::Display for ClientInitError { -    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { -        (self as &fmt::Debug).fmt(f) -    } -} - -impl error::Error for ClientInitError { -    fn description(&self) -> &str { -        "Failed to produce a hyper client." -    } -} diff --git a/rust/fatcat-api-spec/src/lib.rs b/rust/fatcat-api-spec/src/lib.rs deleted file mode 100644 index b19b5793..00000000 --- a/rust/fatcat-api-spec/src/lib.rs +++ /dev/null @@ -1,2282 +0,0 @@ -#![allow(missing_docs, trivial_casts, unused_variables, unused_mut, unused_imports, unused_extern_crates, non_camel_case_types)] -extern crate serde; -#[macro_use] -extern crate serde_derive; -extern crate serde_json; - -extern crate chrono; -extern crate futures; - -#[macro_use] -extern crate lazy_static; -#[macro_use] -extern crate log; - -// Logically this should be in the client and server modules, but rust doesn't allow `macro_use` from a module. -#[cfg(any(feature = "client", feature = "server"))] -#[macro_use] -extern crate hyper; - -extern crate swagger; - -use futures::Stream; -use std::io::Error; - -#[allow(unused_imports)] -use std::collections::HashMap; - -pub use futures::Future; - -#[cfg(any(feature = "client", feature = "server"))] -mod mimetypes; - -pub use swagger::{ApiError, Context, ContextWrapper}; - -#[derive(Debug, PartialEq)] -pub enum CreateContainerResponse { -    /// Created Entity -    CreatedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum CreateContainerAutoBatchResponse { -    /// Created Editgroup -    CreatedEditgroup(models::Editgroup), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum DeleteContainerResponse { -    /// Deleted Entity -    DeletedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum DeleteContainerEditResponse { -    /// Deleted Edit -    DeletedEdit(models::Success), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetContainerResponse { -    /// Found Entity -    FoundEntity(models::ContainerEntity), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetContainerEditResponse { -    /// Found Edit -    FoundEdit(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetContainerHistoryResponse { -    /// Found Entity History -    FoundEntityHistory(Vec<models::EntityHistoryEntry>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetContainerRedirectsResponse { -    /// Found Entity Redirects -    FoundEntityRedirects(Vec<String>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetContainerRevisionResponse { -    /// Found Entity Revision -    FoundEntityRevision(models::ContainerEntity), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum LookupContainerResponse { -    /// Found Entity -    FoundEntity(models::ContainerEntity), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum UpdateContainerResponse { -    /// Updated Entity -    UpdatedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum CreateCreatorResponse { -    /// Created Entity -    CreatedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum CreateCreatorAutoBatchResponse { -    /// Created Editgroup -    CreatedEditgroup(models::Editgroup), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum DeleteCreatorResponse { -    /// Deleted Entity -    DeletedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum DeleteCreatorEditResponse { -    /// Deleted Edit -    DeletedEdit(models::Success), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetCreatorResponse { -    /// Found Entity -    FoundEntity(models::CreatorEntity), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetCreatorEditResponse { -    /// Found Edit -    FoundEdit(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetCreatorHistoryResponse { -    /// Found Entity History -    FoundEntityHistory(Vec<models::EntityHistoryEntry>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetCreatorRedirectsResponse { -    /// Found Entity Redirects -    FoundEntityRedirects(Vec<String>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetCreatorReleasesResponse { -    /// Found -    Found(Vec<models::ReleaseEntity>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetCreatorRevisionResponse { -    /// Found Entity Revision -    FoundEntityRevision(models::CreatorEntity), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum LookupCreatorResponse { -    /// Found Entity -    FoundEntity(models::CreatorEntity), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum UpdateCreatorResponse { -    /// Updated Entity -    UpdatedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum AuthCheckResponse { -    /// Success -    Success(models::Success), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum AuthOidcResponse { -    /// Found -    Found(models::AuthOidcResult), -    /// Created -    Created(models::AuthOidcResult), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Conflict -    Conflict(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetEditgroupsReviewableResponse { -    /// Found -    Found(Vec<models::Editgroup>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetEditorResponse { -    /// Found -    Found(models::Editor), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetEditorEditgroupsResponse { -    /// Found -    Found(Vec<models::Editgroup>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum UpdateEditgroupResponse { -    /// Updated Editgroup -    UpdatedEditgroup(models::Editgroup), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum UpdateEditorResponse { -    /// Updated Editor -    UpdatedEditor(models::Editor), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum AcceptEditgroupResponse { -    /// Merged Successfully -    MergedSuccessfully(models::Success), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Edit Conflict -    EditConflict(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum CreateEditgroupResponse { -    /// Successfully Created -    SuccessfullyCreated(models::Editgroup), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum CreateEditgroupAnnotationResponse { -    /// Created -    Created(models::EditgroupAnnotation), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetChangelogResponse { -    /// Success -    Success(Vec<models::ChangelogEntry>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetChangelogEntryResponse { -    /// Found Changelog Entry -    FoundChangelogEntry(models::ChangelogEntry), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetEditgroupResponse { -    /// Found -    Found(models::Editgroup), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetEditgroupAnnotationsResponse { -    /// Success -    Success(Vec<models::EditgroupAnnotation>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetEditorAnnotationsResponse { -    /// Success -    Success(Vec<models::EditgroupAnnotation>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum CreateFileResponse { -    /// Created Entity -    CreatedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum CreateFileAutoBatchResponse { -    /// Created Editgroup -    CreatedEditgroup(models::Editgroup), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum DeleteFileResponse { -    /// Deleted Entity -    DeletedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum DeleteFileEditResponse { -    /// Deleted Edit -    DeletedEdit(models::Success), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetFileResponse { -    /// Found Entity -    FoundEntity(models::FileEntity), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetFileEditResponse { -    /// Found Edit -    FoundEdit(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetFileHistoryResponse { -    /// Found Entity History -    FoundEntityHistory(Vec<models::EntityHistoryEntry>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetFileRedirectsResponse { -    /// Found Entity Redirects -    FoundEntityRedirects(Vec<String>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetFileRevisionResponse { -    /// Found Entity Revision -    FoundEntityRevision(models::FileEntity), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum LookupFileResponse { -    /// Found Entity -    FoundEntity(models::FileEntity), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum UpdateFileResponse { -    /// Updated Entity -    UpdatedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum CreateFilesetResponse { -    /// Created Entity -    CreatedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum CreateFilesetAutoBatchResponse { -    /// Created Editgroup -    CreatedEditgroup(models::Editgroup), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum DeleteFilesetResponse { -    /// Deleted Entity -    DeletedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum DeleteFilesetEditResponse { -    /// Deleted Edit -    DeletedEdit(models::Success), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetFilesetResponse { -    /// Found Entity -    FoundEntity(models::FilesetEntity), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetFilesetEditResponse { -    /// Found Edit -    FoundEdit(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetFilesetHistoryResponse { -    /// Found Entity History -    FoundEntityHistory(Vec<models::EntityHistoryEntry>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetFilesetRedirectsResponse { -    /// Found Entity Redirects -    FoundEntityRedirects(Vec<String>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetFilesetRevisionResponse { -    /// Found Entity Revision -    FoundEntityRevision(models::FilesetEntity), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum UpdateFilesetResponse { -    /// Updated Entity -    UpdatedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum CreateReleaseResponse { -    /// Created Entity -    CreatedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum CreateReleaseAutoBatchResponse { -    /// Created Editgroup -    CreatedEditgroup(models::Editgroup), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum CreateWorkResponse { -    /// Created Entity -    CreatedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum DeleteReleaseResponse { -    /// Deleted Entity -    DeletedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum DeleteReleaseEditResponse { -    /// Deleted Edit -    DeletedEdit(models::Success), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetReleaseResponse { -    /// Found Entity -    FoundEntity(models::ReleaseEntity), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetReleaseEditResponse { -    /// Found Edit -    FoundEdit(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetReleaseFilesResponse { -    /// Found -    Found(Vec<models::FileEntity>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetReleaseFilesetsResponse { -    /// Found -    Found(Vec<models::FilesetEntity>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetReleaseHistoryResponse { -    /// Found Entity History -    FoundEntityHistory(Vec<models::EntityHistoryEntry>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetReleaseRedirectsResponse { -    /// Found Entity Redirects -    FoundEntityRedirects(Vec<String>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetReleaseRevisionResponse { -    /// Found Entity Revision -    FoundEntityRevision(models::ReleaseEntity), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetReleaseWebcapturesResponse { -    /// Found -    Found(Vec<models::WebcaptureEntity>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum LookupReleaseResponse { -    /// Found Entity -    FoundEntity(models::ReleaseEntity), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum UpdateReleaseResponse { -    /// Updated Entity -    UpdatedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum CreateWebcaptureResponse { -    /// Created Entity -    CreatedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum CreateWebcaptureAutoBatchResponse { -    /// Created Editgroup -    CreatedEditgroup(models::Editgroup), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum DeleteWebcaptureResponse { -    /// Deleted Entity -    DeletedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum DeleteWebcaptureEditResponse { -    /// Deleted Edit -    DeletedEdit(models::Success), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetWebcaptureResponse { -    /// Found Entity -    FoundEntity(models::WebcaptureEntity), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetWebcaptureEditResponse { -    /// Found Edit -    FoundEdit(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetWebcaptureHistoryResponse { -    /// Found Entity History -    FoundEntityHistory(Vec<models::EntityHistoryEntry>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetWebcaptureRedirectsResponse { -    /// Found Entity Redirects -    FoundEntityRedirects(Vec<String>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetWebcaptureRevisionResponse { -    /// Found Entity Revision -    FoundEntityRevision(models::WebcaptureEntity), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum UpdateWebcaptureResponse { -    /// Updated Entity -    UpdatedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum CreateWorkAutoBatchResponse { -    /// Created Editgroup -    CreatedEditgroup(models::Editgroup), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum DeleteWorkResponse { -    /// Deleted Entity -    DeletedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum DeleteWorkEditResponse { -    /// Deleted Edit -    DeletedEdit(models::Success), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetWorkResponse { -    /// Found Entity -    FoundEntity(models::WorkEntity), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetWorkEditResponse { -    /// Found Edit -    FoundEdit(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetWorkHistoryResponse { -    /// Found Entity History -    FoundEntityHistory(Vec<models::EntityHistoryEntry>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetWorkRedirectsResponse { -    /// Found Entity Redirects -    FoundEntityRedirects(Vec<String>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetWorkReleasesResponse { -    /// Found -    Found(Vec<models::ReleaseEntity>), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum GetWorkRevisionResponse { -    /// Found Entity Revision -    FoundEntityRevision(models::WorkEntity), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -#[derive(Debug, PartialEq)] -pub enum UpdateWorkResponse { -    /// Updated Entity -    UpdatedEntity(models::EntityEdit), -    /// Bad Request -    BadRequest(models::ErrorResponse), -    /// Not Authorized -    NotAuthorized { body: models::ErrorResponse, www_authenticate: String }, -    /// Forbidden -    Forbidden(models::ErrorResponse), -    /// Not Found -    NotFound(models::ErrorResponse), -    /// Generic Error -    GenericError(models::ErrorResponse), -} - -/// API -pub trait Api { -    fn create_container(&self, editgroup_id: String, entity: models::ContainerEntity, context: &Context) -> Box<Future<Item = CreateContainerResponse, Error = ApiError> + Send>; - -    fn create_container_auto_batch(&self, auto_batch: models::ContainerAutoBatch, context: &Context) -> Box<Future<Item = CreateContainerAutoBatchResponse, Error = ApiError> + Send>; - -    fn delete_container(&self, editgroup_id: String, ident: String, context: &Context) -> Box<Future<Item = DeleteContainerResponse, Error = ApiError> + Send>; - -    fn delete_container_edit(&self, editgroup_id: String, edit_id: String, context: &Context) -> Box<Future<Item = DeleteContainerEditResponse, Error = ApiError> + Send>; - -    fn get_container(&self, ident: String, expand: Option<String>, hide: Option<String>, context: &Context) -> Box<Future<Item = GetContainerResponse, Error = ApiError> + Send>; - -    fn get_container_edit(&self, edit_id: String, context: &Context) -> Box<Future<Item = GetContainerEditResponse, Error = ApiError> + Send>; - -    fn get_container_history(&self, ident: String, limit: Option<i64>, context: &Context) -> Box<Future<Item = GetContainerHistoryResponse, Error = ApiError> + Send>; - -    fn get_container_redirects(&self, ident: String, context: &Context) -> Box<Future<Item = GetContainerRedirectsResponse, Error = ApiError> + Send>; - -    fn get_container_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>, context: &Context) -> Box<Future<Item = GetContainerRevisionResponse, Error = ApiError> + Send>; - -    fn lookup_container( -        &self, -        issnl: Option<String>, -        wikidata_qid: Option<String>, -        expand: Option<String>, -        hide: Option<String>, -        context: &Context, -    ) -> Box<Future<Item = LookupContainerResponse, Error = ApiError> + Send>; - -    fn update_container(&self, editgroup_id: String, ident: String, entity: models::ContainerEntity, context: &Context) -> Box<Future<Item = UpdateContainerResponse, Error = ApiError> + Send>; - -    fn create_creator(&self, editgroup_id: String, entity: models::CreatorEntity, context: &Context) -> Box<Future<Item = CreateCreatorResponse, Error = ApiError> + Send>; - -    fn create_creator_auto_batch(&self, auto_batch: models::CreatorAutoBatch, context: &Context) -> Box<Future<Item = CreateCreatorAutoBatchResponse, Error = ApiError> + Send>; - -    fn delete_creator(&self, editgroup_id: String, ident: String, context: &Context) -> Box<Future<Item = DeleteCreatorResponse, Error = ApiError> + Send>; - -    fn delete_creator_edit(&self, editgroup_id: String, edit_id: String, context: &Context) -> Box<Future<Item = DeleteCreatorEditResponse, Error = ApiError> + Send>; - -    fn get_creator(&self, ident: String, expand: Option<String>, hide: Option<String>, context: &Context) -> Box<Future<Item = GetCreatorResponse, Error = ApiError> + Send>; - -    fn get_creator_edit(&self, edit_id: String, context: &Context) -> Box<Future<Item = GetCreatorEditResponse, Error = ApiError> + Send>; - -    fn get_creator_history(&self, ident: String, limit: Option<i64>, context: &Context) -> Box<Future<Item = GetCreatorHistoryResponse, Error = ApiError> + Send>; - -    fn get_creator_redirects(&self, ident: String, context: &Context) -> Box<Future<Item = GetCreatorRedirectsResponse, Error = ApiError> + Send>; - -    fn get_creator_releases(&self, ident: String, hide: Option<String>, context: &Context) -> Box<Future<Item = GetCreatorReleasesResponse, Error = ApiError> + Send>; - -    fn get_creator_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>, context: &Context) -> Box<Future<Item = GetCreatorRevisionResponse, Error = ApiError> + Send>; - -    fn lookup_creator( -        &self, -        orcid: Option<String>, -        wikidata_qid: Option<String>, -        expand: Option<String>, -        hide: Option<String>, -        context: &Context, -    ) -> Box<Future<Item = LookupCreatorResponse, Error = ApiError> + Send>; - -    fn update_creator(&self, editgroup_id: String, ident: String, entity: models::CreatorEntity, context: &Context) -> Box<Future<Item = UpdateCreatorResponse, Error = ApiError> + Send>; - -    fn auth_check(&self, role: Option<String>, context: &Context) -> Box<Future<Item = AuthCheckResponse, Error = ApiError> + Send>; - -    fn auth_oidc(&self, oidc_params: models::AuthOidc, context: &Context) -> Box<Future<Item = AuthOidcResponse, Error = ApiError> + Send>; - -    fn get_editgroups_reviewable( -        &self, -        expand: Option<String>, -        limit: Option<i64>, -        before: Option<chrono::DateTime<chrono::Utc>>, -        since: Option<chrono::DateTime<chrono::Utc>>, -        context: &Context, -    ) -> Box<Future<Item = GetEditgroupsReviewableResponse, Error = ApiError> + Send>; - -    fn get_editor(&self, editor_id: String, context: &Context) -> Box<Future<Item = GetEditorResponse, Error = ApiError> + Send>; - -    fn get_editor_editgroups( -        &self, -        editor_id: String, -        limit: Option<i64>, -        before: Option<chrono::DateTime<chrono::Utc>>, -        since: Option<chrono::DateTime<chrono::Utc>>, -        context: &Context, -    ) -> Box<Future<Item = GetEditorEditgroupsResponse, Error = ApiError> + Send>; - -    fn update_editgroup(&self, editgroup_id: String, editgroup: models::Editgroup, submit: Option<bool>, context: &Context) -> Box<Future<Item = UpdateEditgroupResponse, Error = ApiError> + Send>; - -    fn update_editor(&self, editor_id: String, editor: models::Editor, context: &Context) -> Box<Future<Item = UpdateEditorResponse, Error = ApiError> + Send>; - -    fn accept_editgroup(&self, editgroup_id: String, context: &Context) -> Box<Future<Item = AcceptEditgroupResponse, Error = ApiError> + Send>; - -    fn create_editgroup(&self, editgroup: models::Editgroup, context: &Context) -> Box<Future<Item = CreateEditgroupResponse, Error = ApiError> + Send>; - -    fn create_editgroup_annotation( -        &self, -        editgroup_id: String, -        annotation: models::EditgroupAnnotation, -        context: &Context, -    ) -> Box<Future<Item = CreateEditgroupAnnotationResponse, Error = ApiError> + Send>; - -    fn get_changelog(&self, limit: Option<i64>, context: &Context) -> Box<Future<Item = GetChangelogResponse, Error = ApiError> + Send>; - -    fn get_changelog_entry(&self, index: i64, context: &Context) -> Box<Future<Item = GetChangelogEntryResponse, Error = ApiError> + Send>; - -    fn get_editgroup(&self, editgroup_id: String, context: &Context) -> Box<Future<Item = GetEditgroupResponse, Error = ApiError> + Send>; - -    fn get_editgroup_annotations(&self, editgroup_id: String, expand: Option<String>, context: &Context) -> Box<Future<Item = GetEditgroupAnnotationsResponse, Error = ApiError> + Send>; - -    fn get_editor_annotations( -        &self, -        editor_id: String, -        limit: Option<i64>, -        before: Option<chrono::DateTime<chrono::Utc>>, -        since: Option<chrono::DateTime<chrono::Utc>>, -        context: &Context, -    ) -> Box<Future<Item = GetEditorAnnotationsResponse, Error = ApiError> + Send>; - -    fn create_file(&self, editgroup_id: String, entity: models::FileEntity, context: &Context) -> Box<Future<Item = CreateFileResponse, Error = ApiError> + Send>; - -    fn create_file_auto_batch(&self, auto_batch: models::FileAutoBatch, context: &Context) -> Box<Future<Item = CreateFileAutoBatchResponse, Error = ApiError> + Send>; - -    fn delete_file(&self, editgroup_id: String, ident: String, context: &Context) -> Box<Future<Item = DeleteFileResponse, Error = ApiError> + Send>; - -    fn delete_file_edit(&self, editgroup_id: String, edit_id: String, context: &Context) -> Box<Future<Item = DeleteFileEditResponse, Error = ApiError> + Send>; - -    fn get_file(&self, ident: String, expand: Option<String>, hide: Option<String>, context: &Context) -> Box<Future<Item = GetFileResponse, Error = ApiError> + Send>; - -    fn get_file_edit(&self, edit_id: String, context: &Context) -> Box<Future<Item = GetFileEditResponse, Error = ApiError> + Send>; - -    fn get_file_history(&self, ident: String, limit: Option<i64>, context: &Context) -> Box<Future<Item = GetFileHistoryResponse, Error = ApiError> + Send>; - -    fn get_file_redirects(&self, ident: String, context: &Context) -> Box<Future<Item = GetFileRedirectsResponse, Error = ApiError> + Send>; - -    fn get_file_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>, context: &Context) -> Box<Future<Item = GetFileRevisionResponse, Error = ApiError> + Send>; - -    fn lookup_file( -        &self, -        md5: Option<String>, -        sha1: Option<String>, -        sha256: Option<String>, -        expand: Option<String>, -        hide: Option<String>, -        context: &Context, -    ) -> Box<Future<Item = LookupFileResponse, Error = ApiError> + Send>; - -    fn update_file(&self, editgroup_id: String, ident: String, entity: models::FileEntity, context: &Context) -> Box<Future<Item = UpdateFileResponse, Error = ApiError> + Send>; - -    fn create_fileset(&self, editgroup_id: String, entity: models::FilesetEntity, context: &Context) -> Box<Future<Item = CreateFilesetResponse, Error = ApiError> + Send>; - -    fn create_fileset_auto_batch(&self, auto_batch: models::FilesetAutoBatch, context: &Context) -> Box<Future<Item = CreateFilesetAutoBatchResponse, Error = ApiError> + Send>; - -    fn delete_fileset(&self, editgroup_id: String, ident: String, context: &Context) -> Box<Future<Item = DeleteFilesetResponse, Error = ApiError> + Send>; - -    fn delete_fileset_edit(&self, editgroup_id: String, edit_id: String, context: &Context) -> Box<Future<Item = DeleteFilesetEditResponse, Error = ApiError> + Send>; - -    fn get_fileset(&self, ident: String, expand: Option<String>, hide: Option<String>, context: &Context) -> Box<Future<Item = GetFilesetResponse, Error = ApiError> + Send>; - -    fn get_fileset_edit(&self, edit_id: String, context: &Context) -> Box<Future<Item = GetFilesetEditResponse, Error = ApiError> + Send>; - -    fn get_fileset_history(&self, ident: String, limit: Option<i64>, context: &Context) -> Box<Future<Item = GetFilesetHistoryResponse, Error = ApiError> + Send>; - -    fn get_fileset_redirects(&self, ident: String, context: &Context) -> Box<Future<Item = GetFilesetRedirectsResponse, Error = ApiError> + Send>; - -    fn get_fileset_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>, context: &Context) -> Box<Future<Item = GetFilesetRevisionResponse, Error = ApiError> + Send>; - -    fn update_fileset(&self, editgroup_id: String, ident: String, entity: models::FilesetEntity, context: &Context) -> Box<Future<Item = UpdateFilesetResponse, Error = ApiError> + Send>; - -    fn create_release(&self, editgroup_id: String, entity: models::ReleaseEntity, context: &Context) -> Box<Future<Item = CreateReleaseResponse, Error = ApiError> + Send>; - -    fn create_release_auto_batch(&self, auto_batch: models::ReleaseAutoBatch, context: &Context) -> Box<Future<Item = CreateReleaseAutoBatchResponse, Error = ApiError> + Send>; - -    fn create_work(&self, editgroup_id: String, entity: models::WorkEntity, context: &Context) -> Box<Future<Item = CreateWorkResponse, Error = ApiError> + Send>; - -    fn delete_release(&self, editgroup_id: String, ident: String, context: &Context) -> Box<Future<Item = DeleteReleaseResponse, Error = ApiError> + Send>; - -    fn delete_release_edit(&self, editgroup_id: String, edit_id: String, context: &Context) -> Box<Future<Item = DeleteReleaseEditResponse, Error = ApiError> + Send>; - -    fn get_release(&self, ident: String, expand: Option<String>, hide: Option<String>, context: &Context) -> Box<Future<Item = GetReleaseResponse, Error = ApiError> + Send>; - -    fn get_release_edit(&self, edit_id: String, context: &Context) -> Box<Future<Item = GetReleaseEditResponse, Error = ApiError> + Send>; - -    fn get_release_files(&self, ident: String, hide: Option<String>, context: &Context) -> Box<Future<Item = GetReleaseFilesResponse, Error = ApiError> + Send>; - -    fn get_release_filesets(&self, ident: String, hide: Option<String>, context: &Context) -> Box<Future<Item = GetReleaseFilesetsResponse, Error = ApiError> + Send>; - -    fn get_release_history(&self, ident: String, limit: Option<i64>, context: &Context) -> Box<Future<Item = GetReleaseHistoryResponse, Error = ApiError> + Send>; - -    fn get_release_redirects(&self, ident: String, context: &Context) -> Box<Future<Item = GetReleaseRedirectsResponse, Error = ApiError> + Send>; - -    fn get_release_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>, context: &Context) -> Box<Future<Item = GetReleaseRevisionResponse, Error = ApiError> + Send>; - -    fn get_release_webcaptures(&self, ident: String, hide: Option<String>, context: &Context) -> Box<Future<Item = GetReleaseWebcapturesResponse, Error = ApiError> + Send>; - -    fn lookup_release( -        &self, -        doi: Option<String>, -        wikidata_qid: Option<String>, -        isbn13: Option<String>, -        pmid: Option<String>, -        pmcid: Option<String>, -        core: Option<String>, -        arxiv: Option<String>, -        jstor: Option<String>, -        ark: Option<String>, -        mag: Option<String>, -        expand: Option<String>, -        hide: Option<String>, -        context: &Context, -    ) -> Box<Future<Item = LookupReleaseResponse, Error = ApiError> + Send>; - -    fn update_release(&self, editgroup_id: String, ident: String, entity: models::ReleaseEntity, context: &Context) -> Box<Future<Item = UpdateReleaseResponse, Error = ApiError> + Send>; - -    fn create_webcapture(&self, editgroup_id: String, entity: models::WebcaptureEntity, context: &Context) -> Box<Future<Item = CreateWebcaptureResponse, Error = ApiError> + Send>; - -    fn create_webcapture_auto_batch(&self, auto_batch: models::WebcaptureAutoBatch, context: &Context) -> Box<Future<Item = CreateWebcaptureAutoBatchResponse, Error = ApiError> + Send>; - -    fn delete_webcapture(&self, editgroup_id: String, ident: String, context: &Context) -> Box<Future<Item = DeleteWebcaptureResponse, Error = ApiError> + Send>; - -    fn delete_webcapture_edit(&self, editgroup_id: String, edit_id: String, context: &Context) -> Box<Future<Item = DeleteWebcaptureEditResponse, Error = ApiError> + Send>; - -    fn get_webcapture(&self, ident: String, expand: Option<String>, hide: Option<String>, context: &Context) -> Box<Future<Item = GetWebcaptureResponse, Error = ApiError> + Send>; - -    fn get_webcapture_edit(&self, edit_id: String, context: &Context) -> Box<Future<Item = GetWebcaptureEditResponse, Error = ApiError> + Send>; - -    fn get_webcapture_history(&self, ident: String, limit: Option<i64>, context: &Context) -> Box<Future<Item = GetWebcaptureHistoryResponse, Error = ApiError> + Send>; - -    fn get_webcapture_redirects(&self, ident: String, context: &Context) -> Box<Future<Item = GetWebcaptureRedirectsResponse, Error = ApiError> + Send>; - -    fn get_webcapture_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>, context: &Context) -> Box<Future<Item = GetWebcaptureRevisionResponse, Error = ApiError> + Send>; - -    fn update_webcapture(&self, editgroup_id: String, ident: String, entity: models::WebcaptureEntity, context: &Context) -> Box<Future<Item = UpdateWebcaptureResponse, Error = ApiError> + Send>; - -    fn create_work_auto_batch(&self, auto_batch: models::WorkAutoBatch, context: &Context) -> Box<Future<Item = CreateWorkAutoBatchResponse, Error = ApiError> + Send>; - -    fn delete_work(&self, editgroup_id: String, ident: String, context: &Context) -> Box<Future<Item = DeleteWorkResponse, Error = ApiError> + Send>; - -    fn delete_work_edit(&self, editgroup_id: String, edit_id: String, context: &Context) -> Box<Future<Item = DeleteWorkEditResponse, Error = ApiError> + Send>; - -    fn get_work(&self, ident: String, expand: Option<String>, hide: Option<String>, context: &Context) -> Box<Future<Item = GetWorkResponse, Error = ApiError> + Send>; - -    fn get_work_edit(&self, edit_id: String, context: &Context) -> Box<Future<Item = GetWorkEditResponse, Error = ApiError> + Send>; - -    fn get_work_history(&self, ident: String, limit: Option<i64>, context: &Context) -> Box<Future<Item = GetWorkHistoryResponse, Error = ApiError> + Send>; - -    fn get_work_redirects(&self, ident: String, context: &Context) -> Box<Future<Item = GetWorkRedirectsResponse, Error = ApiError> + Send>; - -    fn get_work_releases(&self, ident: String, hide: Option<String>, context: &Context) -> Box<Future<Item = GetWorkReleasesResponse, Error = ApiError> + Send>; - -    fn get_work_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>, context: &Context) -> Box<Future<Item = GetWorkRevisionResponse, Error = ApiError> + Send>; - -    fn update_work(&self, editgroup_id: String, ident: String, entity: models::WorkEntity, context: &Context) -> Box<Future<Item = UpdateWorkResponse, Error = ApiError> + Send>; -} - -/// API without a `Context` -pub trait ApiNoContext { -    fn create_container(&self, editgroup_id: String, entity: models::ContainerEntity) -> Box<Future<Item = CreateContainerResponse, Error = ApiError> + Send>; - -    fn create_container_auto_batch(&self, auto_batch: models::ContainerAutoBatch) -> Box<Future<Item = CreateContainerAutoBatchResponse, Error = ApiError> + Send>; - -    fn delete_container(&self, editgroup_id: String, ident: String) -> Box<Future<Item = DeleteContainerResponse, Error = ApiError> + Send>; - -    fn delete_container_edit(&self, editgroup_id: String, edit_id: String) -> Box<Future<Item = DeleteContainerEditResponse, Error = ApiError> + Send>; - -    fn get_container(&self, ident: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetContainerResponse, Error = ApiError> + Send>; - -    fn get_container_edit(&self, edit_id: String) -> Box<Future<Item = GetContainerEditResponse, Error = ApiError> + Send>; - -    fn get_container_history(&self, ident: String, limit: Option<i64>) -> Box<Future<Item = GetContainerHistoryResponse, Error = ApiError> + Send>; - -    fn get_container_redirects(&self, ident: String) -> Box<Future<Item = GetContainerRedirectsResponse, Error = ApiError> + Send>; - -    fn get_container_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetContainerRevisionResponse, Error = ApiError> + Send>; - -    fn lookup_container( -        &self, -        issnl: Option<String>, -        wikidata_qid: Option<String>, -        expand: Option<String>, -        hide: Option<String>, -    ) -> Box<Future<Item = LookupContainerResponse, Error = ApiError> + Send>; - -    fn update_container(&self, editgroup_id: String, ident: String, entity: models::ContainerEntity) -> Box<Future<Item = UpdateContainerResponse, Error = ApiError> + Send>; - -    fn create_creator(&self, editgroup_id: String, entity: models::CreatorEntity) -> Box<Future<Item = CreateCreatorResponse, Error = ApiError> + Send>; - -    fn create_creator_auto_batch(&self, auto_batch: models::CreatorAutoBatch) -> Box<Future<Item = CreateCreatorAutoBatchResponse, Error = ApiError> + Send>; - -    fn delete_creator(&self, editgroup_id: String, ident: String) -> Box<Future<Item = DeleteCreatorResponse, Error = ApiError> + Send>; - -    fn delete_creator_edit(&self, editgroup_id: String, edit_id: String) -> Box<Future<Item = DeleteCreatorEditResponse, Error = ApiError> + Send>; - -    fn get_creator(&self, ident: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetCreatorResponse, Error = ApiError> + Send>; - -    fn get_creator_edit(&self, edit_id: String) -> Box<Future<Item = GetCreatorEditResponse, Error = ApiError> + Send>; - -    fn get_creator_history(&self, ident: String, limit: Option<i64>) -> Box<Future<Item = GetCreatorHistoryResponse, Error = ApiError> + Send>; - -    fn get_creator_redirects(&self, ident: String) -> Box<Future<Item = GetCreatorRedirectsResponse, Error = ApiError> + Send>; - -    fn get_creator_releases(&self, ident: String, hide: Option<String>) -> Box<Future<Item = GetCreatorReleasesResponse, Error = ApiError> + Send>; - -    fn get_creator_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetCreatorRevisionResponse, Error = ApiError> + Send>; - -    fn lookup_creator(&self, orcid: Option<String>, wikidata_qid: Option<String>, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = LookupCreatorResponse, Error = ApiError> + Send>; - -    fn update_creator(&self, editgroup_id: String, ident: String, entity: models::CreatorEntity) -> Box<Future<Item = UpdateCreatorResponse, Error = ApiError> + Send>; - -    fn auth_check(&self, role: Option<String>) -> Box<Future<Item = AuthCheckResponse, Error = ApiError> + Send>; - -    fn auth_oidc(&self, oidc_params: models::AuthOidc) -> Box<Future<Item = AuthOidcResponse, Error = ApiError> + Send>; - -    fn get_editgroups_reviewable( -        &self, -        expand: Option<String>, -        limit: Option<i64>, -        before: Option<chrono::DateTime<chrono::Utc>>, -        since: Option<chrono::DateTime<chrono::Utc>>, -    ) -> Box<Future<Item = GetEditgroupsReviewableResponse, Error = ApiError> + Send>; - -    fn get_editor(&self, editor_id: String) -> Box<Future<Item = GetEditorResponse, Error = ApiError> + Send>; - -    fn get_editor_editgroups( -        &self, -        editor_id: String, -        limit: Option<i64>, -        before: Option<chrono::DateTime<chrono::Utc>>, -        since: Option<chrono::DateTime<chrono::Utc>>, -    ) -> Box<Future<Item = GetEditorEditgroupsResponse, Error = ApiError> + Send>; - -    fn update_editgroup(&self, editgroup_id: String, editgroup: models::Editgroup, submit: Option<bool>) -> Box<Future<Item = UpdateEditgroupResponse, Error = ApiError> + Send>; - -    fn update_editor(&self, editor_id: String, editor: models::Editor) -> Box<Future<Item = UpdateEditorResponse, Error = ApiError> + Send>; - -    fn accept_editgroup(&self, editgroup_id: String) -> Box<Future<Item = AcceptEditgroupResponse, Error = ApiError> + Send>; - -    fn create_editgroup(&self, editgroup: models::Editgroup) -> Box<Future<Item = CreateEditgroupResponse, Error = ApiError> + Send>; - -    fn create_editgroup_annotation(&self, editgroup_id: String, annotation: models::EditgroupAnnotation) -> Box<Future<Item = CreateEditgroupAnnotationResponse, Error = ApiError> + Send>; - -    fn get_changelog(&self, limit: Option<i64>) -> Box<Future<Item = GetChangelogResponse, Error = ApiError> + Send>; - -    fn get_changelog_entry(&self, index: i64) -> Box<Future<Item = GetChangelogEntryResponse, Error = ApiError> + Send>; - -    fn get_editgroup(&self, editgroup_id: String) -> Box<Future<Item = GetEditgroupResponse, Error = ApiError> + Send>; - -    fn get_editgroup_annotations(&self, editgroup_id: String, expand: Option<String>) -> Box<Future<Item = GetEditgroupAnnotationsResponse, Error = ApiError> + Send>; - -    fn get_editor_annotations( -        &self, -        editor_id: String, -        limit: Option<i64>, -        before: Option<chrono::DateTime<chrono::Utc>>, -        since: Option<chrono::DateTime<chrono::Utc>>, -    ) -> Box<Future<Item = GetEditorAnnotationsResponse, Error = ApiError> + Send>; - -    fn create_file(&self, editgroup_id: String, entity: models::FileEntity) -> Box<Future<Item = CreateFileResponse, Error = ApiError> + Send>; - -    fn create_file_auto_batch(&self, auto_batch: models::FileAutoBatch) -> Box<Future<Item = CreateFileAutoBatchResponse, Error = ApiError> + Send>; - -    fn delete_file(&self, editgroup_id: String, ident: String) -> Box<Future<Item = DeleteFileResponse, Error = ApiError> + Send>; - -    fn delete_file_edit(&self, editgroup_id: String, edit_id: String) -> Box<Future<Item = DeleteFileEditResponse, Error = ApiError> + Send>; - -    fn get_file(&self, ident: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetFileResponse, Error = ApiError> + Send>; - -    fn get_file_edit(&self, edit_id: String) -> Box<Future<Item = GetFileEditResponse, Error = ApiError> + Send>; - -    fn get_file_history(&self, ident: String, limit: Option<i64>) -> Box<Future<Item = GetFileHistoryResponse, Error = ApiError> + Send>; - -    fn get_file_redirects(&self, ident: String) -> Box<Future<Item = GetFileRedirectsResponse, Error = ApiError> + Send>; - -    fn get_file_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetFileRevisionResponse, Error = ApiError> + Send>; - -    fn lookup_file( -        &self, -        md5: Option<String>, -        sha1: Option<String>, -        sha256: Option<String>, -        expand: Option<String>, -        hide: Option<String>, -    ) -> Box<Future<Item = LookupFileResponse, Error = ApiError> + Send>; - -    fn update_file(&self, editgroup_id: String, ident: String, entity: models::FileEntity) -> Box<Future<Item = UpdateFileResponse, Error = ApiError> + Send>; - -    fn create_fileset(&self, editgroup_id: String, entity: models::FilesetEntity) -> Box<Future<Item = CreateFilesetResponse, Error = ApiError> + Send>; - -    fn create_fileset_auto_batch(&self, auto_batch: models::FilesetAutoBatch) -> Box<Future<Item = CreateFilesetAutoBatchResponse, Error = ApiError> + Send>; - -    fn delete_fileset(&self, editgroup_id: String, ident: String) -> Box<Future<Item = DeleteFilesetResponse, Error = ApiError> + Send>; - -    fn delete_fileset_edit(&self, editgroup_id: String, edit_id: String) -> Box<Future<Item = DeleteFilesetEditResponse, Error = ApiError> + Send>; - -    fn get_fileset(&self, ident: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetFilesetResponse, Error = ApiError> + Send>; - -    fn get_fileset_edit(&self, edit_id: String) -> Box<Future<Item = GetFilesetEditResponse, Error = ApiError> + Send>; - -    fn get_fileset_history(&self, ident: String, limit: Option<i64>) -> Box<Future<Item = GetFilesetHistoryResponse, Error = ApiError> + Send>; - -    fn get_fileset_redirects(&self, ident: String) -> Box<Future<Item = GetFilesetRedirectsResponse, Error = ApiError> + Send>; - -    fn get_fileset_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetFilesetRevisionResponse, Error = ApiError> + Send>; - -    fn update_fileset(&self, editgroup_id: String, ident: String, entity: models::FilesetEntity) -> Box<Future<Item = UpdateFilesetResponse, Error = ApiError> + Send>; - -    fn create_release(&self, editgroup_id: String, entity: models::ReleaseEntity) -> Box<Future<Item = CreateReleaseResponse, Error = ApiError> + Send>; - -    fn create_release_auto_batch(&self, auto_batch: models::ReleaseAutoBatch) -> Box<Future<Item = CreateReleaseAutoBatchResponse, Error = ApiError> + Send>; - -    fn create_work(&self, editgroup_id: String, entity: models::WorkEntity) -> Box<Future<Item = CreateWorkResponse, Error = ApiError> + Send>; - -    fn delete_release(&self, editgroup_id: String, ident: String) -> Box<Future<Item = DeleteReleaseResponse, Error = ApiError> + Send>; - -    fn delete_release_edit(&self, editgroup_id: String, edit_id: String) -> Box<Future<Item = DeleteReleaseEditResponse, Error = ApiError> + Send>; - -    fn get_release(&self, ident: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetReleaseResponse, Error = ApiError> + Send>; - -    fn get_release_edit(&self, edit_id: String) -> Box<Future<Item = GetReleaseEditResponse, Error = ApiError> + Send>; - -    fn get_release_files(&self, ident: String, hide: Option<String>) -> Box<Future<Item = GetReleaseFilesResponse, Error = ApiError> + Send>; - -    fn get_release_filesets(&self, ident: String, hide: Option<String>) -> Box<Future<Item = GetReleaseFilesetsResponse, Error = ApiError> + Send>; - -    fn get_release_history(&self, ident: String, limit: Option<i64>) -> Box<Future<Item = GetReleaseHistoryResponse, Error = ApiError> + Send>; - -    fn get_release_redirects(&self, ident: String) -> Box<Future<Item = GetReleaseRedirectsResponse, Error = ApiError> + Send>; - -    fn get_release_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetReleaseRevisionResponse, Error = ApiError> + Send>; - -    fn get_release_webcaptures(&self, ident: String, hide: Option<String>) -> Box<Future<Item = GetReleaseWebcapturesResponse, Error = ApiError> + Send>; - -    fn lookup_release( -        &self, -        doi: Option<String>, -        wikidata_qid: Option<String>, -        isbn13: Option<String>, -        pmid: Option<String>, -        pmcid: Option<String>, -        core: Option<String>, -        arxiv: Option<String>, -        jstor: Option<String>, -        ark: Option<String>, -        mag: Option<String>, -        expand: Option<String>, -        hide: Option<String>, -    ) -> Box<Future<Item = LookupReleaseResponse, Error = ApiError> + Send>; - -    fn update_release(&self, editgroup_id: String, ident: String, entity: models::ReleaseEntity) -> Box<Future<Item = UpdateReleaseResponse, Error = ApiError> + Send>; - -    fn create_webcapture(&self, editgroup_id: String, entity: models::WebcaptureEntity) -> Box<Future<Item = CreateWebcaptureResponse, Error = ApiError> + Send>; - -    fn create_webcapture_auto_batch(&self, auto_batch: models::WebcaptureAutoBatch) -> Box<Future<Item = CreateWebcaptureAutoBatchResponse, Error = ApiError> + Send>; - -    fn delete_webcapture(&self, editgroup_id: String, ident: String) -> Box<Future<Item = DeleteWebcaptureResponse, Error = ApiError> + Send>; - -    fn delete_webcapture_edit(&self, editgroup_id: String, edit_id: String) -> Box<Future<Item = DeleteWebcaptureEditResponse, Error = ApiError> + Send>; - -    fn get_webcapture(&self, ident: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetWebcaptureResponse, Error = ApiError> + Send>; - -    fn get_webcapture_edit(&self, edit_id: String) -> Box<Future<Item = GetWebcaptureEditResponse, Error = ApiError> + Send>; - -    fn get_webcapture_history(&self, ident: String, limit: Option<i64>) -> Box<Future<Item = GetWebcaptureHistoryResponse, Error = ApiError> + Send>; - -    fn get_webcapture_redirects(&self, ident: String) -> Box<Future<Item = GetWebcaptureRedirectsResponse, Error = ApiError> + Send>; - -    fn get_webcapture_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetWebcaptureRevisionResponse, Error = ApiError> + Send>; - -    fn update_webcapture(&self, editgroup_id: String, ident: String, entity: models::WebcaptureEntity) -> Box<Future<Item = UpdateWebcaptureResponse, Error = ApiError> + Send>; - -    fn create_work_auto_batch(&self, auto_batch: models::WorkAutoBatch) -> Box<Future<Item = CreateWorkAutoBatchResponse, Error = ApiError> + Send>; - -    fn delete_work(&self, editgroup_id: String, ident: String) -> Box<Future<Item = DeleteWorkResponse, Error = ApiError> + Send>; - -    fn delete_work_edit(&self, editgroup_id: String, edit_id: String) -> Box<Future<Item = DeleteWorkEditResponse, Error = ApiError> + Send>; - -    fn get_work(&self, ident: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetWorkResponse, Error = ApiError> + Send>; - -    fn get_work_edit(&self, edit_id: String) -> Box<Future<Item = GetWorkEditResponse, Error = ApiError> + Send>; - -    fn get_work_history(&self, ident: String, limit: Option<i64>) -> Box<Future<Item = GetWorkHistoryResponse, Error = ApiError> + Send>; - -    fn get_work_redirects(&self, ident: String) -> Box<Future<Item = GetWorkRedirectsResponse, Error = ApiError> + Send>; - -    fn get_work_releases(&self, ident: String, hide: Option<String>) -> Box<Future<Item = GetWorkReleasesResponse, Error = ApiError> + Send>; - -    fn get_work_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetWorkRevisionResponse, Error = ApiError> + Send>; - -    fn update_work(&self, editgroup_id: String, ident: String, entity: models::WorkEntity) -> Box<Future<Item = UpdateWorkResponse, Error = ApiError> + Send>; -} - -/// Trait to extend an API to make it easy to bind it to a context. -pub trait ContextWrapperExt<'a> -where -    Self: Sized, -{ -    /// Binds this API to a context. -    fn with_context(self: &'a Self, context: Context) -> ContextWrapper<'a, Self>; -} - -impl<'a, T: Api + Sized> ContextWrapperExt<'a> for T { -    fn with_context(self: &'a T, context: Context) -> ContextWrapper<'a, T> { -        ContextWrapper::<T>::new(self, context) -    } -} - -impl<'a, T: Api> ApiNoContext for ContextWrapper<'a, T> { -    fn create_container(&self, editgroup_id: String, entity: models::ContainerEntity) -> Box<Future<Item = CreateContainerResponse, Error = ApiError> + Send> { -        self.api().create_container(editgroup_id, entity, &self.context()) -    } - -    fn create_container_auto_batch(&self, auto_batch: models::ContainerAutoBatch) -> Box<Future<Item = CreateContainerAutoBatchResponse, Error = ApiError> + Send> { -        self.api().create_container_auto_batch(auto_batch, &self.context()) -    } - -    fn delete_container(&self, editgroup_id: String, ident: String) -> Box<Future<Item = DeleteContainerResponse, Error = ApiError> + Send> { -        self.api().delete_container(editgroup_id, ident, &self.context()) -    } - -    fn delete_container_edit(&self, editgroup_id: String, edit_id: String) -> Box<Future<Item = DeleteContainerEditResponse, Error = ApiError> + Send> { -        self.api().delete_container_edit(editgroup_id, edit_id, &self.context()) -    } - -    fn get_container(&self, ident: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetContainerResponse, Error = ApiError> + Send> { -        self.api().get_container(ident, expand, hide, &self.context()) -    } - -    fn get_container_edit(&self, edit_id: String) -> Box<Future<Item = GetContainerEditResponse, Error = ApiError> + Send> { -        self.api().get_container_edit(edit_id, &self.context()) -    } - -    fn get_container_history(&self, ident: String, limit: Option<i64>) -> Box<Future<Item = GetContainerHistoryResponse, Error = ApiError> + Send> { -        self.api().get_container_history(ident, limit, &self.context()) -    } - -    fn get_container_redirects(&self, ident: String) -> Box<Future<Item = GetContainerRedirectsResponse, Error = ApiError> + Send> { -        self.api().get_container_redirects(ident, &self.context()) -    } - -    fn get_container_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetContainerRevisionResponse, Error = ApiError> + Send> { -        self.api().get_container_revision(rev_id, expand, hide, &self.context()) -    } - -    fn lookup_container( -        &self, -        issnl: Option<String>, -        wikidata_qid: Option<String>, -        expand: Option<String>, -        hide: Option<String>, -    ) -> Box<Future<Item = LookupContainerResponse, Error = ApiError> + Send> { -        self.api().lookup_container(issnl, wikidata_qid, expand, hide, &self.context()) -    } - -    fn update_container(&self, editgroup_id: String, ident: String, entity: models::ContainerEntity) -> Box<Future<Item = UpdateContainerResponse, Error = ApiError> + Send> { -        self.api().update_container(editgroup_id, ident, entity, &self.context()) -    } - -    fn create_creator(&self, editgroup_id: String, entity: models::CreatorEntity) -> Box<Future<Item = CreateCreatorResponse, Error = ApiError> + Send> { -        self.api().create_creator(editgroup_id, entity, &self.context()) -    } - -    fn create_creator_auto_batch(&self, auto_batch: models::CreatorAutoBatch) -> Box<Future<Item = CreateCreatorAutoBatchResponse, Error = ApiError> + Send> { -        self.api().create_creator_auto_batch(auto_batch, &self.context()) -    } - -    fn delete_creator(&self, editgroup_id: String, ident: String) -> Box<Future<Item = DeleteCreatorResponse, Error = ApiError> + Send> { -        self.api().delete_creator(editgroup_id, ident, &self.context()) -    } - -    fn delete_creator_edit(&self, editgroup_id: String, edit_id: String) -> Box<Future<Item = DeleteCreatorEditResponse, Error = ApiError> + Send> { -        self.api().delete_creator_edit(editgroup_id, edit_id, &self.context()) -    } - -    fn get_creator(&self, ident: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetCreatorResponse, Error = ApiError> + Send> { -        self.api().get_creator(ident, expand, hide, &self.context()) -    } - -    fn get_creator_edit(&self, edit_id: String) -> Box<Future<Item = GetCreatorEditResponse, Error = ApiError> + Send> { -        self.api().get_creator_edit(edit_id, &self.context()) -    } - -    fn get_creator_history(&self, ident: String, limit: Option<i64>) -> Box<Future<Item = GetCreatorHistoryResponse, Error = ApiError> + Send> { -        self.api().get_creator_history(ident, limit, &self.context()) -    } - -    fn get_creator_redirects(&self, ident: String) -> Box<Future<Item = GetCreatorRedirectsResponse, Error = ApiError> + Send> { -        self.api().get_creator_redirects(ident, &self.context()) -    } - -    fn get_creator_releases(&self, ident: String, hide: Option<String>) -> Box<Future<Item = GetCreatorReleasesResponse, Error = ApiError> + Send> { -        self.api().get_creator_releases(ident, hide, &self.context()) -    } - -    fn get_creator_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetCreatorRevisionResponse, Error = ApiError> + Send> { -        self.api().get_creator_revision(rev_id, expand, hide, &self.context()) -    } - -    fn lookup_creator(&self, orcid: Option<String>, wikidata_qid: Option<String>, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = LookupCreatorResponse, Error = ApiError> + Send> { -        self.api().lookup_creator(orcid, wikidata_qid, expand, hide, &self.context()) -    } - -    fn update_creator(&self, editgroup_id: String, ident: String, entity: models::CreatorEntity) -> Box<Future<Item = UpdateCreatorResponse, Error = ApiError> + Send> { -        self.api().update_creator(editgroup_id, ident, entity, &self.context()) -    } - -    fn auth_check(&self, role: Option<String>) -> Box<Future<Item = AuthCheckResponse, Error = ApiError> + Send> { -        self.api().auth_check(role, &self.context()) -    } - -    fn auth_oidc(&self, oidc_params: models::AuthOidc) -> Box<Future<Item = AuthOidcResponse, Error = ApiError> + Send> { -        self.api().auth_oidc(oidc_params, &self.context()) -    } - -    fn get_editgroups_reviewable( -        &self, -        expand: Option<String>, -        limit: Option<i64>, -        before: Option<chrono::DateTime<chrono::Utc>>, -        since: Option<chrono::DateTime<chrono::Utc>>, -    ) -> Box<Future<Item = GetEditgroupsReviewableResponse, Error = ApiError> + Send> { -        self.api().get_editgroups_reviewable(expand, limit, before, since, &self.context()) -    } - -    fn get_editor(&self, editor_id: String) -> Box<Future<Item = GetEditorResponse, Error = ApiError> + Send> { -        self.api().get_editor(editor_id, &self.context()) -    } - -    fn get_editor_editgroups( -        &self, -        editor_id: String, -        limit: Option<i64>, -        before: Option<chrono::DateTime<chrono::Utc>>, -        since: Option<chrono::DateTime<chrono::Utc>>, -    ) -> Box<Future<Item = GetEditorEditgroupsResponse, Error = ApiError> + Send> { -        self.api().get_editor_editgroups(editor_id, limit, before, since, &self.context()) -    } - -    fn update_editgroup(&self, editgroup_id: String, editgroup: models::Editgroup, submit: Option<bool>) -> Box<Future<Item = UpdateEditgroupResponse, Error = ApiError> + Send> { -        self.api().update_editgroup(editgroup_id, editgroup, submit, &self.context()) -    } - -    fn update_editor(&self, editor_id: String, editor: models::Editor) -> Box<Future<Item = UpdateEditorResponse, Error = ApiError> + Send> { -        self.api().update_editor(editor_id, editor, &self.context()) -    } - -    fn accept_editgroup(&self, editgroup_id: String) -> Box<Future<Item = AcceptEditgroupResponse, Error = ApiError> + Send> { -        self.api().accept_editgroup(editgroup_id, &self.context()) -    } - -    fn create_editgroup(&self, editgroup: models::Editgroup) -> Box<Future<Item = CreateEditgroupResponse, Error = ApiError> + Send> { -        self.api().create_editgroup(editgroup, &self.context()) -    } - -    fn create_editgroup_annotation(&self, editgroup_id: String, annotation: models::EditgroupAnnotation) -> Box<Future<Item = CreateEditgroupAnnotationResponse, Error = ApiError> + Send> { -        self.api().create_editgroup_annotation(editgroup_id, annotation, &self.context()) -    } - -    fn get_changelog(&self, limit: Option<i64>) -> Box<Future<Item = GetChangelogResponse, Error = ApiError> + Send> { -        self.api().get_changelog(limit, &self.context()) -    } - -    fn get_changelog_entry(&self, index: i64) -> Box<Future<Item = GetChangelogEntryResponse, Error = ApiError> + Send> { -        self.api().get_changelog_entry(index, &self.context()) -    } - -    fn get_editgroup(&self, editgroup_id: String) -> Box<Future<Item = GetEditgroupResponse, Error = ApiError> + Send> { -        self.api().get_editgroup(editgroup_id, &self.context()) -    } - -    fn get_editgroup_annotations(&self, editgroup_id: String, expand: Option<String>) -> Box<Future<Item = GetEditgroupAnnotationsResponse, Error = ApiError> + Send> { -        self.api().get_editgroup_annotations(editgroup_id, expand, &self.context()) -    } - -    fn get_editor_annotations( -        &self, -        editor_id: String, -        limit: Option<i64>, -        before: Option<chrono::DateTime<chrono::Utc>>, -        since: Option<chrono::DateTime<chrono::Utc>>, -    ) -> Box<Future<Item = GetEditorAnnotationsResponse, Error = ApiError> + Send> { -        self.api().get_editor_annotations(editor_id, limit, before, since, &self.context()) -    } - -    fn create_file(&self, editgroup_id: String, entity: models::FileEntity) -> Box<Future<Item = CreateFileResponse, Error = ApiError> + Send> { -        self.api().create_file(editgroup_id, entity, &self.context()) -    } - -    fn create_file_auto_batch(&self, auto_batch: models::FileAutoBatch) -> Box<Future<Item = CreateFileAutoBatchResponse, Error = ApiError> + Send> { -        self.api().create_file_auto_batch(auto_batch, &self.context()) -    } - -    fn delete_file(&self, editgroup_id: String, ident: String) -> Box<Future<Item = DeleteFileResponse, Error = ApiError> + Send> { -        self.api().delete_file(editgroup_id, ident, &self.context()) -    } - -    fn delete_file_edit(&self, editgroup_id: String, edit_id: String) -> Box<Future<Item = DeleteFileEditResponse, Error = ApiError> + Send> { -        self.api().delete_file_edit(editgroup_id, edit_id, &self.context()) -    } - -    fn get_file(&self, ident: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetFileResponse, Error = ApiError> + Send> { -        self.api().get_file(ident, expand, hide, &self.context()) -    } - -    fn get_file_edit(&self, edit_id: String) -> Box<Future<Item = GetFileEditResponse, Error = ApiError> + Send> { -        self.api().get_file_edit(edit_id, &self.context()) -    } - -    fn get_file_history(&self, ident: String, limit: Option<i64>) -> Box<Future<Item = GetFileHistoryResponse, Error = ApiError> + Send> { -        self.api().get_file_history(ident, limit, &self.context()) -    } - -    fn get_file_redirects(&self, ident: String) -> Box<Future<Item = GetFileRedirectsResponse, Error = ApiError> + Send> { -        self.api().get_file_redirects(ident, &self.context()) -    } - -    fn get_file_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetFileRevisionResponse, Error = ApiError> + Send> { -        self.api().get_file_revision(rev_id, expand, hide, &self.context()) -    } - -    fn lookup_file( -        &self, -        md5: Option<String>, -        sha1: Option<String>, -        sha256: Option<String>, -        expand: Option<String>, -        hide: Option<String>, -    ) -> Box<Future<Item = LookupFileResponse, Error = ApiError> + Send> { -        self.api().lookup_file(md5, sha1, sha256, expand, hide, &self.context()) -    } - -    fn update_file(&self, editgroup_id: String, ident: String, entity: models::FileEntity) -> Box<Future<Item = UpdateFileResponse, Error = ApiError> + Send> { -        self.api().update_file(editgroup_id, ident, entity, &self.context()) -    } - -    fn create_fileset(&self, editgroup_id: String, entity: models::FilesetEntity) -> Box<Future<Item = CreateFilesetResponse, Error = ApiError> + Send> { -        self.api().create_fileset(editgroup_id, entity, &self.context()) -    } - -    fn create_fileset_auto_batch(&self, auto_batch: models::FilesetAutoBatch) -> Box<Future<Item = CreateFilesetAutoBatchResponse, Error = ApiError> + Send> { -        self.api().create_fileset_auto_batch(auto_batch, &self.context()) -    } - -    fn delete_fileset(&self, editgroup_id: String, ident: String) -> Box<Future<Item = DeleteFilesetResponse, Error = ApiError> + Send> { -        self.api().delete_fileset(editgroup_id, ident, &self.context()) -    } - -    fn delete_fileset_edit(&self, editgroup_id: String, edit_id: String) -> Box<Future<Item = DeleteFilesetEditResponse, Error = ApiError> + Send> { -        self.api().delete_fileset_edit(editgroup_id, edit_id, &self.context()) -    } - -    fn get_fileset(&self, ident: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetFilesetResponse, Error = ApiError> + Send> { -        self.api().get_fileset(ident, expand, hide, &self.context()) -    } - -    fn get_fileset_edit(&self, edit_id: String) -> Box<Future<Item = GetFilesetEditResponse, Error = ApiError> + Send> { -        self.api().get_fileset_edit(edit_id, &self.context()) -    } - -    fn get_fileset_history(&self, ident: String, limit: Option<i64>) -> Box<Future<Item = GetFilesetHistoryResponse, Error = ApiError> + Send> { -        self.api().get_fileset_history(ident, limit, &self.context()) -    } - -    fn get_fileset_redirects(&self, ident: String) -> Box<Future<Item = GetFilesetRedirectsResponse, Error = ApiError> + Send> { -        self.api().get_fileset_redirects(ident, &self.context()) -    } - -    fn get_fileset_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetFilesetRevisionResponse, Error = ApiError> + Send> { -        self.api().get_fileset_revision(rev_id, expand, hide, &self.context()) -    } - -    fn update_fileset(&self, editgroup_id: String, ident: String, entity: models::FilesetEntity) -> Box<Future<Item = UpdateFilesetResponse, Error = ApiError> + Send> { -        self.api().update_fileset(editgroup_id, ident, entity, &self.context()) -    } - -    fn create_release(&self, editgroup_id: String, entity: models::ReleaseEntity) -> Box<Future<Item = CreateReleaseResponse, Error = ApiError> + Send> { -        self.api().create_release(editgroup_id, entity, &self.context()) -    } - -    fn create_release_auto_batch(&self, auto_batch: models::ReleaseAutoBatch) -> Box<Future<Item = CreateReleaseAutoBatchResponse, Error = ApiError> + Send> { -        self.api().create_release_auto_batch(auto_batch, &self.context()) -    } - -    fn create_work(&self, editgroup_id: String, entity: models::WorkEntity) -> Box<Future<Item = CreateWorkResponse, Error = ApiError> + Send> { -        self.api().create_work(editgroup_id, entity, &self.context()) -    } - -    fn delete_release(&self, editgroup_id: String, ident: String) -> Box<Future<Item = DeleteReleaseResponse, Error = ApiError> + Send> { -        self.api().delete_release(editgroup_id, ident, &self.context()) -    } - -    fn delete_release_edit(&self, editgroup_id: String, edit_id: String) -> Box<Future<Item = DeleteReleaseEditResponse, Error = ApiError> + Send> { -        self.api().delete_release_edit(editgroup_id, edit_id, &self.context()) -    } - -    fn get_release(&self, ident: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetReleaseResponse, Error = ApiError> + Send> { -        self.api().get_release(ident, expand, hide, &self.context()) -    } - -    fn get_release_edit(&self, edit_id: String) -> Box<Future<Item = GetReleaseEditResponse, Error = ApiError> + Send> { -        self.api().get_release_edit(edit_id, &self.context()) -    } - -    fn get_release_files(&self, ident: String, hide: Option<String>) -> Box<Future<Item = GetReleaseFilesResponse, Error = ApiError> + Send> { -        self.api().get_release_files(ident, hide, &self.context()) -    } - -    fn get_release_filesets(&self, ident: String, hide: Option<String>) -> Box<Future<Item = GetReleaseFilesetsResponse, Error = ApiError> + Send> { -        self.api().get_release_filesets(ident, hide, &self.context()) -    } - -    fn get_release_history(&self, ident: String, limit: Option<i64>) -> Box<Future<Item = GetReleaseHistoryResponse, Error = ApiError> + Send> { -        self.api().get_release_history(ident, limit, &self.context()) -    } - -    fn get_release_redirects(&self, ident: String) -> Box<Future<Item = GetReleaseRedirectsResponse, Error = ApiError> + Send> { -        self.api().get_release_redirects(ident, &self.context()) -    } - -    fn get_release_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetReleaseRevisionResponse, Error = ApiError> + Send> { -        self.api().get_release_revision(rev_id, expand, hide, &self.context()) -    } - -    fn get_release_webcaptures(&self, ident: String, hide: Option<String>) -> Box<Future<Item = GetReleaseWebcapturesResponse, Error = ApiError> + Send> { -        self.api().get_release_webcaptures(ident, hide, &self.context()) -    } - -    fn lookup_release( -        &self, -        doi: Option<String>, -        wikidata_qid: Option<String>, -        isbn13: Option<String>, -        pmid: Option<String>, -        pmcid: Option<String>, -        core: Option<String>, -        arxiv: Option<String>, -        jstor: Option<String>, -        ark: Option<String>, -        mag: Option<String>, -        expand: Option<String>, -        hide: Option<String>, -    ) -> Box<Future<Item = LookupReleaseResponse, Error = ApiError> + Send> { -        self.api() -            .lookup_release(doi, wikidata_qid, isbn13, pmid, pmcid, core, arxiv, jstor, ark, mag, expand, hide, &self.context()) -    } - -    fn update_release(&self, editgroup_id: String, ident: String, entity: models::ReleaseEntity) -> Box<Future<Item = UpdateReleaseResponse, Error = ApiError> + Send> { -        self.api().update_release(editgroup_id, ident, entity, &self.context()) -    } - -    fn create_webcapture(&self, editgroup_id: String, entity: models::WebcaptureEntity) -> Box<Future<Item = CreateWebcaptureResponse, Error = ApiError> + Send> { -        self.api().create_webcapture(editgroup_id, entity, &self.context()) -    } - -    fn create_webcapture_auto_batch(&self, auto_batch: models::WebcaptureAutoBatch) -> Box<Future<Item = CreateWebcaptureAutoBatchResponse, Error = ApiError> + Send> { -        self.api().create_webcapture_auto_batch(auto_batch, &self.context()) -    } - -    fn delete_webcapture(&self, editgroup_id: String, ident: String) -> Box<Future<Item = DeleteWebcaptureResponse, Error = ApiError> + Send> { -        self.api().delete_webcapture(editgroup_id, ident, &self.context()) -    } - -    fn delete_webcapture_edit(&self, editgroup_id: String, edit_id: String) -> Box<Future<Item = DeleteWebcaptureEditResponse, Error = ApiError> + Send> { -        self.api().delete_webcapture_edit(editgroup_id, edit_id, &self.context()) -    } - -    fn get_webcapture(&self, ident: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetWebcaptureResponse, Error = ApiError> + Send> { -        self.api().get_webcapture(ident, expand, hide, &self.context()) -    } - -    fn get_webcapture_edit(&self, edit_id: String) -> Box<Future<Item = GetWebcaptureEditResponse, Error = ApiError> + Send> { -        self.api().get_webcapture_edit(edit_id, &self.context()) -    } - -    fn get_webcapture_history(&self, ident: String, limit: Option<i64>) -> Box<Future<Item = GetWebcaptureHistoryResponse, Error = ApiError> + Send> { -        self.api().get_webcapture_history(ident, limit, &self.context()) -    } - -    fn get_webcapture_redirects(&self, ident: String) -> Box<Future<Item = GetWebcaptureRedirectsResponse, Error = ApiError> + Send> { -        self.api().get_webcapture_redirects(ident, &self.context()) -    } - -    fn get_webcapture_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetWebcaptureRevisionResponse, Error = ApiError> + Send> { -        self.api().get_webcapture_revision(rev_id, expand, hide, &self.context()) -    } - -    fn update_webcapture(&self, editgroup_id: String, ident: String, entity: models::WebcaptureEntity) -> Box<Future<Item = UpdateWebcaptureResponse, Error = ApiError> + Send> { -        self.api().update_webcapture(editgroup_id, ident, entity, &self.context()) -    } - -    fn create_work_auto_batch(&self, auto_batch: models::WorkAutoBatch) -> Box<Future<Item = CreateWorkAutoBatchResponse, Error = ApiError> + Send> { -        self.api().create_work_auto_batch(auto_batch, &self.context()) -    } - -    fn delete_work(&self, editgroup_id: String, ident: String) -> Box<Future<Item = DeleteWorkResponse, Error = ApiError> + Send> { -        self.api().delete_work(editgroup_id, ident, &self.context()) -    } - -    fn delete_work_edit(&self, editgroup_id: String, edit_id: String) -> Box<Future<Item = DeleteWorkEditResponse, Error = ApiError> + Send> { -        self.api().delete_work_edit(editgroup_id, edit_id, &self.context()) -    } - -    fn get_work(&self, ident: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetWorkResponse, Error = ApiError> + Send> { -        self.api().get_work(ident, expand, hide, &self.context()) -    } - -    fn get_work_edit(&self, edit_id: String) -> Box<Future<Item = GetWorkEditResponse, Error = ApiError> + Send> { -        self.api().get_work_edit(edit_id, &self.context()) -    } - -    fn get_work_history(&self, ident: String, limit: Option<i64>) -> Box<Future<Item = GetWorkHistoryResponse, Error = ApiError> + Send> { -        self.api().get_work_history(ident, limit, &self.context()) -    } - -    fn get_work_redirects(&self, ident: String) -> Box<Future<Item = GetWorkRedirectsResponse, Error = ApiError> + Send> { -        self.api().get_work_redirects(ident, &self.context()) -    } - -    fn get_work_releases(&self, ident: String, hide: Option<String>) -> Box<Future<Item = GetWorkReleasesResponse, Error = ApiError> + Send> { -        self.api().get_work_releases(ident, hide, &self.context()) -    } - -    fn get_work_revision(&self, rev_id: String, expand: Option<String>, hide: Option<String>) -> Box<Future<Item = GetWorkRevisionResponse, Error = ApiError> + Send> { -        self.api().get_work_revision(rev_id, expand, hide, &self.context()) -    } - -    fn update_work(&self, editgroup_id: String, ident: String, entity: models::WorkEntity) -> Box<Future<Item = UpdateWorkResponse, Error = ApiError> + Send> { -        self.api().update_work(editgroup_id, ident, entity, &self.context()) -    } -} - -#[cfg(feature = "client")] -pub mod client; - -// Re-export Client as a top-level name -#[cfg(feature = "client")] -pub use self::client::Client; - -#[cfg(feature = "server")] -pub mod server; - -// Re-export router() as a top-level name -#[cfg(feature = "server")] -pub use self::server::router; - -pub mod models; diff --git a/rust/fatcat-api-spec/src/mimetypes.rs b/rust/fatcat-api-spec/src/mimetypes.rs deleted file mode 100644 index 0676f63b..00000000 --- a/rust/fatcat-api-spec/src/mimetypes.rs +++ /dev/null @@ -1,1973 +0,0 @@ -/// mime types for requests and responses - -pub mod responses { -    use hyper::mime::*; - -    // The macro is called per-operation to beat the recursion limit -    /// Create Mime objects for the response content types for CreateContainer -    lazy_static! { -        pub static ref CREATE_CONTAINER_CREATED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateContainer -    lazy_static! { -        pub static ref CREATE_CONTAINER_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateContainer -    lazy_static! { -        pub static ref CREATE_CONTAINER_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateContainer -    lazy_static! { -        pub static ref CREATE_CONTAINER_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateContainer -    lazy_static! { -        pub static ref CREATE_CONTAINER_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateContainer -    lazy_static! { -        pub static ref CREATE_CONTAINER_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateContainerAutoBatch -    lazy_static! { -        pub static ref CREATE_CONTAINER_AUTO_BATCH_CREATED_EDITGROUP: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateContainerAutoBatch -    lazy_static! { -        pub static ref CREATE_CONTAINER_AUTO_BATCH_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateContainerAutoBatch -    lazy_static! { -        pub static ref CREATE_CONTAINER_AUTO_BATCH_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateContainerAutoBatch -    lazy_static! { -        pub static ref CREATE_CONTAINER_AUTO_BATCH_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateContainerAutoBatch -    lazy_static! { -        pub static ref CREATE_CONTAINER_AUTO_BATCH_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateContainerAutoBatch -    lazy_static! { -        pub static ref CREATE_CONTAINER_AUTO_BATCH_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteContainer -    lazy_static! { -        pub static ref DELETE_CONTAINER_DELETED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteContainer -    lazy_static! { -        pub static ref DELETE_CONTAINER_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteContainer -    lazy_static! { -        pub static ref DELETE_CONTAINER_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteContainer -    lazy_static! { -        pub static ref DELETE_CONTAINER_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteContainer -    lazy_static! { -        pub static ref DELETE_CONTAINER_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteContainer -    lazy_static! { -        pub static ref DELETE_CONTAINER_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteContainerEdit -    lazy_static! { -        pub static ref DELETE_CONTAINER_EDIT_DELETED_EDIT: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteContainerEdit -    lazy_static! { -        pub static ref DELETE_CONTAINER_EDIT_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteContainerEdit -    lazy_static! { -        pub static ref DELETE_CONTAINER_EDIT_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteContainerEdit -    lazy_static! { -        pub static ref DELETE_CONTAINER_EDIT_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteContainerEdit -    lazy_static! { -        pub static ref DELETE_CONTAINER_EDIT_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteContainerEdit -    lazy_static! { -        pub static ref DELETE_CONTAINER_EDIT_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainer -    lazy_static! { -        pub static ref GET_CONTAINER_FOUND_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainer -    lazy_static! { -        pub static ref GET_CONTAINER_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainer -    lazy_static! { -        pub static ref GET_CONTAINER_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainer -    lazy_static! { -        pub static ref GET_CONTAINER_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainerEdit -    lazy_static! { -        pub static ref GET_CONTAINER_EDIT_FOUND_EDIT: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainerEdit -    lazy_static! { -        pub static ref GET_CONTAINER_EDIT_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainerEdit -    lazy_static! { -        pub static ref GET_CONTAINER_EDIT_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainerEdit -    lazy_static! { -        pub static ref GET_CONTAINER_EDIT_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainerHistory -    lazy_static! { -        pub static ref GET_CONTAINER_HISTORY_FOUND_ENTITY_HISTORY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainerHistory -    lazy_static! { -        pub static ref GET_CONTAINER_HISTORY_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainerHistory -    lazy_static! { -        pub static ref GET_CONTAINER_HISTORY_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainerHistory -    lazy_static! { -        pub static ref GET_CONTAINER_HISTORY_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainerRedirects -    lazy_static! { -        pub static ref GET_CONTAINER_REDIRECTS_FOUND_ENTITY_REDIRECTS: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainerRedirects -    lazy_static! { -        pub static ref GET_CONTAINER_REDIRECTS_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainerRedirects -    lazy_static! { -        pub static ref GET_CONTAINER_REDIRECTS_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainerRedirects -    lazy_static! { -        pub static ref GET_CONTAINER_REDIRECTS_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainerRevision -    lazy_static! { -        pub static ref GET_CONTAINER_REVISION_FOUND_ENTITY_REVISION: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainerRevision -    lazy_static! { -        pub static ref GET_CONTAINER_REVISION_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainerRevision -    lazy_static! { -        pub static ref GET_CONTAINER_REVISION_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetContainerRevision -    lazy_static! { -        pub static ref GET_CONTAINER_REVISION_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for LookupContainer -    lazy_static! { -        pub static ref LOOKUP_CONTAINER_FOUND_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for LookupContainer -    lazy_static! { -        pub static ref LOOKUP_CONTAINER_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for LookupContainer -    lazy_static! { -        pub static ref LOOKUP_CONTAINER_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for LookupContainer -    lazy_static! { -        pub static ref LOOKUP_CONTAINER_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateContainer -    lazy_static! { -        pub static ref UPDATE_CONTAINER_UPDATED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateContainer -    lazy_static! { -        pub static ref UPDATE_CONTAINER_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateContainer -    lazy_static! { -        pub static ref UPDATE_CONTAINER_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateContainer -    lazy_static! { -        pub static ref UPDATE_CONTAINER_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateContainer -    lazy_static! { -        pub static ref UPDATE_CONTAINER_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateContainer -    lazy_static! { -        pub static ref UPDATE_CONTAINER_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateCreator -    lazy_static! { -        pub static ref CREATE_CREATOR_CREATED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateCreator -    lazy_static! { -        pub static ref CREATE_CREATOR_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateCreator -    lazy_static! { -        pub static ref CREATE_CREATOR_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateCreator -    lazy_static! { -        pub static ref CREATE_CREATOR_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateCreator -    lazy_static! { -        pub static ref CREATE_CREATOR_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateCreator -    lazy_static! { -        pub static ref CREATE_CREATOR_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateCreatorAutoBatch -    lazy_static! { -        pub static ref CREATE_CREATOR_AUTO_BATCH_CREATED_EDITGROUP: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateCreatorAutoBatch -    lazy_static! { -        pub static ref CREATE_CREATOR_AUTO_BATCH_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateCreatorAutoBatch -    lazy_static! { -        pub static ref CREATE_CREATOR_AUTO_BATCH_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateCreatorAutoBatch -    lazy_static! { -        pub static ref CREATE_CREATOR_AUTO_BATCH_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateCreatorAutoBatch -    lazy_static! { -        pub static ref CREATE_CREATOR_AUTO_BATCH_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateCreatorAutoBatch -    lazy_static! { -        pub static ref CREATE_CREATOR_AUTO_BATCH_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteCreator -    lazy_static! { -        pub static ref DELETE_CREATOR_DELETED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteCreator -    lazy_static! { -        pub static ref DELETE_CREATOR_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteCreator -    lazy_static! { -        pub static ref DELETE_CREATOR_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteCreator -    lazy_static! { -        pub static ref DELETE_CREATOR_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteCreator -    lazy_static! { -        pub static ref DELETE_CREATOR_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteCreator -    lazy_static! { -        pub static ref DELETE_CREATOR_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteCreatorEdit -    lazy_static! { -        pub static ref DELETE_CREATOR_EDIT_DELETED_EDIT: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteCreatorEdit -    lazy_static! { -        pub static ref DELETE_CREATOR_EDIT_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteCreatorEdit -    lazy_static! { -        pub static ref DELETE_CREATOR_EDIT_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteCreatorEdit -    lazy_static! { -        pub static ref DELETE_CREATOR_EDIT_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteCreatorEdit -    lazy_static! { -        pub static ref DELETE_CREATOR_EDIT_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteCreatorEdit -    lazy_static! { -        pub static ref DELETE_CREATOR_EDIT_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreator -    lazy_static! { -        pub static ref GET_CREATOR_FOUND_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreator -    lazy_static! { -        pub static ref GET_CREATOR_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreator -    lazy_static! { -        pub static ref GET_CREATOR_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreator -    lazy_static! { -        pub static ref GET_CREATOR_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorEdit -    lazy_static! { -        pub static ref GET_CREATOR_EDIT_FOUND_EDIT: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorEdit -    lazy_static! { -        pub static ref GET_CREATOR_EDIT_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorEdit -    lazy_static! { -        pub static ref GET_CREATOR_EDIT_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorEdit -    lazy_static! { -        pub static ref GET_CREATOR_EDIT_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorHistory -    lazy_static! { -        pub static ref GET_CREATOR_HISTORY_FOUND_ENTITY_HISTORY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorHistory -    lazy_static! { -        pub static ref GET_CREATOR_HISTORY_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorHistory -    lazy_static! { -        pub static ref GET_CREATOR_HISTORY_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorHistory -    lazy_static! { -        pub static ref GET_CREATOR_HISTORY_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorRedirects -    lazy_static! { -        pub static ref GET_CREATOR_REDIRECTS_FOUND_ENTITY_REDIRECTS: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorRedirects -    lazy_static! { -        pub static ref GET_CREATOR_REDIRECTS_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorRedirects -    lazy_static! { -        pub static ref GET_CREATOR_REDIRECTS_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorRedirects -    lazy_static! { -        pub static ref GET_CREATOR_REDIRECTS_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorReleases -    lazy_static! { -        pub static ref GET_CREATOR_RELEASES_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorReleases -    lazy_static! { -        pub static ref GET_CREATOR_RELEASES_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorReleases -    lazy_static! { -        pub static ref GET_CREATOR_RELEASES_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorReleases -    lazy_static! { -        pub static ref GET_CREATOR_RELEASES_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorRevision -    lazy_static! { -        pub static ref GET_CREATOR_REVISION_FOUND_ENTITY_REVISION: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorRevision -    lazy_static! { -        pub static ref GET_CREATOR_REVISION_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorRevision -    lazy_static! { -        pub static ref GET_CREATOR_REVISION_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetCreatorRevision -    lazy_static! { -        pub static ref GET_CREATOR_REVISION_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for LookupCreator -    lazy_static! { -        pub static ref LOOKUP_CREATOR_FOUND_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for LookupCreator -    lazy_static! { -        pub static ref LOOKUP_CREATOR_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for LookupCreator -    lazy_static! { -        pub static ref LOOKUP_CREATOR_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for LookupCreator -    lazy_static! { -        pub static ref LOOKUP_CREATOR_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateCreator -    lazy_static! { -        pub static ref UPDATE_CREATOR_UPDATED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateCreator -    lazy_static! { -        pub static ref UPDATE_CREATOR_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateCreator -    lazy_static! { -        pub static ref UPDATE_CREATOR_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateCreator -    lazy_static! { -        pub static ref UPDATE_CREATOR_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateCreator -    lazy_static! { -        pub static ref UPDATE_CREATOR_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateCreator -    lazy_static! { -        pub static ref UPDATE_CREATOR_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AuthCheck -    lazy_static! { -        pub static ref AUTH_CHECK_SUCCESS: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AuthCheck -    lazy_static! { -        pub static ref AUTH_CHECK_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AuthCheck -    lazy_static! { -        pub static ref AUTH_CHECK_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AuthCheck -    lazy_static! { -        pub static ref AUTH_CHECK_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AuthCheck -    lazy_static! { -        pub static ref AUTH_CHECK_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AuthOidc -    lazy_static! { -        pub static ref AUTH_OIDC_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AuthOidc -    lazy_static! { -        pub static ref AUTH_OIDC_CREATED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AuthOidc -    lazy_static! { -        pub static ref AUTH_OIDC_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AuthOidc -    lazy_static! { -        pub static ref AUTH_OIDC_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AuthOidc -    lazy_static! { -        pub static ref AUTH_OIDC_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AuthOidc -    lazy_static! { -        pub static ref AUTH_OIDC_CONFLICT: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AuthOidc -    lazy_static! { -        pub static ref AUTH_OIDC_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditgroupsReviewable -    lazy_static! { -        pub static ref GET_EDITGROUPS_REVIEWABLE_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditgroupsReviewable -    lazy_static! { -        pub static ref GET_EDITGROUPS_REVIEWABLE_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditgroupsReviewable -    lazy_static! { -        pub static ref GET_EDITGROUPS_REVIEWABLE_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditgroupsReviewable -    lazy_static! { -        pub static ref GET_EDITGROUPS_REVIEWABLE_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditor -    lazy_static! { -        pub static ref GET_EDITOR_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditor -    lazy_static! { -        pub static ref GET_EDITOR_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditor -    lazy_static! { -        pub static ref GET_EDITOR_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditor -    lazy_static! { -        pub static ref GET_EDITOR_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditorEditgroups -    lazy_static! { -        pub static ref GET_EDITOR_EDITGROUPS_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditorEditgroups -    lazy_static! { -        pub static ref GET_EDITOR_EDITGROUPS_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditorEditgroups -    lazy_static! { -        pub static ref GET_EDITOR_EDITGROUPS_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditorEditgroups -    lazy_static! { -        pub static ref GET_EDITOR_EDITGROUPS_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateEditgroup -    lazy_static! { -        pub static ref UPDATE_EDITGROUP_UPDATED_EDITGROUP: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateEditgroup -    lazy_static! { -        pub static ref UPDATE_EDITGROUP_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateEditgroup -    lazy_static! { -        pub static ref UPDATE_EDITGROUP_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateEditgroup -    lazy_static! { -        pub static ref UPDATE_EDITGROUP_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateEditgroup -    lazy_static! { -        pub static ref UPDATE_EDITGROUP_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateEditgroup -    lazy_static! { -        pub static ref UPDATE_EDITGROUP_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateEditor -    lazy_static! { -        pub static ref UPDATE_EDITOR_UPDATED_EDITOR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateEditor -    lazy_static! { -        pub static ref UPDATE_EDITOR_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateEditor -    lazy_static! { -        pub static ref UPDATE_EDITOR_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateEditor -    lazy_static! { -        pub static ref UPDATE_EDITOR_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateEditor -    lazy_static! { -        pub static ref UPDATE_EDITOR_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateEditor -    lazy_static! { -        pub static ref UPDATE_EDITOR_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AcceptEditgroup -    lazy_static! { -        pub static ref ACCEPT_EDITGROUP_MERGED_SUCCESSFULLY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AcceptEditgroup -    lazy_static! { -        pub static ref ACCEPT_EDITGROUP_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AcceptEditgroup -    lazy_static! { -        pub static ref ACCEPT_EDITGROUP_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AcceptEditgroup -    lazy_static! { -        pub static ref ACCEPT_EDITGROUP_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AcceptEditgroup -    lazy_static! { -        pub static ref ACCEPT_EDITGROUP_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AcceptEditgroup -    lazy_static! { -        pub static ref ACCEPT_EDITGROUP_EDIT_CONFLICT: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for AcceptEditgroup -    lazy_static! { -        pub static ref ACCEPT_EDITGROUP_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateEditgroup -    lazy_static! { -        pub static ref CREATE_EDITGROUP_SUCCESSFULLY_CREATED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateEditgroup -    lazy_static! { -        pub static ref CREATE_EDITGROUP_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateEditgroup -    lazy_static! { -        pub static ref CREATE_EDITGROUP_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateEditgroup -    lazy_static! { -        pub static ref CREATE_EDITGROUP_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateEditgroup -    lazy_static! { -        pub static ref CREATE_EDITGROUP_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateEditgroup -    lazy_static! { -        pub static ref CREATE_EDITGROUP_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateEditgroupAnnotation -    lazy_static! { -        pub static ref CREATE_EDITGROUP_ANNOTATION_CREATED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateEditgroupAnnotation -    lazy_static! { -        pub static ref CREATE_EDITGROUP_ANNOTATION_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateEditgroupAnnotation -    lazy_static! { -        pub static ref CREATE_EDITGROUP_ANNOTATION_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateEditgroupAnnotation -    lazy_static! { -        pub static ref CREATE_EDITGROUP_ANNOTATION_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateEditgroupAnnotation -    lazy_static! { -        pub static ref CREATE_EDITGROUP_ANNOTATION_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateEditgroupAnnotation -    lazy_static! { -        pub static ref CREATE_EDITGROUP_ANNOTATION_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetChangelog -    lazy_static! { -        pub static ref GET_CHANGELOG_SUCCESS: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetChangelog -    lazy_static! { -        pub static ref GET_CHANGELOG_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetChangelog -    lazy_static! { -        pub static ref GET_CHANGELOG_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetChangelogEntry -    lazy_static! { -        pub static ref GET_CHANGELOG_ENTRY_FOUND_CHANGELOG_ENTRY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetChangelogEntry -    lazy_static! { -        pub static ref GET_CHANGELOG_ENTRY_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetChangelogEntry -    lazy_static! { -        pub static ref GET_CHANGELOG_ENTRY_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetChangelogEntry -    lazy_static! { -        pub static ref GET_CHANGELOG_ENTRY_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditgroup -    lazy_static! { -        pub static ref GET_EDITGROUP_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditgroup -    lazy_static! { -        pub static ref GET_EDITGROUP_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditgroup -    lazy_static! { -        pub static ref GET_EDITGROUP_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditgroup -    lazy_static! { -        pub static ref GET_EDITGROUP_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditgroupAnnotations -    lazy_static! { -        pub static ref GET_EDITGROUP_ANNOTATIONS_SUCCESS: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditgroupAnnotations -    lazy_static! { -        pub static ref GET_EDITGROUP_ANNOTATIONS_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditgroupAnnotations -    lazy_static! { -        pub static ref GET_EDITGROUP_ANNOTATIONS_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditgroupAnnotations -    lazy_static! { -        pub static ref GET_EDITGROUP_ANNOTATIONS_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditgroupAnnotations -    lazy_static! { -        pub static ref GET_EDITGROUP_ANNOTATIONS_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditgroupAnnotations -    lazy_static! { -        pub static ref GET_EDITGROUP_ANNOTATIONS_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditorAnnotations -    lazy_static! { -        pub static ref GET_EDITOR_ANNOTATIONS_SUCCESS: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditorAnnotations -    lazy_static! { -        pub static ref GET_EDITOR_ANNOTATIONS_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditorAnnotations -    lazy_static! { -        pub static ref GET_EDITOR_ANNOTATIONS_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditorAnnotations -    lazy_static! { -        pub static ref GET_EDITOR_ANNOTATIONS_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditorAnnotations -    lazy_static! { -        pub static ref GET_EDITOR_ANNOTATIONS_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetEditorAnnotations -    lazy_static! { -        pub static ref GET_EDITOR_ANNOTATIONS_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFile -    lazy_static! { -        pub static ref CREATE_FILE_CREATED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFile -    lazy_static! { -        pub static ref CREATE_FILE_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFile -    lazy_static! { -        pub static ref CREATE_FILE_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFile -    lazy_static! { -        pub static ref CREATE_FILE_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFile -    lazy_static! { -        pub static ref CREATE_FILE_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFile -    lazy_static! { -        pub static ref CREATE_FILE_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFileAutoBatch -    lazy_static! { -        pub static ref CREATE_FILE_AUTO_BATCH_CREATED_EDITGROUP: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFileAutoBatch -    lazy_static! { -        pub static ref CREATE_FILE_AUTO_BATCH_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFileAutoBatch -    lazy_static! { -        pub static ref CREATE_FILE_AUTO_BATCH_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFileAutoBatch -    lazy_static! { -        pub static ref CREATE_FILE_AUTO_BATCH_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFileAutoBatch -    lazy_static! { -        pub static ref CREATE_FILE_AUTO_BATCH_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFileAutoBatch -    lazy_static! { -        pub static ref CREATE_FILE_AUTO_BATCH_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFile -    lazy_static! { -        pub static ref DELETE_FILE_DELETED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFile -    lazy_static! { -        pub static ref DELETE_FILE_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFile -    lazy_static! { -        pub static ref DELETE_FILE_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFile -    lazy_static! { -        pub static ref DELETE_FILE_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFile -    lazy_static! { -        pub static ref DELETE_FILE_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFile -    lazy_static! { -        pub static ref DELETE_FILE_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFileEdit -    lazy_static! { -        pub static ref DELETE_FILE_EDIT_DELETED_EDIT: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFileEdit -    lazy_static! { -        pub static ref DELETE_FILE_EDIT_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFileEdit -    lazy_static! { -        pub static ref DELETE_FILE_EDIT_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFileEdit -    lazy_static! { -        pub static ref DELETE_FILE_EDIT_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFileEdit -    lazy_static! { -        pub static ref DELETE_FILE_EDIT_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFileEdit -    lazy_static! { -        pub static ref DELETE_FILE_EDIT_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFile -    lazy_static! { -        pub static ref GET_FILE_FOUND_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFile -    lazy_static! { -        pub static ref GET_FILE_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFile -    lazy_static! { -        pub static ref GET_FILE_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFile -    lazy_static! { -        pub static ref GET_FILE_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileEdit -    lazy_static! { -        pub static ref GET_FILE_EDIT_FOUND_EDIT: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileEdit -    lazy_static! { -        pub static ref GET_FILE_EDIT_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileEdit -    lazy_static! { -        pub static ref GET_FILE_EDIT_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileEdit -    lazy_static! { -        pub static ref GET_FILE_EDIT_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileHistory -    lazy_static! { -        pub static ref GET_FILE_HISTORY_FOUND_ENTITY_HISTORY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileHistory -    lazy_static! { -        pub static ref GET_FILE_HISTORY_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileHistory -    lazy_static! { -        pub static ref GET_FILE_HISTORY_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileHistory -    lazy_static! { -        pub static ref GET_FILE_HISTORY_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileRedirects -    lazy_static! { -        pub static ref GET_FILE_REDIRECTS_FOUND_ENTITY_REDIRECTS: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileRedirects -    lazy_static! { -        pub static ref GET_FILE_REDIRECTS_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileRedirects -    lazy_static! { -        pub static ref GET_FILE_REDIRECTS_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileRedirects -    lazy_static! { -        pub static ref GET_FILE_REDIRECTS_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileRevision -    lazy_static! { -        pub static ref GET_FILE_REVISION_FOUND_ENTITY_REVISION: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileRevision -    lazy_static! { -        pub static ref GET_FILE_REVISION_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileRevision -    lazy_static! { -        pub static ref GET_FILE_REVISION_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileRevision -    lazy_static! { -        pub static ref GET_FILE_REVISION_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for LookupFile -    lazy_static! { -        pub static ref LOOKUP_FILE_FOUND_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for LookupFile -    lazy_static! { -        pub static ref LOOKUP_FILE_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for LookupFile -    lazy_static! { -        pub static ref LOOKUP_FILE_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for LookupFile -    lazy_static! { -        pub static ref LOOKUP_FILE_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateFile -    lazy_static! { -        pub static ref UPDATE_FILE_UPDATED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateFile -    lazy_static! { -        pub static ref UPDATE_FILE_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateFile -    lazy_static! { -        pub static ref UPDATE_FILE_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateFile -    lazy_static! { -        pub static ref UPDATE_FILE_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateFile -    lazy_static! { -        pub static ref UPDATE_FILE_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateFile -    lazy_static! { -        pub static ref UPDATE_FILE_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFileset -    lazy_static! { -        pub static ref CREATE_FILESET_CREATED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFileset -    lazy_static! { -        pub static ref CREATE_FILESET_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFileset -    lazy_static! { -        pub static ref CREATE_FILESET_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFileset -    lazy_static! { -        pub static ref CREATE_FILESET_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFileset -    lazy_static! { -        pub static ref CREATE_FILESET_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFileset -    lazy_static! { -        pub static ref CREATE_FILESET_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFilesetAutoBatch -    lazy_static! { -        pub static ref CREATE_FILESET_AUTO_BATCH_CREATED_EDITGROUP: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFilesetAutoBatch -    lazy_static! { -        pub static ref CREATE_FILESET_AUTO_BATCH_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFilesetAutoBatch -    lazy_static! { -        pub static ref CREATE_FILESET_AUTO_BATCH_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFilesetAutoBatch -    lazy_static! { -        pub static ref CREATE_FILESET_AUTO_BATCH_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFilesetAutoBatch -    lazy_static! { -        pub static ref CREATE_FILESET_AUTO_BATCH_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateFilesetAutoBatch -    lazy_static! { -        pub static ref CREATE_FILESET_AUTO_BATCH_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFileset -    lazy_static! { -        pub static ref DELETE_FILESET_DELETED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFileset -    lazy_static! { -        pub static ref DELETE_FILESET_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFileset -    lazy_static! { -        pub static ref DELETE_FILESET_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFileset -    lazy_static! { -        pub static ref DELETE_FILESET_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFileset -    lazy_static! { -        pub static ref DELETE_FILESET_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFileset -    lazy_static! { -        pub static ref DELETE_FILESET_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFilesetEdit -    lazy_static! { -        pub static ref DELETE_FILESET_EDIT_DELETED_EDIT: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFilesetEdit -    lazy_static! { -        pub static ref DELETE_FILESET_EDIT_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFilesetEdit -    lazy_static! { -        pub static ref DELETE_FILESET_EDIT_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFilesetEdit -    lazy_static! { -        pub static ref DELETE_FILESET_EDIT_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFilesetEdit -    lazy_static! { -        pub static ref DELETE_FILESET_EDIT_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteFilesetEdit -    lazy_static! { -        pub static ref DELETE_FILESET_EDIT_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileset -    lazy_static! { -        pub static ref GET_FILESET_FOUND_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileset -    lazy_static! { -        pub static ref GET_FILESET_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileset -    lazy_static! { -        pub static ref GET_FILESET_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFileset -    lazy_static! { -        pub static ref GET_FILESET_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFilesetEdit -    lazy_static! { -        pub static ref GET_FILESET_EDIT_FOUND_EDIT: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFilesetEdit -    lazy_static! { -        pub static ref GET_FILESET_EDIT_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFilesetEdit -    lazy_static! { -        pub static ref GET_FILESET_EDIT_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFilesetEdit -    lazy_static! { -        pub static ref GET_FILESET_EDIT_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFilesetHistory -    lazy_static! { -        pub static ref GET_FILESET_HISTORY_FOUND_ENTITY_HISTORY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFilesetHistory -    lazy_static! { -        pub static ref GET_FILESET_HISTORY_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFilesetHistory -    lazy_static! { -        pub static ref GET_FILESET_HISTORY_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFilesetHistory -    lazy_static! { -        pub static ref GET_FILESET_HISTORY_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFilesetRedirects -    lazy_static! { -        pub static ref GET_FILESET_REDIRECTS_FOUND_ENTITY_REDIRECTS: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFilesetRedirects -    lazy_static! { -        pub static ref GET_FILESET_REDIRECTS_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFilesetRedirects -    lazy_static! { -        pub static ref GET_FILESET_REDIRECTS_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFilesetRedirects -    lazy_static! { -        pub static ref GET_FILESET_REDIRECTS_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFilesetRevision -    lazy_static! { -        pub static ref GET_FILESET_REVISION_FOUND_ENTITY_REVISION: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFilesetRevision -    lazy_static! { -        pub static ref GET_FILESET_REVISION_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFilesetRevision -    lazy_static! { -        pub static ref GET_FILESET_REVISION_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetFilesetRevision -    lazy_static! { -        pub static ref GET_FILESET_REVISION_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateFileset -    lazy_static! { -        pub static ref UPDATE_FILESET_UPDATED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateFileset -    lazy_static! { -        pub static ref UPDATE_FILESET_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateFileset -    lazy_static! { -        pub static ref UPDATE_FILESET_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateFileset -    lazy_static! { -        pub static ref UPDATE_FILESET_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateFileset -    lazy_static! { -        pub static ref UPDATE_FILESET_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateFileset -    lazy_static! { -        pub static ref UPDATE_FILESET_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateRelease -    lazy_static! { -        pub static ref CREATE_RELEASE_CREATED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateRelease -    lazy_static! { -        pub static ref CREATE_RELEASE_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateRelease -    lazy_static! { -        pub static ref CREATE_RELEASE_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateRelease -    lazy_static! { -        pub static ref CREATE_RELEASE_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateRelease -    lazy_static! { -        pub static ref CREATE_RELEASE_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateRelease -    lazy_static! { -        pub static ref CREATE_RELEASE_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateReleaseAutoBatch -    lazy_static! { -        pub static ref CREATE_RELEASE_AUTO_BATCH_CREATED_EDITGROUP: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateReleaseAutoBatch -    lazy_static! { -        pub static ref CREATE_RELEASE_AUTO_BATCH_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateReleaseAutoBatch -    lazy_static! { -        pub static ref CREATE_RELEASE_AUTO_BATCH_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateReleaseAutoBatch -    lazy_static! { -        pub static ref CREATE_RELEASE_AUTO_BATCH_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateReleaseAutoBatch -    lazy_static! { -        pub static ref CREATE_RELEASE_AUTO_BATCH_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateReleaseAutoBatch -    lazy_static! { -        pub static ref CREATE_RELEASE_AUTO_BATCH_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWork -    lazy_static! { -        pub static ref CREATE_WORK_CREATED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWork -    lazy_static! { -        pub static ref CREATE_WORK_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWork -    lazy_static! { -        pub static ref CREATE_WORK_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWork -    lazy_static! { -        pub static ref CREATE_WORK_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWork -    lazy_static! { -        pub static ref CREATE_WORK_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWork -    lazy_static! { -        pub static ref CREATE_WORK_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteRelease -    lazy_static! { -        pub static ref DELETE_RELEASE_DELETED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteRelease -    lazy_static! { -        pub static ref DELETE_RELEASE_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteRelease -    lazy_static! { -        pub static ref DELETE_RELEASE_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteRelease -    lazy_static! { -        pub static ref DELETE_RELEASE_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteRelease -    lazy_static! { -        pub static ref DELETE_RELEASE_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteRelease -    lazy_static! { -        pub static ref DELETE_RELEASE_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteReleaseEdit -    lazy_static! { -        pub static ref DELETE_RELEASE_EDIT_DELETED_EDIT: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteReleaseEdit -    lazy_static! { -        pub static ref DELETE_RELEASE_EDIT_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteReleaseEdit -    lazy_static! { -        pub static ref DELETE_RELEASE_EDIT_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteReleaseEdit -    lazy_static! { -        pub static ref DELETE_RELEASE_EDIT_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteReleaseEdit -    lazy_static! { -        pub static ref DELETE_RELEASE_EDIT_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteReleaseEdit -    lazy_static! { -        pub static ref DELETE_RELEASE_EDIT_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetRelease -    lazy_static! { -        pub static ref GET_RELEASE_FOUND_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetRelease -    lazy_static! { -        pub static ref GET_RELEASE_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetRelease -    lazy_static! { -        pub static ref GET_RELEASE_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetRelease -    lazy_static! { -        pub static ref GET_RELEASE_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseEdit -    lazy_static! { -        pub static ref GET_RELEASE_EDIT_FOUND_EDIT: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseEdit -    lazy_static! { -        pub static ref GET_RELEASE_EDIT_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseEdit -    lazy_static! { -        pub static ref GET_RELEASE_EDIT_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseEdit -    lazy_static! { -        pub static ref GET_RELEASE_EDIT_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseFiles -    lazy_static! { -        pub static ref GET_RELEASE_FILES_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseFiles -    lazy_static! { -        pub static ref GET_RELEASE_FILES_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseFiles -    lazy_static! { -        pub static ref GET_RELEASE_FILES_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseFiles -    lazy_static! { -        pub static ref GET_RELEASE_FILES_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseFilesets -    lazy_static! { -        pub static ref GET_RELEASE_FILESETS_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseFilesets -    lazy_static! { -        pub static ref GET_RELEASE_FILESETS_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseFilesets -    lazy_static! { -        pub static ref GET_RELEASE_FILESETS_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseFilesets -    lazy_static! { -        pub static ref GET_RELEASE_FILESETS_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseHistory -    lazy_static! { -        pub static ref GET_RELEASE_HISTORY_FOUND_ENTITY_HISTORY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseHistory -    lazy_static! { -        pub static ref GET_RELEASE_HISTORY_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseHistory -    lazy_static! { -        pub static ref GET_RELEASE_HISTORY_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseHistory -    lazy_static! { -        pub static ref GET_RELEASE_HISTORY_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseRedirects -    lazy_static! { -        pub static ref GET_RELEASE_REDIRECTS_FOUND_ENTITY_REDIRECTS: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseRedirects -    lazy_static! { -        pub static ref GET_RELEASE_REDIRECTS_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseRedirects -    lazy_static! { -        pub static ref GET_RELEASE_REDIRECTS_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseRedirects -    lazy_static! { -        pub static ref GET_RELEASE_REDIRECTS_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseRevision -    lazy_static! { -        pub static ref GET_RELEASE_REVISION_FOUND_ENTITY_REVISION: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseRevision -    lazy_static! { -        pub static ref GET_RELEASE_REVISION_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseRevision -    lazy_static! { -        pub static ref GET_RELEASE_REVISION_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseRevision -    lazy_static! { -        pub static ref GET_RELEASE_REVISION_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseWebcaptures -    lazy_static! { -        pub static ref GET_RELEASE_WEBCAPTURES_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseWebcaptures -    lazy_static! { -        pub static ref GET_RELEASE_WEBCAPTURES_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseWebcaptures -    lazy_static! { -        pub static ref GET_RELEASE_WEBCAPTURES_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetReleaseWebcaptures -    lazy_static! { -        pub static ref GET_RELEASE_WEBCAPTURES_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for LookupRelease -    lazy_static! { -        pub static ref LOOKUP_RELEASE_FOUND_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for LookupRelease -    lazy_static! { -        pub static ref LOOKUP_RELEASE_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for LookupRelease -    lazy_static! { -        pub static ref LOOKUP_RELEASE_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for LookupRelease -    lazy_static! { -        pub static ref LOOKUP_RELEASE_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateRelease -    lazy_static! { -        pub static ref UPDATE_RELEASE_UPDATED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateRelease -    lazy_static! { -        pub static ref UPDATE_RELEASE_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateRelease -    lazy_static! { -        pub static ref UPDATE_RELEASE_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateRelease -    lazy_static! { -        pub static ref UPDATE_RELEASE_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateRelease -    lazy_static! { -        pub static ref UPDATE_RELEASE_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateRelease -    lazy_static! { -        pub static ref UPDATE_RELEASE_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWebcapture -    lazy_static! { -        pub static ref CREATE_WEBCAPTURE_CREATED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWebcapture -    lazy_static! { -        pub static ref CREATE_WEBCAPTURE_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWebcapture -    lazy_static! { -        pub static ref CREATE_WEBCAPTURE_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWebcapture -    lazy_static! { -        pub static ref CREATE_WEBCAPTURE_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWebcapture -    lazy_static! { -        pub static ref CREATE_WEBCAPTURE_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWebcapture -    lazy_static! { -        pub static ref CREATE_WEBCAPTURE_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWebcaptureAutoBatch -    lazy_static! { -        pub static ref CREATE_WEBCAPTURE_AUTO_BATCH_CREATED_EDITGROUP: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWebcaptureAutoBatch -    lazy_static! { -        pub static ref CREATE_WEBCAPTURE_AUTO_BATCH_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWebcaptureAutoBatch -    lazy_static! { -        pub static ref CREATE_WEBCAPTURE_AUTO_BATCH_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWebcaptureAutoBatch -    lazy_static! { -        pub static ref CREATE_WEBCAPTURE_AUTO_BATCH_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWebcaptureAutoBatch -    lazy_static! { -        pub static ref CREATE_WEBCAPTURE_AUTO_BATCH_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWebcaptureAutoBatch -    lazy_static! { -        pub static ref CREATE_WEBCAPTURE_AUTO_BATCH_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWebcapture -    lazy_static! { -        pub static ref DELETE_WEBCAPTURE_DELETED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWebcapture -    lazy_static! { -        pub static ref DELETE_WEBCAPTURE_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWebcapture -    lazy_static! { -        pub static ref DELETE_WEBCAPTURE_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWebcapture -    lazy_static! { -        pub static ref DELETE_WEBCAPTURE_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWebcapture -    lazy_static! { -        pub static ref DELETE_WEBCAPTURE_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWebcapture -    lazy_static! { -        pub static ref DELETE_WEBCAPTURE_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWebcaptureEdit -    lazy_static! { -        pub static ref DELETE_WEBCAPTURE_EDIT_DELETED_EDIT: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWebcaptureEdit -    lazy_static! { -        pub static ref DELETE_WEBCAPTURE_EDIT_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWebcaptureEdit -    lazy_static! { -        pub static ref DELETE_WEBCAPTURE_EDIT_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWebcaptureEdit -    lazy_static! { -        pub static ref DELETE_WEBCAPTURE_EDIT_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWebcaptureEdit -    lazy_static! { -        pub static ref DELETE_WEBCAPTURE_EDIT_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWebcaptureEdit -    lazy_static! { -        pub static ref DELETE_WEBCAPTURE_EDIT_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcapture -    lazy_static! { -        pub static ref GET_WEBCAPTURE_FOUND_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcapture -    lazy_static! { -        pub static ref GET_WEBCAPTURE_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcapture -    lazy_static! { -        pub static ref GET_WEBCAPTURE_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcapture -    lazy_static! { -        pub static ref GET_WEBCAPTURE_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcaptureEdit -    lazy_static! { -        pub static ref GET_WEBCAPTURE_EDIT_FOUND_EDIT: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcaptureEdit -    lazy_static! { -        pub static ref GET_WEBCAPTURE_EDIT_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcaptureEdit -    lazy_static! { -        pub static ref GET_WEBCAPTURE_EDIT_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcaptureEdit -    lazy_static! { -        pub static ref GET_WEBCAPTURE_EDIT_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcaptureHistory -    lazy_static! { -        pub static ref GET_WEBCAPTURE_HISTORY_FOUND_ENTITY_HISTORY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcaptureHistory -    lazy_static! { -        pub static ref GET_WEBCAPTURE_HISTORY_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcaptureHistory -    lazy_static! { -        pub static ref GET_WEBCAPTURE_HISTORY_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcaptureHistory -    lazy_static! { -        pub static ref GET_WEBCAPTURE_HISTORY_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcaptureRedirects -    lazy_static! { -        pub static ref GET_WEBCAPTURE_REDIRECTS_FOUND_ENTITY_REDIRECTS: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcaptureRedirects -    lazy_static! { -        pub static ref GET_WEBCAPTURE_REDIRECTS_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcaptureRedirects -    lazy_static! { -        pub static ref GET_WEBCAPTURE_REDIRECTS_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcaptureRedirects -    lazy_static! { -        pub static ref GET_WEBCAPTURE_REDIRECTS_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcaptureRevision -    lazy_static! { -        pub static ref GET_WEBCAPTURE_REVISION_FOUND_ENTITY_REVISION: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcaptureRevision -    lazy_static! { -        pub static ref GET_WEBCAPTURE_REVISION_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcaptureRevision -    lazy_static! { -        pub static ref GET_WEBCAPTURE_REVISION_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWebcaptureRevision -    lazy_static! { -        pub static ref GET_WEBCAPTURE_REVISION_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateWebcapture -    lazy_static! { -        pub static ref UPDATE_WEBCAPTURE_UPDATED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateWebcapture -    lazy_static! { -        pub static ref UPDATE_WEBCAPTURE_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateWebcapture -    lazy_static! { -        pub static ref UPDATE_WEBCAPTURE_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateWebcapture -    lazy_static! { -        pub static ref UPDATE_WEBCAPTURE_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateWebcapture -    lazy_static! { -        pub static ref UPDATE_WEBCAPTURE_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateWebcapture -    lazy_static! { -        pub static ref UPDATE_WEBCAPTURE_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWorkAutoBatch -    lazy_static! { -        pub static ref CREATE_WORK_AUTO_BATCH_CREATED_EDITGROUP: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWorkAutoBatch -    lazy_static! { -        pub static ref CREATE_WORK_AUTO_BATCH_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWorkAutoBatch -    lazy_static! { -        pub static ref CREATE_WORK_AUTO_BATCH_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWorkAutoBatch -    lazy_static! { -        pub static ref CREATE_WORK_AUTO_BATCH_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWorkAutoBatch -    lazy_static! { -        pub static ref CREATE_WORK_AUTO_BATCH_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for CreateWorkAutoBatch -    lazy_static! { -        pub static ref CREATE_WORK_AUTO_BATCH_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWork -    lazy_static! { -        pub static ref DELETE_WORK_DELETED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWork -    lazy_static! { -        pub static ref DELETE_WORK_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWork -    lazy_static! { -        pub static ref DELETE_WORK_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWork -    lazy_static! { -        pub static ref DELETE_WORK_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWork -    lazy_static! { -        pub static ref DELETE_WORK_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWork -    lazy_static! { -        pub static ref DELETE_WORK_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWorkEdit -    lazy_static! { -        pub static ref DELETE_WORK_EDIT_DELETED_EDIT: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWorkEdit -    lazy_static! { -        pub static ref DELETE_WORK_EDIT_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWorkEdit -    lazy_static! { -        pub static ref DELETE_WORK_EDIT_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWorkEdit -    lazy_static! { -        pub static ref DELETE_WORK_EDIT_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWorkEdit -    lazy_static! { -        pub static ref DELETE_WORK_EDIT_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for DeleteWorkEdit -    lazy_static! { -        pub static ref DELETE_WORK_EDIT_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWork -    lazy_static! { -        pub static ref GET_WORK_FOUND_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWork -    lazy_static! { -        pub static ref GET_WORK_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWork -    lazy_static! { -        pub static ref GET_WORK_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWork -    lazy_static! { -        pub static ref GET_WORK_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkEdit -    lazy_static! { -        pub static ref GET_WORK_EDIT_FOUND_EDIT: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkEdit -    lazy_static! { -        pub static ref GET_WORK_EDIT_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkEdit -    lazy_static! { -        pub static ref GET_WORK_EDIT_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkEdit -    lazy_static! { -        pub static ref GET_WORK_EDIT_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkHistory -    lazy_static! { -        pub static ref GET_WORK_HISTORY_FOUND_ENTITY_HISTORY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkHistory -    lazy_static! { -        pub static ref GET_WORK_HISTORY_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkHistory -    lazy_static! { -        pub static ref GET_WORK_HISTORY_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkHistory -    lazy_static! { -        pub static ref GET_WORK_HISTORY_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkRedirects -    lazy_static! { -        pub static ref GET_WORK_REDIRECTS_FOUND_ENTITY_REDIRECTS: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkRedirects -    lazy_static! { -        pub static ref GET_WORK_REDIRECTS_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkRedirects -    lazy_static! { -        pub static ref GET_WORK_REDIRECTS_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkRedirects -    lazy_static! { -        pub static ref GET_WORK_REDIRECTS_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkReleases -    lazy_static! { -        pub static ref GET_WORK_RELEASES_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkReleases -    lazy_static! { -        pub static ref GET_WORK_RELEASES_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkReleases -    lazy_static! { -        pub static ref GET_WORK_RELEASES_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkReleases -    lazy_static! { -        pub static ref GET_WORK_RELEASES_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkRevision -    lazy_static! { -        pub static ref GET_WORK_REVISION_FOUND_ENTITY_REVISION: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkRevision -    lazy_static! { -        pub static ref GET_WORK_REVISION_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkRevision -    lazy_static! { -        pub static ref GET_WORK_REVISION_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for GetWorkRevision -    lazy_static! { -        pub static ref GET_WORK_REVISION_GENERIC_ERROR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateWork -    lazy_static! { -        pub static ref UPDATE_WORK_UPDATED_ENTITY: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateWork -    lazy_static! { -        pub static ref UPDATE_WORK_BAD_REQUEST: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateWork -    lazy_static! { -        pub static ref UPDATE_WORK_NOT_AUTHORIZED: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateWork -    lazy_static! { -        pub static ref UPDATE_WORK_FORBIDDEN: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateWork -    lazy_static! { -        pub static ref UPDATE_WORK_NOT_FOUND: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the response content types for UpdateWork -    lazy_static! { -        pub static ref UPDATE_WORK_GENERIC_ERROR: Mime = mime!(Application / Json); -    } - -} - -pub mod requests { -    use hyper::mime::*; -    /// Create Mime objects for the request content types for CreateContainer -    lazy_static! { -        pub static ref CREATE_CONTAINER: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for CreateContainerAutoBatch -    lazy_static! { -        pub static ref CREATE_CONTAINER_AUTO_BATCH: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for UpdateContainer -    lazy_static! { -        pub static ref UPDATE_CONTAINER: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for CreateCreator -    lazy_static! { -        pub static ref CREATE_CREATOR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for CreateCreatorAutoBatch -    lazy_static! { -        pub static ref CREATE_CREATOR_AUTO_BATCH: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for UpdateCreator -    lazy_static! { -        pub static ref UPDATE_CREATOR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for AuthOidc -    lazy_static! { -        pub static ref AUTH_OIDC: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for UpdateEditgroup -    lazy_static! { -        pub static ref UPDATE_EDITGROUP: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for UpdateEditor -    lazy_static! { -        pub static ref UPDATE_EDITOR: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for CreateEditgroup -    lazy_static! { -        pub static ref CREATE_EDITGROUP: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for CreateEditgroupAnnotation -    lazy_static! { -        pub static ref CREATE_EDITGROUP_ANNOTATION: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for CreateFile -    lazy_static! { -        pub static ref CREATE_FILE: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for CreateFileAutoBatch -    lazy_static! { -        pub static ref CREATE_FILE_AUTO_BATCH: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for UpdateFile -    lazy_static! { -        pub static ref UPDATE_FILE: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for CreateFileset -    lazy_static! { -        pub static ref CREATE_FILESET: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for CreateFilesetAutoBatch -    lazy_static! { -        pub static ref CREATE_FILESET_AUTO_BATCH: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for UpdateFileset -    lazy_static! { -        pub static ref UPDATE_FILESET: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for CreateRelease -    lazy_static! { -        pub static ref CREATE_RELEASE: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for CreateReleaseAutoBatch -    lazy_static! { -        pub static ref CREATE_RELEASE_AUTO_BATCH: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for CreateWork -    lazy_static! { -        pub static ref CREATE_WORK: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for UpdateRelease -    lazy_static! { -        pub static ref UPDATE_RELEASE: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for CreateWebcapture -    lazy_static! { -        pub static ref CREATE_WEBCAPTURE: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for CreateWebcaptureAutoBatch -    lazy_static! { -        pub static ref CREATE_WEBCAPTURE_AUTO_BATCH: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for UpdateWebcapture -    lazy_static! { -        pub static ref UPDATE_WEBCAPTURE: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for CreateWorkAutoBatch -    lazy_static! { -        pub static ref CREATE_WORK_AUTO_BATCH: Mime = mime!(Application / Json); -    } -    /// Create Mime objects for the request content types for UpdateWork -    lazy_static! { -        pub static ref UPDATE_WORK: Mime = mime!(Application / Json); -    } - -} diff --git a/rust/fatcat-api-spec/src/models.rs b/rust/fatcat-api-spec/src/models.rs deleted file mode 100644 index c8b68328..00000000 --- a/rust/fatcat-api-spec/src/models.rs +++ /dev/null @@ -1,1433 +0,0 @@ -#![allow(unused_imports, unused_qualifications, unused_extern_crates)] -extern crate chrono; -extern crate serde_json; -extern crate uuid; - -use serde::ser::Serializer; - -use models; -use std::collections::HashMap; -use swagger; - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct AuthOidc { -    #[serde(rename = "provider")] -    pub provider: String, - -    #[serde(rename = "sub")] -    pub sub: String, - -    #[serde(rename = "iss")] -    pub iss: String, - -    #[serde(rename = "preferred_username")] -    pub preferred_username: String, -} - -impl AuthOidc { -    pub fn new(provider: String, sub: String, iss: String, preferred_username: String) -> AuthOidc { -        AuthOidc { -            provider: provider, -            sub: sub, -            iss: iss, -            preferred_username: preferred_username, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct AuthOidcResult { -    #[serde(rename = "editor")] -    pub editor: models::Editor, - -    #[serde(rename = "token")] -    pub token: String, -} - -impl AuthOidcResult { -    pub fn new(editor: models::Editor, token: String) -> AuthOidcResult { -        AuthOidcResult { editor: editor, token: token } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct ChangelogEntry { -    #[serde(rename = "index")] -    pub index: i64, - -    #[serde(rename = "editgroup_id")] -    pub editgroup_id: String, - -    #[serde(rename = "timestamp")] -    pub timestamp: chrono::DateTime<chrono::Utc>, - -    #[serde(rename = "editgroup")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub editgroup: Option<models::Editgroup>, -} - -impl ChangelogEntry { -    pub fn new(index: i64, editgroup_id: String, timestamp: chrono::DateTime<chrono::Utc>) -> ChangelogEntry { -        ChangelogEntry { -            index: index, -            editgroup_id: editgroup_id, -            timestamp: timestamp, -            editgroup: None, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct ContainerAutoBatch { -    #[serde(rename = "editgroup")] -    pub editgroup: models::Editgroup, - -    #[serde(rename = "entity_list")] -    pub entity_list: Vec<models::ContainerEntity>, -} - -impl ContainerAutoBatch { -    pub fn new(editgroup: models::Editgroup, entity_list: Vec<models::ContainerEntity>) -> ContainerAutoBatch { -        ContainerAutoBatch { -            editgroup: editgroup, -            entity_list: entity_list, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct ContainerEntity { -    #[serde(rename = "wikidata_qid")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub wikidata_qid: Option<String>, - -    #[serde(rename = "issnl")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub issnl: Option<String>, - -    #[serde(rename = "publisher")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub publisher: Option<String>, - -    /// Eg, 'journal' -    #[serde(rename = "container_type")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub container_type: Option<String>, - -    /// Required for valid entities -    #[serde(rename = "name")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub name: Option<String>, - -    #[serde(rename = "edit_extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub edit_extra: Option<serde_json::Value>, - -    #[serde(rename = "extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub extra: Option<serde_json::Value>, - -    /// base32-encoded unique identifier -    #[serde(rename = "redirect")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub redirect: Option<String>, - -    /// UUID (lower-case, dash-separated, hex-encoded 128-bit) -    #[serde(rename = "revision")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub revision: Option<String>, - -    /// base32-encoded unique identifier -    #[serde(rename = "ident")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub ident: Option<String>, - -    // Note: inline enums are not fully supported by swagger-codegen -    #[serde(rename = "state")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub state: Option<String>, -} - -impl ContainerEntity { -    pub fn new() -> ContainerEntity { -        ContainerEntity { -            wikidata_qid: None, -            issnl: None, -            publisher: None, -            container_type: None, -            name: None, -            edit_extra: None, -            extra: None, -            redirect: None, -            revision: None, -            ident: None, -            state: None, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct CreatorAutoBatch { -    #[serde(rename = "editgroup")] -    pub editgroup: models::Editgroup, - -    #[serde(rename = "entity_list")] -    pub entity_list: Vec<models::CreatorEntity>, -} - -impl CreatorAutoBatch { -    pub fn new(editgroup: models::Editgroup, entity_list: Vec<models::CreatorEntity>) -> CreatorAutoBatch { -        CreatorAutoBatch { -            editgroup: editgroup, -            entity_list: entity_list, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct CreatorEntity { -    #[serde(rename = "wikidata_qid")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub wikidata_qid: Option<String>, - -    #[serde(rename = "orcid")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub orcid: Option<String>, - -    #[serde(rename = "surname")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub surname: Option<String>, - -    #[serde(rename = "given_name")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub given_name: Option<String>, - -    /// Required for valid entities -    #[serde(rename = "display_name")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub display_name: Option<String>, - -    // Note: inline enums are not fully supported by swagger-codegen -    #[serde(rename = "state")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub state: Option<String>, - -    /// base32-encoded unique identifier -    #[serde(rename = "ident")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub ident: Option<String>, - -    /// UUID (lower-case, dash-separated, hex-encoded 128-bit) -    #[serde(rename = "revision")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub revision: Option<String>, - -    /// base32-encoded unique identifier -    #[serde(rename = "redirect")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub redirect: Option<String>, - -    #[serde(rename = "extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub extra: Option<serde_json::Value>, - -    #[serde(rename = "edit_extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub edit_extra: Option<serde_json::Value>, -} - -impl CreatorEntity { -    pub fn new() -> CreatorEntity { -        CreatorEntity { -            wikidata_qid: None, -            orcid: None, -            surname: None, -            given_name: None, -            display_name: None, -            state: None, -            ident: None, -            revision: None, -            redirect: None, -            extra: None, -            edit_extra: None, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct Editgroup { -    /// base32-encoded unique identifier -    #[serde(rename = "editgroup_id")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub editgroup_id: Option<String>, - -    /// base32-encoded unique identifier -    #[serde(rename = "editor_id")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub editor_id: Option<String>, - -    #[serde(rename = "editor")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub editor: Option<models::Editor>, - -    #[serde(rename = "changelog_index")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub changelog_index: Option<i64>, - -    #[serde(rename = "created")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub created: Option<chrono::DateTime<chrono::Utc>>, - -    #[serde(rename = "submitted")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub submitted: Option<chrono::DateTime<chrono::Utc>>, - -    #[serde(rename = "description")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub description: Option<String>, - -    #[serde(rename = "extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub extra: Option<serde_json::Value>, - -    #[serde(rename = "annotations")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub annotations: Option<Vec<models::EditgroupAnnotation>>, - -    #[serde(rename = "edits")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub edits: Option<models::EditgroupEdits>, -} - -impl Editgroup { -    pub fn new() -> Editgroup { -        Editgroup { -            editgroup_id: None, -            editor_id: None, -            editor: None, -            changelog_index: None, -            created: None, -            submitted: None, -            description: None, -            extra: None, -            annotations: None, -            edits: None, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct EditgroupAnnotation { -    /// UUID (lower-case, dash-separated, hex-encoded 128-bit) -    #[serde(rename = "annotation_id")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub annotation_id: Option<String>, - -    /// base32-encoded unique identifier -    #[serde(rename = "editgroup_id")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub editgroup_id: Option<String>, - -    /// base32-encoded unique identifier -    #[serde(rename = "editor_id")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub editor_id: Option<String>, - -    #[serde(rename = "editor")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub editor: Option<models::Editor>, - -    #[serde(rename = "created")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub created: Option<chrono::DateTime<chrono::Utc>>, - -    #[serde(rename = "comment_markdown")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub comment_markdown: Option<String>, - -    #[serde(rename = "extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub extra: Option<serde_json::Value>, -} - -impl EditgroupAnnotation { -    pub fn new() -> EditgroupAnnotation { -        EditgroupAnnotation { -            annotation_id: None, -            editgroup_id: None, -            editor_id: None, -            editor: None, -            created: None, -            comment_markdown: None, -            extra: None, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct EditgroupEdits { -    #[serde(rename = "containers")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub containers: Option<Vec<models::EntityEdit>>, - -    #[serde(rename = "creators")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub creators: Option<Vec<models::EntityEdit>>, - -    #[serde(rename = "files")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub files: Option<Vec<models::EntityEdit>>, - -    #[serde(rename = "filesets")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub filesets: Option<Vec<models::EntityEdit>>, - -    #[serde(rename = "webcaptures")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub webcaptures: Option<Vec<models::EntityEdit>>, - -    #[serde(rename = "releases")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub releases: Option<Vec<models::EntityEdit>>, - -    #[serde(rename = "works")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub works: Option<Vec<models::EntityEdit>>, -} - -impl EditgroupEdits { -    pub fn new() -> EditgroupEdits { -        EditgroupEdits { -            containers: None, -            creators: None, -            files: None, -            filesets: None, -            webcaptures: None, -            releases: None, -            works: None, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct Editor { -    /// base32-encoded unique identifier -    #[serde(rename = "editor_id")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub editor_id: Option<String>, - -    #[serde(rename = "username")] -    pub username: String, - -    #[serde(rename = "is_admin")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub is_admin: Option<bool>, - -    #[serde(rename = "is_bot")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub is_bot: Option<bool>, - -    #[serde(rename = "is_active")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub is_active: Option<bool>, -} - -impl Editor { -    pub fn new(username: String) -> Editor { -        Editor { -            editor_id: None, -            username: username, -            is_admin: None, -            is_bot: None, -            is_active: None, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct EntityEdit { -    /// UUID (lower-case, dash-separated, hex-encoded 128-bit) -    #[serde(rename = "edit_id")] -    pub edit_id: String, - -    /// base32-encoded unique identifier -    #[serde(rename = "ident")] -    pub ident: String, - -    /// UUID (lower-case, dash-separated, hex-encoded 128-bit) -    #[serde(rename = "revision")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub revision: Option<String>, - -    /// UUID (lower-case, dash-separated, hex-encoded 128-bit) -    #[serde(rename = "prev_revision")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub prev_revision: Option<String>, - -    /// base32-encoded unique identifier -    #[serde(rename = "redirect_ident")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub redirect_ident: Option<String>, - -    /// base32-encoded unique identifier -    #[serde(rename = "editgroup_id")] -    pub editgroup_id: String, - -    #[serde(rename = "extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub extra: Option<serde_json::Value>, -} - -impl EntityEdit { -    pub fn new(edit_id: String, ident: String, editgroup_id: String) -> EntityEdit { -        EntityEdit { -            edit_id: edit_id, -            ident: ident, -            revision: None, -            prev_revision: None, -            redirect_ident: None, -            editgroup_id: editgroup_id, -            extra: None, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct EntityHistoryEntry { -    #[serde(rename = "edit")] -    pub edit: models::EntityEdit, - -    #[serde(rename = "editgroup")] -    pub editgroup: models::Editgroup, - -    #[serde(rename = "changelog_entry")] -    pub changelog_entry: models::ChangelogEntry, -} - -impl EntityHistoryEntry { -    pub fn new(edit: models::EntityEdit, editgroup: models::Editgroup, changelog_entry: models::ChangelogEntry) -> EntityHistoryEntry { -        EntityHistoryEntry { -            edit: edit, -            editgroup: editgroup, -            changelog_entry: changelog_entry, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct ErrorResponse { -    #[serde(rename = "success")] -    pub success: bool, - -    #[serde(rename = "error")] -    pub error: String, - -    #[serde(rename = "message")] -    pub message: String, -} - -impl ErrorResponse { -    pub fn new(success: bool, error: String, message: String) -> ErrorResponse { -        ErrorResponse { -            success: success, -            error: error, -            message: message, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct FileAutoBatch { -    #[serde(rename = "editgroup")] -    pub editgroup: models::Editgroup, - -    #[serde(rename = "entity_list")] -    pub entity_list: Vec<models::FileEntity>, -} - -impl FileAutoBatch { -    pub fn new(editgroup: models::Editgroup, entity_list: Vec<models::FileEntity>) -> FileAutoBatch { -        FileAutoBatch { -            editgroup: editgroup, -            entity_list: entity_list, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct FileEntity { -    /// Optional; GET-only -    #[serde(rename = "releases")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub releases: Option<Vec<models::ReleaseEntity>>, - -    #[serde(rename = "release_ids")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub release_ids: Option<Vec<String>>, - -    #[serde(rename = "mimetype")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub mimetype: Option<String>, - -    #[serde(rename = "urls")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub urls: Option<Vec<models::FileUrl>>, - -    #[serde(rename = "sha256")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub sha256: Option<String>, - -    #[serde(rename = "sha1")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub sha1: Option<String>, - -    #[serde(rename = "md5")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub md5: Option<String>, - -    #[serde(rename = "size")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub size: Option<i64>, - -    #[serde(rename = "edit_extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub edit_extra: Option<serde_json::Value>, - -    #[serde(rename = "extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub extra: Option<serde_json::Value>, - -    /// base32-encoded unique identifier -    #[serde(rename = "redirect")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub redirect: Option<String>, - -    /// UUID (lower-case, dash-separated, hex-encoded 128-bit) -    #[serde(rename = "revision")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub revision: Option<String>, - -    /// base32-encoded unique identifier -    #[serde(rename = "ident")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub ident: Option<String>, - -    // Note: inline enums are not fully supported by swagger-codegen -    #[serde(rename = "state")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub state: Option<String>, -} - -impl FileEntity { -    pub fn new() -> FileEntity { -        FileEntity { -            releases: None, -            release_ids: None, -            mimetype: None, -            urls: None, -            sha256: None, -            sha1: None, -            md5: None, -            size: None, -            edit_extra: None, -            extra: None, -            redirect: None, -            revision: None, -            ident: None, -            state: None, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct FileUrl { -    #[serde(rename = "url")] -    pub url: String, - -    #[serde(rename = "rel")] -    pub rel: String, -} - -impl FileUrl { -    pub fn new(url: String, rel: String) -> FileUrl { -        FileUrl { url: url, rel: rel } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct FilesetAutoBatch { -    #[serde(rename = "editgroup")] -    pub editgroup: models::Editgroup, - -    #[serde(rename = "entity_list")] -    pub entity_list: Vec<models::FilesetEntity>, -} - -impl FilesetAutoBatch { -    pub fn new(editgroup: models::Editgroup, entity_list: Vec<models::FilesetEntity>) -> FilesetAutoBatch { -        FilesetAutoBatch { -            editgroup: editgroup, -            entity_list: entity_list, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct FilesetEntity { -    /// Optional; GET-only -    #[serde(rename = "releases")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub releases: Option<Vec<models::ReleaseEntity>>, - -    #[serde(rename = "release_ids")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub release_ids: Option<Vec<String>>, - -    #[serde(rename = "urls")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub urls: Option<Vec<models::FilesetUrl>>, - -    #[serde(rename = "manifest")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub manifest: Option<Vec<models::FilesetFile>>, - -    // Note: inline enums are not fully supported by swagger-codegen -    #[serde(rename = "state")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub state: Option<String>, - -    /// base32-encoded unique identifier -    #[serde(rename = "ident")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub ident: Option<String>, - -    /// UUID (lower-case, dash-separated, hex-encoded 128-bit) -    #[serde(rename = "revision")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub revision: Option<String>, - -    /// base32-encoded unique identifier -    #[serde(rename = "redirect")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub redirect: Option<String>, - -    #[serde(rename = "extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub extra: Option<serde_json::Value>, - -    #[serde(rename = "edit_extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub edit_extra: Option<serde_json::Value>, -} - -impl FilesetEntity { -    pub fn new() -> FilesetEntity { -        FilesetEntity { -            releases: None, -            release_ids: None, -            urls: None, -            manifest: None, -            state: None, -            ident: None, -            revision: None, -            redirect: None, -            extra: None, -            edit_extra: None, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct FilesetFile { -    #[serde(rename = "path")] -    pub path: String, - -    #[serde(rename = "size")] -    pub size: i64, - -    #[serde(rename = "md5")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub md5: Option<String>, - -    #[serde(rename = "sha1")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub sha1: Option<String>, - -    #[serde(rename = "sha256")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub sha256: Option<String>, - -    #[serde(rename = "extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub extra: Option<serde_json::Value>, -} - -impl FilesetFile { -    pub fn new(path: String, size: i64) -> FilesetFile { -        FilesetFile { -            path: path, -            size: size, -            md5: None, -            sha1: None, -            sha256: None, -            extra: None, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct FilesetUrl { -    #[serde(rename = "url")] -    pub url: String, - -    #[serde(rename = "rel")] -    pub rel: String, -} - -impl FilesetUrl { -    pub fn new(url: String, rel: String) -> FilesetUrl { -        FilesetUrl { url: url, rel: rel } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct ReleaseAbstract { -    #[serde(rename = "sha1")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub sha1: Option<String>, - -    #[serde(rename = "content")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub content: Option<String>, - -    #[serde(rename = "mimetype")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub mimetype: Option<String>, - -    #[serde(rename = "lang")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub lang: Option<String>, -} - -impl ReleaseAbstract { -    pub fn new() -> ReleaseAbstract { -        ReleaseAbstract { -            sha1: None, -            content: None, -            mimetype: None, -            lang: None, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct ReleaseAutoBatch { -    #[serde(rename = "editgroup")] -    pub editgroup: models::Editgroup, - -    #[serde(rename = "entity_list")] -    pub entity_list: Vec<models::ReleaseEntity>, -} - -impl ReleaseAutoBatch { -    pub fn new(editgroup: models::Editgroup, entity_list: Vec<models::ReleaseEntity>) -> ReleaseAutoBatch { -        ReleaseAutoBatch { -            editgroup: editgroup, -            entity_list: entity_list, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct ReleaseContrib { -    #[serde(rename = "index")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub index: Option<i64>, - -    /// base32-encoded unique identifier -    #[serde(rename = "creator_id")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub creator_id: Option<String>, - -    /// Optional; GET-only -    #[serde(rename = "creator")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub creator: Option<models::CreatorEntity>, - -    #[serde(rename = "raw_name")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub raw_name: Option<String>, - -    #[serde(rename = "given_name")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub given_name: Option<String>, - -    #[serde(rename = "surname")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub surname: Option<String>, - -    #[serde(rename = "role")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub role: Option<String>, - -    /// Raw affiliation string as displayed in text -    #[serde(rename = "raw_affiliation")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub raw_affiliation: Option<String>, - -    #[serde(rename = "extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub extra: Option<serde_json::Value>, -} - -impl ReleaseContrib { -    pub fn new() -> ReleaseContrib { -        ReleaseContrib { -            index: None, -            creator_id: None, -            creator: None, -            raw_name: None, -            given_name: None, -            surname: None, -            role: None, -            raw_affiliation: None, -            extra: None, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct ReleaseEntity { -    #[serde(rename = "abstracts")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub abstracts: Option<Vec<models::ReleaseAbstract>>, - -    #[serde(rename = "refs")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub refs: Option<Vec<models::ReleaseRef>>, - -    #[serde(rename = "contribs")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub contribs: Option<Vec<models::ReleaseContrib>>, - -    /// Short version of license name. Eg, 'CC-BY' -    #[serde(rename = "license_slug")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub license_slug: Option<String>, - -    /// Two-letter RFC1766/ISO639-1 language code, with extensions -    #[serde(rename = "language")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub language: Option<String>, - -    #[serde(rename = "publisher")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub publisher: Option<String>, - -    #[serde(rename = "version")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub version: Option<String>, - -    #[serde(rename = "number")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub number: Option<String>, - -    #[serde(rename = "pages")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub pages: Option<String>, - -    #[serde(rename = "issue")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub issue: Option<String>, - -    #[serde(rename = "volume")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub volume: Option<String>, - -    #[serde(rename = "ext_ids")] -    pub ext_ids: models::ReleaseExtIds, - -    #[serde(rename = "withdrawn_year")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub withdrawn_year: Option<i64>, - -    #[serde(rename = "withdrawn_date")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub withdrawn_date: Option<chrono::NaiveDate>, - -    #[serde(rename = "withdrawn_status")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub withdrawn_status: Option<String>, - -    #[serde(rename = "release_year")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub release_year: Option<i64>, - -    #[serde(rename = "release_date")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub release_date: Option<chrono::NaiveDate>, - -    #[serde(rename = "release_stage")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub release_stage: Option<String>, - -    #[serde(rename = "release_type")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub release_type: Option<String>, - -    #[serde(rename = "container_id")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub container_id: Option<String>, - -    /// Optional; GET-only -    #[serde(rename = "webcaptures")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub webcaptures: Option<Vec<models::WebcaptureEntity>>, - -    /// Optional; GET-only -    #[serde(rename = "filesets")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub filesets: Option<Vec<models::FilesetEntity>>, - -    /// Optional; GET-only -    #[serde(rename = "files")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub files: Option<Vec<models::FileEntity>>, - -    /// Optional; GET-only -    #[serde(rename = "container")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub container: Option<models::ContainerEntity>, - -    #[serde(rename = "work_id")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub work_id: Option<String>, - -    /// Title in original language (or, the language of the full text of this release) -    #[serde(rename = "original_title")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub original_title: Option<String>, - -    /// Avoid this field if possible, and merge with title; usually English -    #[serde(rename = "subtitle")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub subtitle: Option<String>, - -    /// Required for valid entities. The title used in citations and for display; usually English -    #[serde(rename = "title")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub title: Option<String>, - -    // Note: inline enums are not fully supported by swagger-codegen -    #[serde(rename = "state")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub state: Option<String>, - -    /// base32-encoded unique identifier -    #[serde(rename = "ident")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub ident: Option<String>, - -    /// UUID (lower-case, dash-separated, hex-encoded 128-bit) -    #[serde(rename = "revision")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub revision: Option<String>, - -    /// base32-encoded unique identifier -    #[serde(rename = "redirect")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub redirect: Option<String>, - -    #[serde(rename = "extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub extra: Option<serde_json::Value>, - -    #[serde(rename = "edit_extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub edit_extra: Option<serde_json::Value>, -} - -impl ReleaseEntity { -    pub fn new(ext_ids: models::ReleaseExtIds) -> ReleaseEntity { -        ReleaseEntity { -            abstracts: None, -            refs: None, -            contribs: None, -            license_slug: None, -            language: None, -            publisher: None, -            version: None, -            number: None, -            pages: None, -            issue: None, -            volume: None, -            ext_ids: ext_ids, -            withdrawn_year: None, -            withdrawn_date: None, -            withdrawn_status: None, -            release_year: None, -            release_date: None, -            release_stage: None, -            release_type: None, -            container_id: None, -            webcaptures: None, -            filesets: None, -            files: None, -            container: None, -            work_id: None, -            original_title: None, -            subtitle: None, -            title: None, -            state: None, -            ident: None, -            revision: None, -            redirect: None, -            extra: None, -            edit_extra: None, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct ReleaseExtIds { -    #[serde(rename = "doi")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub doi: Option<String>, - -    #[serde(rename = "wikidata_qid")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub wikidata_qid: Option<String>, - -    #[serde(rename = "isbn13")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub isbn13: Option<String>, - -    #[serde(rename = "pmid")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub pmid: Option<String>, - -    #[serde(rename = "pmcid")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub pmcid: Option<String>, - -    #[serde(rename = "core")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub core: Option<String>, - -    #[serde(rename = "arxiv")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub arxiv: Option<String>, - -    #[serde(rename = "jstor")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub jstor: Option<String>, - -    #[serde(rename = "ark")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub ark: Option<String>, - -    #[serde(rename = "mag")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub mag: Option<String>, -} - -impl ReleaseExtIds { -    pub fn new() -> ReleaseExtIds { -        ReleaseExtIds { -            doi: None, -            wikidata_qid: None, -            isbn13: None, -            pmid: None, -            pmcid: None, -            core: None, -            arxiv: None, -            jstor: None, -            ark: None, -            mag: None, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct ReleaseRef { -    #[serde(rename = "index")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub index: Option<i64>, - -    /// base32-encoded unique identifier -    #[serde(rename = "target_release_id")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub target_release_id: Option<String>, - -    #[serde(rename = "extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub extra: Option<serde_json::Value>, - -    #[serde(rename = "key")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub key: Option<String>, - -    #[serde(rename = "year")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub year: Option<i64>, - -    #[serde(rename = "container_name")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub container_name: Option<String>, - -    #[serde(rename = "title")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub title: Option<String>, - -    #[serde(rename = "locator")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub locator: Option<String>, -} - -impl ReleaseRef { -    pub fn new() -> ReleaseRef { -        ReleaseRef { -            index: None, -            target_release_id: None, -            extra: None, -            key: None, -            year: None, -            container_name: None, -            title: None, -            locator: None, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct Success { -    #[serde(rename = "success")] -    pub success: bool, - -    #[serde(rename = "message")] -    pub message: String, -} - -impl Success { -    pub fn new(success: bool, message: String) -> Success { -        Success { success: success, message: message } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct WebcaptureAutoBatch { -    #[serde(rename = "editgroup")] -    pub editgroup: models::Editgroup, - -    #[serde(rename = "entity_list")] -    pub entity_list: Vec<models::WebcaptureEntity>, -} - -impl WebcaptureAutoBatch { -    pub fn new(editgroup: models::Editgroup, entity_list: Vec<models::WebcaptureEntity>) -> WebcaptureAutoBatch { -        WebcaptureAutoBatch { -            editgroup: editgroup, -            entity_list: entity_list, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct WebcaptureCdxLine { -    #[serde(rename = "surt")] -    pub surt: String, - -    /// UTC, 'Z'-terminated, second (or better) precision -    #[serde(rename = "timestamp")] -    pub timestamp: chrono::DateTime<chrono::Utc>, - -    #[serde(rename = "url")] -    pub url: String, - -    #[serde(rename = "mimetype")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub mimetype: Option<String>, - -    #[serde(rename = "status_code")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub status_code: Option<i64>, - -    #[serde(rename = "size")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub size: Option<i64>, - -    #[serde(rename = "sha1")] -    pub sha1: String, - -    #[serde(rename = "sha256")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub sha256: Option<String>, -} - -impl WebcaptureCdxLine { -    pub fn new(surt: String, timestamp: chrono::DateTime<chrono::Utc>, url: String, sha1: String) -> WebcaptureCdxLine { -        WebcaptureCdxLine { -            surt: surt, -            timestamp: timestamp, -            url: url, -            mimetype: None, -            status_code: None, -            size: None, -            sha1: sha1, -            sha256: None, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct WebcaptureEntity { -    /// Optional; GET-only -    #[serde(rename = "releases")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub releases: Option<Vec<models::ReleaseEntity>>, - -    #[serde(rename = "release_ids")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub release_ids: Option<Vec<String>>, - -    /// same format as CDX line timestamp (UTC, etc). Corresponds to the overall capture timestamp. Can be the earliest or average of CDX timestamps if that makes sense. -    #[serde(rename = "timestamp")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub timestamp: Option<chrono::DateTime<chrono::Utc>>, - -    #[serde(rename = "original_url")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub original_url: Option<String>, - -    #[serde(rename = "archive_urls")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub archive_urls: Option<Vec<models::WebcaptureUrl>>, - -    #[serde(rename = "cdx")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub cdx: Option<Vec<models::WebcaptureCdxLine>>, - -    #[serde(rename = "edit_extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub edit_extra: Option<serde_json::Value>, - -    #[serde(rename = "extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub extra: Option<serde_json::Value>, - -    /// base32-encoded unique identifier -    #[serde(rename = "redirect")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub redirect: Option<String>, - -    /// UUID (lower-case, dash-separated, hex-encoded 128-bit) -    #[serde(rename = "revision")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub revision: Option<String>, - -    /// base32-encoded unique identifier -    #[serde(rename = "ident")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub ident: Option<String>, - -    // Note: inline enums are not fully supported by swagger-codegen -    #[serde(rename = "state")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub state: Option<String>, -} - -impl WebcaptureEntity { -    pub fn new() -> WebcaptureEntity { -        WebcaptureEntity { -            releases: None, -            release_ids: None, -            timestamp: None, -            original_url: None, -            archive_urls: None, -            cdx: None, -            edit_extra: None, -            extra: None, -            redirect: None, -            revision: None, -            ident: None, -            state: None, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct WebcaptureUrl { -    #[serde(rename = "url")] -    pub url: String, - -    #[serde(rename = "rel")] -    pub rel: String, -} - -impl WebcaptureUrl { -    pub fn new(url: String, rel: String) -> WebcaptureUrl { -        WebcaptureUrl { url: url, rel: rel } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct WorkAutoBatch { -    #[serde(rename = "editgroup")] -    pub editgroup: models::Editgroup, - -    #[serde(rename = "entity_list")] -    pub entity_list: Vec<models::WorkEntity>, -} - -impl WorkAutoBatch { -    pub fn new(editgroup: models::Editgroup, entity_list: Vec<models::WorkEntity>) -> WorkAutoBatch { -        WorkAutoBatch { -            editgroup: editgroup, -            entity_list: entity_list, -        } -    } -} - -#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)] -pub struct WorkEntity { -    #[serde(rename = "edit_extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub edit_extra: Option<serde_json::Value>, - -    #[serde(rename = "extra")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub extra: Option<serde_json::Value>, - -    /// base32-encoded unique identifier -    #[serde(rename = "redirect")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub redirect: Option<String>, - -    /// UUID (lower-case, dash-separated, hex-encoded 128-bit) -    #[serde(rename = "revision")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub revision: Option<String>, - -    /// base32-encoded unique identifier -    #[serde(rename = "ident")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub ident: Option<String>, - -    // Note: inline enums are not fully supported by swagger-codegen -    #[serde(rename = "state")] -    #[serde(skip_serializing_if = "Option::is_none")] -    pub state: Option<String>, -} - -impl WorkEntity { -    pub fn new() -> WorkEntity { -        WorkEntity { -            edit_extra: None, -            extra: None, -            redirect: None, -            revision: None, -            ident: None, -            state: None, -        } -    } -} diff --git a/rust/fatcat-api-spec/src/server.rs b/rust/fatcat-api-spec/src/server.rs deleted file mode 100644 index 102b6e41..00000000 --- a/rust/fatcat-api-spec/src/server.rs +++ /dev/null @@ -1,10872 +0,0 @@ -#![allow(unused_extern_crates)] -extern crate bodyparser; -extern crate chrono; -extern crate iron; -extern crate router; -extern crate serde_ignored; -extern crate urlencoded; -extern crate uuid; - -use self::iron::prelude::*; -use self::iron::url::percent_encoding::percent_decode; -use self::iron::{modifiers, status, BeforeMiddleware}; -use self::router::Router; -use self::urlencoded::UrlEncodedQuery; -use futures::future; -use futures::Future; -use futures::{stream, Stream}; -use hyper; -use hyper::header::{ContentType, Headers}; -use mimetypes; - -use serde_json; - -#[allow(unused_imports)] -use std::collections::{BTreeMap, HashMap}; -use std::io::Error; -#[allow(unused_imports)] -use swagger; - -#[allow(unused_imports)] -use std::collections::BTreeSet; - -pub use swagger::auth::Authorization; -use swagger::auth::{AuthData, Scopes}; -use swagger::{ApiError, Context, XSpanId}; - -#[allow(unused_imports)] -use models; -use { -    AcceptEditgroupResponse, Api, AuthCheckResponse, AuthOidcResponse, CreateContainerAutoBatchResponse, CreateContainerResponse, CreateCreatorAutoBatchResponse, CreateCreatorResponse, -    CreateEditgroupAnnotationResponse, CreateEditgroupResponse, CreateFileAutoBatchResponse, CreateFileResponse, CreateFilesetAutoBatchResponse, CreateFilesetResponse, CreateReleaseAutoBatchResponse, -    CreateReleaseResponse, CreateWebcaptureAutoBatchResponse, CreateWebcaptureResponse, CreateWorkAutoBatchResponse, CreateWorkResponse, DeleteContainerEditResponse, DeleteContainerResponse, -    DeleteCreatorEditResponse, DeleteCreatorResponse, DeleteFileEditResponse, DeleteFileResponse, DeleteFilesetEditResponse, DeleteFilesetResponse, DeleteReleaseEditResponse, DeleteReleaseResponse, -    DeleteWebcaptureEditResponse, DeleteWebcaptureResponse, DeleteWorkEditResponse, DeleteWorkResponse, GetChangelogEntryResponse, GetChangelogResponse, GetContainerEditResponse, -    GetContainerHistoryResponse, GetContainerRedirectsResponse, GetContainerResponse, GetContainerRevisionResponse, GetCreatorEditResponse, GetCreatorHistoryResponse, GetCreatorRedirectsResponse, -    GetCreatorReleasesResponse, GetCreatorResponse, GetCreatorRevisionResponse, GetEditgroupAnnotationsResponse, GetEditgroupResponse, GetEditgroupsReviewableResponse, GetEditorAnnotationsResponse, -    GetEditorEditgroupsResponse, GetEditorResponse, GetFileEditResponse, GetFileHistoryResponse, GetFileRedirectsResponse, GetFileResponse, GetFileRevisionResponse, GetFilesetEditResponse, -    GetFilesetHistoryResponse, GetFilesetRedirectsResponse, GetFilesetResponse, GetFilesetRevisionResponse, GetReleaseEditResponse, GetReleaseFilesResponse, GetReleaseFilesetsResponse, -    GetReleaseHistoryResponse, GetReleaseRedirectsResponse, GetReleaseResponse, GetReleaseRevisionResponse, GetReleaseWebcapturesResponse, GetWebcaptureEditResponse, GetWebcaptureHistoryResponse, -    GetWebcaptureRedirectsResponse, GetWebcaptureResponse, GetWebcaptureRevisionResponse, GetWorkEditResponse, GetWorkHistoryResponse, GetWorkRedirectsResponse, GetWorkReleasesResponse, -    GetWorkResponse, GetWorkRevisionResponse, LookupContainerResponse, LookupCreatorResponse, LookupFileResponse, LookupReleaseResponse, UpdateContainerResponse, UpdateCreatorResponse, -    UpdateEditgroupResponse, UpdateEditorResponse, UpdateFileResponse, UpdateFilesetResponse, UpdateReleaseResponse, UpdateWebcaptureResponse, UpdateWorkResponse, -}; - -header! { (Warning, "Warning") => [String] } - -/// Create a new router for `Api` -pub fn router<T>(api: T) -> Router -where -    T: Api + Send + Sync + Clone + 'static, -{ -    let mut router = Router::new(); -    add_routes(&mut router, api); -    router -} - -/// Add routes for `Api` to a provided router. -/// -/// Note that these routes are added straight onto the router. This means that if the router -/// already has a route for an endpoint which clashes with those provided by this API, then the -/// old route will be lost. -/// -/// It is generally a bad idea to add routes in this way to an existing router, which may have -/// routes on it for other APIs. Distinct APIs should be behind distinct paths to encourage -/// separation of interfaces, which this function does not enforce. APIs should not overlap. -/// -/// Alternative approaches include: -/// -/// - generate an `iron::middleware::Handler` (usually a `router::Router` or -///   `iron::middleware::chain`) for each interface, and add those handlers inside an existing -///   router, mounted at different paths - so the interfaces are separated by path -/// - use a different instance of `iron::Iron` for each interface - so the interfaces are -///   separated by the address/port they listen on -/// -/// This function exists to allow legacy code, which doesn't separate its APIs properly, to make -/// use of this crate. -#[deprecated(note = "APIs should not overlap - only for use in legacy code.")] -pub fn route<T>(router: &mut Router, api: T) -where -    T: Api + Send + Sync + Clone + 'static, -{ -    add_routes(router, api) -} - -/// Add routes for `Api` to a provided router -fn add_routes<T>(router: &mut Router, api: T) -where -    T: Api + Send + Sync + Clone + 'static, -{ -    let api_clone = api.clone(); -    router.post( -        "/v0/editgroup/:editgroup_id/container", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_entity = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_entity = if let Some(param_entity_raw) = param_entity { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_entity_raw); - -                    let param_entity: Option<models::ContainerEntity> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - doesn't match schema: {}", e))))?; - -                    param_entity -                } else { -                    None -                }; -                let param_entity = param_entity.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter entity".to_string())))?; - -                match api.create_container(param_editgroup_id, param_entity, context).wait() { -                    Ok(rsp) => match rsp { -                        CreateContainerResponse::CreatedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(201), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CONTAINER_CREATED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateContainerResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CONTAINER_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateContainerResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CONTAINER_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateContainerResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CONTAINER_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateContainerResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CONTAINER_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateContainerResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CONTAINER_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "CreateContainer", -    ); - -    let api_clone = api.clone(); -    router.post( -        "/v0/editgroup/auto/container/batch", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_auto_batch = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter auto_batch - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_auto_batch = if let Some(param_auto_batch_raw) = param_auto_batch { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_auto_batch_raw); - -                    let param_auto_batch: Option<models::ContainerAutoBatch> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter auto_batch - doesn't match schema: {}", e))))?; - -                    param_auto_batch -                } else { -                    None -                }; -                let param_auto_batch = param_auto_batch.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter auto_batch".to_string())))?; - -                match api.create_container_auto_batch(param_auto_batch, context).wait() { -                    Ok(rsp) => match rsp { -                        CreateContainerAutoBatchResponse::CreatedEditgroup(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(201), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CONTAINER_AUTO_BATCH_CREATED_EDITGROUP.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateContainerAutoBatchResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CONTAINER_AUTO_BATCH_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateContainerAutoBatchResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CONTAINER_AUTO_BATCH_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateContainerAutoBatchResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CONTAINER_AUTO_BATCH_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateContainerAutoBatchResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CONTAINER_AUTO_BATCH_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateContainerAutoBatchResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CONTAINER_AUTO_BATCH_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "CreateContainerAutoBatch", -    ); - -    let api_clone = api.clone(); -    router.delete( -        "/v0/editgroup/:editgroup_id/container/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                match api.delete_container(param_editgroup_id, param_ident, context).wait() { -                    Ok(rsp) => match rsp { -                        DeleteContainerResponse::DeletedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CONTAINER_DELETED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteContainerResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CONTAINER_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteContainerResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CONTAINER_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteContainerResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CONTAINER_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteContainerResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CONTAINER_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteContainerResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CONTAINER_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "DeleteContainer", -    ); - -    let api_clone = api.clone(); -    router.delete( -        "/v0/editgroup/:editgroup_id/container/edit/:edit_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_edit_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("edit_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter edit_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter edit_id: {}", e))))? -                }; - -                match api.delete_container_edit(param_editgroup_id, param_edit_id, context).wait() { -                    Ok(rsp) => match rsp { -                        DeleteContainerEditResponse::DeletedEdit(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CONTAINER_EDIT_DELETED_EDIT.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteContainerEditResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CONTAINER_EDIT_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteContainerEditResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CONTAINER_EDIT_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteContainerEditResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CONTAINER_EDIT_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteContainerEditResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CONTAINER_EDIT_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteContainerEditResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CONTAINER_EDIT_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "DeleteContainerEdit", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/container/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_container(param_ident, param_expand, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetContainerResponse::FoundEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_FOUND_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetContainerResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetContainerResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetContainerResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetContainer", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/container/edit/:edit_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_edit_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("edit_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter edit_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter edit_id: {}", e))))? -                }; - -                match api.get_container_edit(param_edit_id, context).wait() { -                    Ok(rsp) => match rsp { -                        GetContainerEditResponse::FoundEdit(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_EDIT_FOUND_EDIT.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetContainerEditResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_EDIT_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetContainerEditResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_EDIT_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetContainerEditResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_EDIT_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetContainerEdit", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/container/:ident/history", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_limit = query_params -                    .get("limit") -                    .and_then(|list| list.first()) -                    .and_then(|x| Some(x.parse::<i64>())) -                    .map_or_else(|| Ok(None), |x| x.map(|v| Some(v))) -                    .map_err(|x| Response::with((status::BadRequest, "unparsable query parameter (expected integer)".to_string())))?; - -                match api.get_container_history(param_ident, param_limit, context).wait() { -                    Ok(rsp) => match rsp { -                        GetContainerHistoryResponse::FoundEntityHistory(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_HISTORY_FOUND_ENTITY_HISTORY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetContainerHistoryResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_HISTORY_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetContainerHistoryResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_HISTORY_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetContainerHistoryResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_HISTORY_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetContainerHistory", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/container/:ident/redirects", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                match api.get_container_redirects(param_ident, context).wait() { -                    Ok(rsp) => match rsp { -                        GetContainerRedirectsResponse::FoundEntityRedirects(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_REDIRECTS_FOUND_ENTITY_REDIRECTS.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetContainerRedirectsResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_REDIRECTS_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetContainerRedirectsResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_REDIRECTS_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetContainerRedirectsResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_REDIRECTS_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetContainerRedirects", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/container/rev/:rev_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_rev_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("rev_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter rev_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter rev_id: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_container_revision(param_rev_id, param_expand, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetContainerRevisionResponse::FoundEntityRevision(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_REVISION_FOUND_ENTITY_REVISION.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetContainerRevisionResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_REVISION_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetContainerRevisionResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_REVISION_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetContainerRevisionResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CONTAINER_REVISION_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetContainerRevision", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/container/lookup", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_issnl = query_params.get("issnl").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_wikidata_qid = query_params.get("wikidata_qid").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.lookup_container(param_issnl, param_wikidata_qid, param_expand, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        LookupContainerResponse::FoundEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::LOOKUP_CONTAINER_FOUND_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        LookupContainerResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::LOOKUP_CONTAINER_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        LookupContainerResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::LOOKUP_CONTAINER_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        LookupContainerResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::LOOKUP_CONTAINER_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "LookupContainer", -    ); - -    let api_clone = api.clone(); -    router.put( -        "/v0/editgroup/:editgroup_id/container/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_entity = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_entity = if let Some(param_entity_raw) = param_entity { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_entity_raw); - -                    let param_entity: Option<models::ContainerEntity> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - doesn't match schema: {}", e))))?; - -                    param_entity -                } else { -                    None -                }; -                let param_entity = param_entity.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter entity".to_string())))?; - -                match api.update_container(param_editgroup_id, param_ident, param_entity, context).wait() { -                    Ok(rsp) => match rsp { -                        UpdateContainerResponse::UpdatedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_CONTAINER_UPDATED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateContainerResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_CONTAINER_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateContainerResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_CONTAINER_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateContainerResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_CONTAINER_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateContainerResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_CONTAINER_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateContainerResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_CONTAINER_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "UpdateContainer", -    ); - -    let api_clone = api.clone(); -    router.post( -        "/v0/editgroup/:editgroup_id/creator", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_entity = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_entity = if let Some(param_entity_raw) = param_entity { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_entity_raw); - -                    let param_entity: Option<models::CreatorEntity> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - doesn't match schema: {}", e))))?; - -                    param_entity -                } else { -                    None -                }; -                let param_entity = param_entity.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter entity".to_string())))?; - -                match api.create_creator(param_editgroup_id, param_entity, context).wait() { -                    Ok(rsp) => match rsp { -                        CreateCreatorResponse::CreatedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(201), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CREATOR_CREATED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateCreatorResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CREATOR_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateCreatorResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CREATOR_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateCreatorResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CREATOR_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateCreatorResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CREATOR_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateCreatorResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CREATOR_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "CreateCreator", -    ); - -    let api_clone = api.clone(); -    router.post( -        "/v0/editgroup/auto/creator/batch", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_auto_batch = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter auto_batch - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_auto_batch = if let Some(param_auto_batch_raw) = param_auto_batch { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_auto_batch_raw); - -                    let param_auto_batch: Option<models::CreatorAutoBatch> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter auto_batch - doesn't match schema: {}", e))))?; - -                    param_auto_batch -                } else { -                    None -                }; -                let param_auto_batch = param_auto_batch.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter auto_batch".to_string())))?; - -                match api.create_creator_auto_batch(param_auto_batch, context).wait() { -                    Ok(rsp) => match rsp { -                        CreateCreatorAutoBatchResponse::CreatedEditgroup(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(201), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CREATOR_AUTO_BATCH_CREATED_EDITGROUP.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateCreatorAutoBatchResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CREATOR_AUTO_BATCH_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateCreatorAutoBatchResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CREATOR_AUTO_BATCH_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateCreatorAutoBatchResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CREATOR_AUTO_BATCH_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateCreatorAutoBatchResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CREATOR_AUTO_BATCH_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateCreatorAutoBatchResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_CREATOR_AUTO_BATCH_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "CreateCreatorAutoBatch", -    ); - -    let api_clone = api.clone(); -    router.delete( -        "/v0/editgroup/:editgroup_id/creator/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                match api.delete_creator(param_editgroup_id, param_ident, context).wait() { -                    Ok(rsp) => match rsp { -                        DeleteCreatorResponse::DeletedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CREATOR_DELETED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteCreatorResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CREATOR_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteCreatorResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CREATOR_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteCreatorResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CREATOR_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteCreatorResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CREATOR_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteCreatorResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CREATOR_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "DeleteCreator", -    ); - -    let api_clone = api.clone(); -    router.delete( -        "/v0/editgroup/:editgroup_id/creator/edit/:edit_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_edit_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("edit_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter edit_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter edit_id: {}", e))))? -                }; - -                match api.delete_creator_edit(param_editgroup_id, param_edit_id, context).wait() { -                    Ok(rsp) => match rsp { -                        DeleteCreatorEditResponse::DeletedEdit(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CREATOR_EDIT_DELETED_EDIT.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteCreatorEditResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CREATOR_EDIT_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteCreatorEditResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CREATOR_EDIT_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteCreatorEditResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CREATOR_EDIT_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteCreatorEditResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CREATOR_EDIT_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteCreatorEditResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_CREATOR_EDIT_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "DeleteCreatorEdit", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/creator/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_creator(param_ident, param_expand, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetCreatorResponse::FoundEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_FOUND_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetCreatorResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetCreatorResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetCreatorResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetCreator", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/creator/edit/:edit_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_edit_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("edit_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter edit_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter edit_id: {}", e))))? -                }; - -                match api.get_creator_edit(param_edit_id, context).wait() { -                    Ok(rsp) => match rsp { -                        GetCreatorEditResponse::FoundEdit(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_EDIT_FOUND_EDIT.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetCreatorEditResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_EDIT_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetCreatorEditResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_EDIT_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetCreatorEditResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_EDIT_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetCreatorEdit", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/creator/:ident/history", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_limit = query_params -                    .get("limit") -                    .and_then(|list| list.first()) -                    .and_then(|x| Some(x.parse::<i64>())) -                    .map_or_else(|| Ok(None), |x| x.map(|v| Some(v))) -                    .map_err(|x| Response::with((status::BadRequest, "unparsable query parameter (expected integer)".to_string())))?; - -                match api.get_creator_history(param_ident, param_limit, context).wait() { -                    Ok(rsp) => match rsp { -                        GetCreatorHistoryResponse::FoundEntityHistory(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_HISTORY_FOUND_ENTITY_HISTORY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetCreatorHistoryResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_HISTORY_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetCreatorHistoryResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_HISTORY_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetCreatorHistoryResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_HISTORY_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetCreatorHistory", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/creator/:ident/redirects", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                match api.get_creator_redirects(param_ident, context).wait() { -                    Ok(rsp) => match rsp { -                        GetCreatorRedirectsResponse::FoundEntityRedirects(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_REDIRECTS_FOUND_ENTITY_REDIRECTS.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetCreatorRedirectsResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_REDIRECTS_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetCreatorRedirectsResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_REDIRECTS_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetCreatorRedirectsResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_REDIRECTS_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetCreatorRedirects", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/creator/:ident/releases", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_creator_releases(param_ident, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetCreatorReleasesResponse::Found(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_RELEASES_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetCreatorReleasesResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_RELEASES_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetCreatorReleasesResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_RELEASES_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetCreatorReleasesResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_RELEASES_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetCreatorReleases", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/creator/rev/:rev_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_rev_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("rev_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter rev_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter rev_id: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_creator_revision(param_rev_id, param_expand, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetCreatorRevisionResponse::FoundEntityRevision(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_REVISION_FOUND_ENTITY_REVISION.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetCreatorRevisionResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_REVISION_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetCreatorRevisionResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_REVISION_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetCreatorRevisionResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CREATOR_REVISION_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetCreatorRevision", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/creator/lookup", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_orcid = query_params.get("orcid").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_wikidata_qid = query_params.get("wikidata_qid").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.lookup_creator(param_orcid, param_wikidata_qid, param_expand, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        LookupCreatorResponse::FoundEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::LOOKUP_CREATOR_FOUND_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        LookupCreatorResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::LOOKUP_CREATOR_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        LookupCreatorResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::LOOKUP_CREATOR_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        LookupCreatorResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::LOOKUP_CREATOR_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "LookupCreator", -    ); - -    let api_clone = api.clone(); -    router.put( -        "/v0/editgroup/:editgroup_id/creator/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_entity = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_entity = if let Some(param_entity_raw) = param_entity { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_entity_raw); - -                    let param_entity: Option<models::CreatorEntity> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - doesn't match schema: {}", e))))?; - -                    param_entity -                } else { -                    None -                }; -                let param_entity = param_entity.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter entity".to_string())))?; - -                match api.update_creator(param_editgroup_id, param_ident, param_entity, context).wait() { -                    Ok(rsp) => match rsp { -                        UpdateCreatorResponse::UpdatedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_CREATOR_UPDATED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateCreatorResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_CREATOR_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateCreatorResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_CREATOR_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateCreatorResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_CREATOR_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateCreatorResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_CREATOR_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateCreatorResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_CREATOR_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "UpdateCreator", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/auth/check", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_role = query_params.get("role").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.auth_check(param_role, context).wait() { -                    Ok(rsp) => match rsp { -                        AuthCheckResponse::Success(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::AUTH_CHECK_SUCCESS.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        AuthCheckResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::AUTH_CHECK_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        AuthCheckResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::AUTH_CHECK_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        AuthCheckResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::AUTH_CHECK_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        AuthCheckResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::AUTH_CHECK_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "AuthCheck", -    ); - -    let api_clone = api.clone(); -    router.post( -        "/v0/auth/oidc", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_oidc_params = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter oidc_params - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_oidc_params = if let Some(param_oidc_params_raw) = param_oidc_params { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_oidc_params_raw); - -                    let param_oidc_params: Option<models::AuthOidc> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter oidc_params - doesn't match schema: {}", e))))?; - -                    param_oidc_params -                } else { -                    None -                }; -                let param_oidc_params = param_oidc_params.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter oidc_params".to_string())))?; - -                match api.auth_oidc(param_oidc_params, context).wait() { -                    Ok(rsp) => match rsp { -                        AuthOidcResponse::Found(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::AUTH_OIDC_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        AuthOidcResponse::Created(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(201), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::AUTH_OIDC_CREATED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        AuthOidcResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::AUTH_OIDC_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        AuthOidcResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::AUTH_OIDC_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        AuthOidcResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::AUTH_OIDC_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        AuthOidcResponse::Conflict(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(409), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::AUTH_OIDC_CONFLICT.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        AuthOidcResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::AUTH_OIDC_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "AuthOidc", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/editgroup/reviewable", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_limit = query_params -                    .get("limit") -                    .and_then(|list| list.first()) -                    .and_then(|x| Some(x.parse::<i64>())) -                    .map_or_else(|| Ok(None), |x| x.map(|v| Some(v))) -                    .map_err(|x| Response::with((status::BadRequest, "unparsable query parameter (expected integer)".to_string())))?; -                let param_before = query_params -                    .get("before") -                    .and_then(|list| list.first()) -                    .and_then(|x| Some(x.parse::<chrono::DateTime<chrono::Utc>>())) -                    .map_or_else(|| Ok(None), |x| x.map(|v| Some(v))) -                    .map_err(|x| Response::with((status::BadRequest, "unparsable query parameter (expected UTC datetime in ISO/RFC format)".to_string())))?; -                let param_since = query_params -                    .get("since") -                    .and_then(|list| list.first()) -                    .and_then(|x| Some(x.parse::<chrono::DateTime<chrono::Utc>>())) -                    .map_or_else(|| Ok(None), |x| x.map(|v| Some(v))) -                    .map_err(|x| Response::with((status::BadRequest, "unparsable query parameter (expected UTC datetime in ISO/RFC format)".to_string())))?; - -                match api.get_editgroups_reviewable(param_expand, param_limit, param_before, param_since, context).wait() { -                    Ok(rsp) => match rsp { -                        GetEditgroupsReviewableResponse::Found(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITGROUPS_REVIEWABLE_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditgroupsReviewableResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITGROUPS_REVIEWABLE_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditgroupsReviewableResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITGROUPS_REVIEWABLE_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditgroupsReviewableResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITGROUPS_REVIEWABLE_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetEditgroupsReviewable", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/editor/:editor_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_editor_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editor_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editor_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editor_id: {}", e))))? -                }; - -                match api.get_editor(param_editor_id, context).wait() { -                    Ok(rsp) => match rsp { -                        GetEditorResponse::Found(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITOR_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditorResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITOR_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditorResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITOR_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditorResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITOR_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetEditor", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/editor/:editor_id/editgroups", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_editor_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editor_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editor_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editor_id: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_limit = query_params -                    .get("limit") -                    .and_then(|list| list.first()) -                    .and_then(|x| Some(x.parse::<i64>())) -                    .map_or_else(|| Ok(None), |x| x.map(|v| Some(v))) -                    .map_err(|x| Response::with((status::BadRequest, "unparsable query parameter (expected integer)".to_string())))?; -                let param_before = query_params -                    .get("before") -                    .and_then(|list| list.first()) -                    .and_then(|x| Some(x.parse::<chrono::DateTime<chrono::Utc>>())) -                    .map_or_else(|| Ok(None), |x| x.map(|v| Some(v))) -                    .map_err(|x| Response::with((status::BadRequest, "unparsable query parameter (expected UTC datetime in ISO/RFC format)".to_string())))?; -                let param_since = query_params -                    .get("since") -                    .and_then(|list| list.first()) -                    .and_then(|x| Some(x.parse::<chrono::DateTime<chrono::Utc>>())) -                    .map_or_else(|| Ok(None), |x| x.map(|v| Some(v))) -                    .map_err(|x| Response::with((status::BadRequest, "unparsable query parameter (expected UTC datetime in ISO/RFC format)".to_string())))?; - -                match api.get_editor_editgroups(param_editor_id, param_limit, param_before, param_since, context).wait() { -                    Ok(rsp) => match rsp { -                        GetEditorEditgroupsResponse::Found(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITOR_EDITGROUPS_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditorEditgroupsResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITOR_EDITGROUPS_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditorEditgroupsResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITOR_EDITGROUPS_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditorEditgroupsResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITOR_EDITGROUPS_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetEditorEditgroups", -    ); - -    let api_clone = api.clone(); -    router.put( -        "/v0/editgroup/:editgroup_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_submit = query_params -                    .get("submit") -                    .and_then(|list| list.first()) -                    .and_then(|x| Some(x.to_lowercase().parse::<bool>())) -                    .map_or_else(|| Ok(None), |x| x.map(|v| Some(v))) -                    .map_err(|x| Response::with((status::BadRequest, "unparsable query parameter (expected boolean)".to_string())))?; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_editgroup = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter editgroup - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_editgroup = if let Some(param_editgroup_raw) = param_editgroup { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_editgroup_raw); - -                    let param_editgroup: Option<models::Editgroup> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter editgroup - doesn't match schema: {}", e))))?; - -                    param_editgroup -                } else { -                    None -                }; -                let param_editgroup = param_editgroup.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter editgroup".to_string())))?; - -                match api.update_editgroup(param_editgroup_id, param_editgroup, param_submit, context).wait() { -                    Ok(rsp) => match rsp { -                        UpdateEditgroupResponse::UpdatedEditgroup(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_EDITGROUP_UPDATED_EDITGROUP.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateEditgroupResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_EDITGROUP_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateEditgroupResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_EDITGROUP_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateEditgroupResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_EDITGROUP_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateEditgroupResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_EDITGROUP_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateEditgroupResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_EDITGROUP_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "UpdateEditgroup", -    ); - -    let api_clone = api.clone(); -    router.put( -        "/v0/editor/:editor_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editor_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editor_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editor_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editor_id: {}", e))))? -                }; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_editor = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter editor - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_editor = if let Some(param_editor_raw) = param_editor { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_editor_raw); - -                    let param_editor: Option<models::Editor> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter editor - doesn't match schema: {}", e))))?; - -                    param_editor -                } else { -                    None -                }; -                let param_editor = param_editor.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter editor".to_string())))?; - -                match api.update_editor(param_editor_id, param_editor, context).wait() { -                    Ok(rsp) => match rsp { -                        UpdateEditorResponse::UpdatedEditor(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_EDITOR_UPDATED_EDITOR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateEditorResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_EDITOR_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateEditorResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_EDITOR_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateEditorResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_EDITOR_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateEditorResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_EDITOR_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateEditorResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_EDITOR_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "UpdateEditor", -    ); - -    let api_clone = api.clone(); -    router.post( -        "/v0/editgroup/:editgroup_id/accept", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; - -                match api.accept_editgroup(param_editgroup_id, context).wait() { -                    Ok(rsp) => match rsp { -                        AcceptEditgroupResponse::MergedSuccessfully(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::ACCEPT_EDITGROUP_MERGED_SUCCESSFULLY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        AcceptEditgroupResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::ACCEPT_EDITGROUP_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        AcceptEditgroupResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::ACCEPT_EDITGROUP_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        AcceptEditgroupResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::ACCEPT_EDITGROUP_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        AcceptEditgroupResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::ACCEPT_EDITGROUP_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        AcceptEditgroupResponse::EditConflict(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(409), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::ACCEPT_EDITGROUP_EDIT_CONFLICT.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        AcceptEditgroupResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::ACCEPT_EDITGROUP_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "AcceptEditgroup", -    ); - -    let api_clone = api.clone(); -    router.post( -        "/v0/editgroup", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_editgroup = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter editgroup - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_editgroup = if let Some(param_editgroup_raw) = param_editgroup { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_editgroup_raw); - -                    let param_editgroup: Option<models::Editgroup> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter editgroup - doesn't match schema: {}", e))))?; - -                    param_editgroup -                } else { -                    None -                }; -                let param_editgroup = param_editgroup.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter editgroup".to_string())))?; - -                match api.create_editgroup(param_editgroup, context).wait() { -                    Ok(rsp) => match rsp { -                        CreateEditgroupResponse::SuccessfullyCreated(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(201), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_EDITGROUP_SUCCESSFULLY_CREATED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateEditgroupResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_EDITGROUP_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateEditgroupResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::CREATE_EDITGROUP_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateEditgroupResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_EDITGROUP_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateEditgroupResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_EDITGROUP_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateEditgroupResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_EDITGROUP_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "CreateEditgroup", -    ); - -    let api_clone = api.clone(); -    router.post( -        "/v0/editgroup/:editgroup_id/annotation", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_annotation = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter annotation - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_annotation = if let Some(param_annotation_raw) = param_annotation { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_annotation_raw); - -                    let param_annotation: Option<models::EditgroupAnnotation> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter annotation - doesn't match schema: {}", e))))?; - -                    param_annotation -                } else { -                    None -                }; -                let param_annotation = param_annotation.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter annotation".to_string())))?; - -                match api.create_editgroup_annotation(param_editgroup_id, param_annotation, context).wait() { -                    Ok(rsp) => match rsp { -                        CreateEditgroupAnnotationResponse::Created(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(201), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_EDITGROUP_ANNOTATION_CREATED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateEditgroupAnnotationResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_EDITGROUP_ANNOTATION_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateEditgroupAnnotationResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::CREATE_EDITGROUP_ANNOTATION_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateEditgroupAnnotationResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_EDITGROUP_ANNOTATION_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateEditgroupAnnotationResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_EDITGROUP_ANNOTATION_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateEditgroupAnnotationResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_EDITGROUP_ANNOTATION_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "CreateEditgroupAnnotation", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/changelog", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_limit = query_params -                    .get("limit") -                    .and_then(|list| list.first()) -                    .and_then(|x| Some(x.parse::<i64>())) -                    .map_or_else(|| Ok(None), |x| x.map(|v| Some(v))) -                    .map_err(|x| Response::with((status::BadRequest, "unparsable query parameter (expected integer)".to_string())))?; - -                match api.get_changelog(param_limit, context).wait() { -                    Ok(rsp) => match rsp { -                        GetChangelogResponse::Success(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CHANGELOG_SUCCESS.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetChangelogResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CHANGELOG_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetChangelogResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CHANGELOG_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetChangelog", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/changelog/:index", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_index = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("index") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter index".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter index: {}", e))))? -                }; - -                match api.get_changelog_entry(param_index, context).wait() { -                    Ok(rsp) => match rsp { -                        GetChangelogEntryResponse::FoundChangelogEntry(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CHANGELOG_ENTRY_FOUND_CHANGELOG_ENTRY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetChangelogEntryResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CHANGELOG_ENTRY_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetChangelogEntryResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CHANGELOG_ENTRY_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetChangelogEntryResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_CHANGELOG_ENTRY_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetChangelogEntry", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/editgroup/:editgroup_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; - -                match api.get_editgroup(param_editgroup_id, context).wait() { -                    Ok(rsp) => match rsp { -                        GetEditgroupResponse::Found(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITGROUP_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditgroupResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITGROUP_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditgroupResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITGROUP_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditgroupResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITGROUP_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetEditgroup", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/editgroup/:editgroup_id/annotations", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_editgroup_annotations(param_editgroup_id, param_expand, context).wait() { -                    Ok(rsp) => match rsp { -                        GetEditgroupAnnotationsResponse::Success(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITGROUP_ANNOTATIONS_SUCCESS.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditgroupAnnotationsResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITGROUP_ANNOTATIONS_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditgroupAnnotationsResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITGROUP_ANNOTATIONS_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditgroupAnnotationsResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITGROUP_ANNOTATIONS_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditgroupAnnotationsResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITGROUP_ANNOTATIONS_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditgroupAnnotationsResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITGROUP_ANNOTATIONS_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetEditgroupAnnotations", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/editor/:editor_id/annotations", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_editor_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editor_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editor_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editor_id: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_limit = query_params -                    .get("limit") -                    .and_then(|list| list.first()) -                    .and_then(|x| Some(x.parse::<i64>())) -                    .map_or_else(|| Ok(None), |x| x.map(|v| Some(v))) -                    .map_err(|x| Response::with((status::BadRequest, "unparsable query parameter (expected integer)".to_string())))?; -                let param_before = query_params -                    .get("before") -                    .and_then(|list| list.first()) -                    .and_then(|x| Some(x.parse::<chrono::DateTime<chrono::Utc>>())) -                    .map_or_else(|| Ok(None), |x| x.map(|v| Some(v))) -                    .map_err(|x| Response::with((status::BadRequest, "unparsable query parameter (expected UTC datetime in ISO/RFC format)".to_string())))?; -                let param_since = query_params -                    .get("since") -                    .and_then(|list| list.first()) -                    .and_then(|x| Some(x.parse::<chrono::DateTime<chrono::Utc>>())) -                    .map_or_else(|| Ok(None), |x| x.map(|v| Some(v))) -                    .map_err(|x| Response::with((status::BadRequest, "unparsable query parameter (expected UTC datetime in ISO/RFC format)".to_string())))?; - -                match api.get_editor_annotations(param_editor_id, param_limit, param_before, param_since, context).wait() { -                    Ok(rsp) => match rsp { -                        GetEditorAnnotationsResponse::Success(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITOR_ANNOTATIONS_SUCCESS.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditorAnnotationsResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITOR_ANNOTATIONS_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditorAnnotationsResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITOR_ANNOTATIONS_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditorAnnotationsResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITOR_ANNOTATIONS_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditorAnnotationsResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITOR_ANNOTATIONS_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetEditorAnnotationsResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_EDITOR_ANNOTATIONS_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetEditorAnnotations", -    ); - -    let api_clone = api.clone(); -    router.post( -        "/v0/editgroup/:editgroup_id/file", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_entity = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_entity = if let Some(param_entity_raw) = param_entity { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_entity_raw); - -                    let param_entity: Option<models::FileEntity> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - doesn't match schema: {}", e))))?; - -                    param_entity -                } else { -                    None -                }; -                let param_entity = param_entity.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter entity".to_string())))?; - -                match api.create_file(param_editgroup_id, param_entity, context).wait() { -                    Ok(rsp) => match rsp { -                        CreateFileResponse::CreatedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(201), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILE_CREATED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFileResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILE_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFileResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILE_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFileResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILE_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFileResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILE_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFileResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILE_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "CreateFile", -    ); - -    let api_clone = api.clone(); -    router.post( -        "/v0/editgroup/auto/file/batch", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_auto_batch = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter auto_batch - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_auto_batch = if let Some(param_auto_batch_raw) = param_auto_batch { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_auto_batch_raw); - -                    let param_auto_batch: Option<models::FileAutoBatch> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter auto_batch - doesn't match schema: {}", e))))?; - -                    param_auto_batch -                } else { -                    None -                }; -                let param_auto_batch = param_auto_batch.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter auto_batch".to_string())))?; - -                match api.create_file_auto_batch(param_auto_batch, context).wait() { -                    Ok(rsp) => match rsp { -                        CreateFileAutoBatchResponse::CreatedEditgroup(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(201), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILE_AUTO_BATCH_CREATED_EDITGROUP.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFileAutoBatchResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILE_AUTO_BATCH_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFileAutoBatchResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILE_AUTO_BATCH_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFileAutoBatchResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILE_AUTO_BATCH_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFileAutoBatchResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILE_AUTO_BATCH_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFileAutoBatchResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILE_AUTO_BATCH_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "CreateFileAutoBatch", -    ); - -    let api_clone = api.clone(); -    router.delete( -        "/v0/editgroup/:editgroup_id/file/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                match api.delete_file(param_editgroup_id, param_ident, context).wait() { -                    Ok(rsp) => match rsp { -                        DeleteFileResponse::DeletedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILE_DELETED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFileResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILE_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFileResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILE_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFileResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILE_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFileResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILE_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFileResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILE_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "DeleteFile", -    ); - -    let api_clone = api.clone(); -    router.delete( -        "/v0/editgroup/:editgroup_id/file/edit/:edit_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_edit_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("edit_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter edit_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter edit_id: {}", e))))? -                }; - -                match api.delete_file_edit(param_editgroup_id, param_edit_id, context).wait() { -                    Ok(rsp) => match rsp { -                        DeleteFileEditResponse::DeletedEdit(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILE_EDIT_DELETED_EDIT.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFileEditResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILE_EDIT_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFileEditResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILE_EDIT_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFileEditResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILE_EDIT_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFileEditResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILE_EDIT_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFileEditResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILE_EDIT_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "DeleteFileEdit", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/file/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_file(param_ident, param_expand, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetFileResponse::FoundEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_FOUND_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFileResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFileResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFileResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetFile", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/file/edit/:edit_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_edit_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("edit_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter edit_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter edit_id: {}", e))))? -                }; - -                match api.get_file_edit(param_edit_id, context).wait() { -                    Ok(rsp) => match rsp { -                        GetFileEditResponse::FoundEdit(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_EDIT_FOUND_EDIT.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFileEditResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_EDIT_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFileEditResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_EDIT_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFileEditResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_EDIT_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetFileEdit", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/file/:ident/history", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_limit = query_params -                    .get("limit") -                    .and_then(|list| list.first()) -                    .and_then(|x| Some(x.parse::<i64>())) -                    .map_or_else(|| Ok(None), |x| x.map(|v| Some(v))) -                    .map_err(|x| Response::with((status::BadRequest, "unparsable query parameter (expected integer)".to_string())))?; - -                match api.get_file_history(param_ident, param_limit, context).wait() { -                    Ok(rsp) => match rsp { -                        GetFileHistoryResponse::FoundEntityHistory(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_HISTORY_FOUND_ENTITY_HISTORY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFileHistoryResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_HISTORY_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFileHistoryResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_HISTORY_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFileHistoryResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_HISTORY_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetFileHistory", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/file/:ident/redirects", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                match api.get_file_redirects(param_ident, context).wait() { -                    Ok(rsp) => match rsp { -                        GetFileRedirectsResponse::FoundEntityRedirects(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_REDIRECTS_FOUND_ENTITY_REDIRECTS.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFileRedirectsResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_REDIRECTS_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFileRedirectsResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_REDIRECTS_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFileRedirectsResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_REDIRECTS_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetFileRedirects", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/file/rev/:rev_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_rev_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("rev_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter rev_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter rev_id: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_file_revision(param_rev_id, param_expand, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetFileRevisionResponse::FoundEntityRevision(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_REVISION_FOUND_ENTITY_REVISION.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFileRevisionResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_REVISION_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFileRevisionResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_REVISION_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFileRevisionResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILE_REVISION_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetFileRevision", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/file/lookup", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_md5 = query_params.get("md5").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_sha1 = query_params.get("sha1").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_sha256 = query_params.get("sha256").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.lookup_file(param_md5, param_sha1, param_sha256, param_expand, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        LookupFileResponse::FoundEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::LOOKUP_FILE_FOUND_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        LookupFileResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::LOOKUP_FILE_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        LookupFileResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::LOOKUP_FILE_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        LookupFileResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::LOOKUP_FILE_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "LookupFile", -    ); - -    let api_clone = api.clone(); -    router.put( -        "/v0/editgroup/:editgroup_id/file/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_entity = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_entity = if let Some(param_entity_raw) = param_entity { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_entity_raw); - -                    let param_entity: Option<models::FileEntity> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - doesn't match schema: {}", e))))?; - -                    param_entity -                } else { -                    None -                }; -                let param_entity = param_entity.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter entity".to_string())))?; - -                match api.update_file(param_editgroup_id, param_ident, param_entity, context).wait() { -                    Ok(rsp) => match rsp { -                        UpdateFileResponse::UpdatedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_FILE_UPDATED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateFileResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_FILE_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateFileResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_FILE_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateFileResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_FILE_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateFileResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_FILE_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateFileResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_FILE_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "UpdateFile", -    ); - -    let api_clone = api.clone(); -    router.post( -        "/v0/editgroup/:editgroup_id/fileset", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_entity = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_entity = if let Some(param_entity_raw) = param_entity { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_entity_raw); - -                    let param_entity: Option<models::FilesetEntity> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - doesn't match schema: {}", e))))?; - -                    param_entity -                } else { -                    None -                }; -                let param_entity = param_entity.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter entity".to_string())))?; - -                match api.create_fileset(param_editgroup_id, param_entity, context).wait() { -                    Ok(rsp) => match rsp { -                        CreateFilesetResponse::CreatedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(201), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILESET_CREATED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFilesetResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILESET_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFilesetResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILESET_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFilesetResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILESET_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFilesetResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILESET_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFilesetResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILESET_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "CreateFileset", -    ); - -    let api_clone = api.clone(); -    router.post( -        "/v0/editgroup/auto/fileset/batch", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_auto_batch = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter auto_batch - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_auto_batch = if let Some(param_auto_batch_raw) = param_auto_batch { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_auto_batch_raw); - -                    let param_auto_batch: Option<models::FilesetAutoBatch> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter auto_batch - doesn't match schema: {}", e))))?; - -                    param_auto_batch -                } else { -                    None -                }; -                let param_auto_batch = param_auto_batch.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter auto_batch".to_string())))?; - -                match api.create_fileset_auto_batch(param_auto_batch, context).wait() { -                    Ok(rsp) => match rsp { -                        CreateFilesetAutoBatchResponse::CreatedEditgroup(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(201), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILESET_AUTO_BATCH_CREATED_EDITGROUP.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFilesetAutoBatchResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILESET_AUTO_BATCH_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFilesetAutoBatchResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILESET_AUTO_BATCH_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFilesetAutoBatchResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILESET_AUTO_BATCH_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFilesetAutoBatchResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILESET_AUTO_BATCH_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateFilesetAutoBatchResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_FILESET_AUTO_BATCH_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "CreateFilesetAutoBatch", -    ); - -    let api_clone = api.clone(); -    router.delete( -        "/v0/editgroup/:editgroup_id/fileset/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                match api.delete_fileset(param_editgroup_id, param_ident, context).wait() { -                    Ok(rsp) => match rsp { -                        DeleteFilesetResponse::DeletedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILESET_DELETED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFilesetResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILESET_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFilesetResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILESET_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFilesetResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILESET_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFilesetResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILESET_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFilesetResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILESET_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "DeleteFileset", -    ); - -    let api_clone = api.clone(); -    router.delete( -        "/v0/editgroup/:editgroup_id/fileset/edit/:edit_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_edit_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("edit_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter edit_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter edit_id: {}", e))))? -                }; - -                match api.delete_fileset_edit(param_editgroup_id, param_edit_id, context).wait() { -                    Ok(rsp) => match rsp { -                        DeleteFilesetEditResponse::DeletedEdit(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILESET_EDIT_DELETED_EDIT.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFilesetEditResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILESET_EDIT_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFilesetEditResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILESET_EDIT_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFilesetEditResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILESET_EDIT_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFilesetEditResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILESET_EDIT_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteFilesetEditResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_FILESET_EDIT_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "DeleteFilesetEdit", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/fileset/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_fileset(param_ident, param_expand, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetFilesetResponse::FoundEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_FOUND_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFilesetResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFilesetResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFilesetResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetFileset", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/fileset/edit/:edit_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_edit_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("edit_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter edit_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter edit_id: {}", e))))? -                }; - -                match api.get_fileset_edit(param_edit_id, context).wait() { -                    Ok(rsp) => match rsp { -                        GetFilesetEditResponse::FoundEdit(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_EDIT_FOUND_EDIT.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFilesetEditResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_EDIT_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFilesetEditResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_EDIT_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFilesetEditResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_EDIT_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetFilesetEdit", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/fileset/:ident/history", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_limit = query_params -                    .get("limit") -                    .and_then(|list| list.first()) -                    .and_then(|x| Some(x.parse::<i64>())) -                    .map_or_else(|| Ok(None), |x| x.map(|v| Some(v))) -                    .map_err(|x| Response::with((status::BadRequest, "unparsable query parameter (expected integer)".to_string())))?; - -                match api.get_fileset_history(param_ident, param_limit, context).wait() { -                    Ok(rsp) => match rsp { -                        GetFilesetHistoryResponse::FoundEntityHistory(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_HISTORY_FOUND_ENTITY_HISTORY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFilesetHistoryResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_HISTORY_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFilesetHistoryResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_HISTORY_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFilesetHistoryResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_HISTORY_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetFilesetHistory", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/fileset/:ident/redirects", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                match api.get_fileset_redirects(param_ident, context).wait() { -                    Ok(rsp) => match rsp { -                        GetFilesetRedirectsResponse::FoundEntityRedirects(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_REDIRECTS_FOUND_ENTITY_REDIRECTS.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFilesetRedirectsResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_REDIRECTS_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFilesetRedirectsResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_REDIRECTS_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFilesetRedirectsResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_REDIRECTS_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetFilesetRedirects", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/fileset/rev/:rev_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_rev_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("rev_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter rev_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter rev_id: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_fileset_revision(param_rev_id, param_expand, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetFilesetRevisionResponse::FoundEntityRevision(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_REVISION_FOUND_ENTITY_REVISION.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFilesetRevisionResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_REVISION_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFilesetRevisionResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_REVISION_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetFilesetRevisionResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_FILESET_REVISION_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetFilesetRevision", -    ); - -    let api_clone = api.clone(); -    router.put( -        "/v0/editgroup/:editgroup_id/fileset/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_entity = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_entity = if let Some(param_entity_raw) = param_entity { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_entity_raw); - -                    let param_entity: Option<models::FilesetEntity> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - doesn't match schema: {}", e))))?; - -                    param_entity -                } else { -                    None -                }; -                let param_entity = param_entity.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter entity".to_string())))?; - -                match api.update_fileset(param_editgroup_id, param_ident, param_entity, context).wait() { -                    Ok(rsp) => match rsp { -                        UpdateFilesetResponse::UpdatedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_FILESET_UPDATED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateFilesetResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_FILESET_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateFilesetResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_FILESET_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateFilesetResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_FILESET_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateFilesetResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_FILESET_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateFilesetResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_FILESET_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "UpdateFileset", -    ); - -    let api_clone = api.clone(); -    router.post( -        "/v0/editgroup/:editgroup_id/release", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_entity = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_entity = if let Some(param_entity_raw) = param_entity { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_entity_raw); - -                    let param_entity: Option<models::ReleaseEntity> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - doesn't match schema: {}", e))))?; - -                    param_entity -                } else { -                    None -                }; -                let param_entity = param_entity.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter entity".to_string())))?; - -                match api.create_release(param_editgroup_id, param_entity, context).wait() { -                    Ok(rsp) => match rsp { -                        CreateReleaseResponse::CreatedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(201), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_RELEASE_CREATED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateReleaseResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_RELEASE_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateReleaseResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::CREATE_RELEASE_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateReleaseResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_RELEASE_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateReleaseResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_RELEASE_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateReleaseResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_RELEASE_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "CreateRelease", -    ); - -    let api_clone = api.clone(); -    router.post( -        "/v0/editgroup/auto/release/batch", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_auto_batch = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter auto_batch - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_auto_batch = if let Some(param_auto_batch_raw) = param_auto_batch { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_auto_batch_raw); - -                    let param_auto_batch: Option<models::ReleaseAutoBatch> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter auto_batch - doesn't match schema: {}", e))))?; - -                    param_auto_batch -                } else { -                    None -                }; -                let param_auto_batch = param_auto_batch.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter auto_batch".to_string())))?; - -                match api.create_release_auto_batch(param_auto_batch, context).wait() { -                    Ok(rsp) => match rsp { -                        CreateReleaseAutoBatchResponse::CreatedEditgroup(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(201), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_RELEASE_AUTO_BATCH_CREATED_EDITGROUP.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateReleaseAutoBatchResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_RELEASE_AUTO_BATCH_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateReleaseAutoBatchResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::CREATE_RELEASE_AUTO_BATCH_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateReleaseAutoBatchResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_RELEASE_AUTO_BATCH_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateReleaseAutoBatchResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_RELEASE_AUTO_BATCH_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateReleaseAutoBatchResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_RELEASE_AUTO_BATCH_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "CreateReleaseAutoBatch", -    ); - -    let api_clone = api.clone(); -    router.post( -        "/v0/editgroup/:editgroup_id/work", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_entity = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_entity = if let Some(param_entity_raw) = param_entity { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_entity_raw); - -                    let param_entity: Option<models::WorkEntity> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - doesn't match schema: {}", e))))?; - -                    param_entity -                } else { -                    None -                }; -                let param_entity = param_entity.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter entity".to_string())))?; - -                match api.create_work(param_editgroup_id, param_entity, context).wait() { -                    Ok(rsp) => match rsp { -                        CreateWorkResponse::CreatedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(201), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WORK_CREATED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWorkResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WORK_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWorkResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WORK_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWorkResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WORK_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWorkResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WORK_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWorkResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WORK_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "CreateWork", -    ); - -    let api_clone = api.clone(); -    router.delete( -        "/v0/editgroup/:editgroup_id/release/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                match api.delete_release(param_editgroup_id, param_ident, context).wait() { -                    Ok(rsp) => match rsp { -                        DeleteReleaseResponse::DeletedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_RELEASE_DELETED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteReleaseResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_RELEASE_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteReleaseResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::DELETE_RELEASE_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteReleaseResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_RELEASE_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteReleaseResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_RELEASE_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteReleaseResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_RELEASE_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "DeleteRelease", -    ); - -    let api_clone = api.clone(); -    router.delete( -        "/v0/editgroup/:editgroup_id/release/edit/:edit_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_edit_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("edit_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter edit_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter edit_id: {}", e))))? -                }; - -                match api.delete_release_edit(param_editgroup_id, param_edit_id, context).wait() { -                    Ok(rsp) => match rsp { -                        DeleteReleaseEditResponse::DeletedEdit(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_RELEASE_EDIT_DELETED_EDIT.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteReleaseEditResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_RELEASE_EDIT_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteReleaseEditResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::DELETE_RELEASE_EDIT_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteReleaseEditResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_RELEASE_EDIT_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteReleaseEditResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_RELEASE_EDIT_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteReleaseEditResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_RELEASE_EDIT_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "DeleteReleaseEdit", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/release/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_release(param_ident, param_expand, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetReleaseResponse::FoundEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_FOUND_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetRelease", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/release/edit/:edit_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_edit_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("edit_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter edit_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter edit_id: {}", e))))? -                }; - -                match api.get_release_edit(param_edit_id, context).wait() { -                    Ok(rsp) => match rsp { -                        GetReleaseEditResponse::FoundEdit(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_EDIT_FOUND_EDIT.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseEditResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_EDIT_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseEditResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_EDIT_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseEditResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_EDIT_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetReleaseEdit", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/release/:ident/files", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_release_files(param_ident, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetReleaseFilesResponse::Found(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_FILES_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseFilesResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_FILES_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseFilesResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_FILES_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseFilesResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_FILES_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetReleaseFiles", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/release/:ident/filesets", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_release_filesets(param_ident, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetReleaseFilesetsResponse::Found(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_FILESETS_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseFilesetsResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_FILESETS_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseFilesetsResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_FILESETS_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseFilesetsResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_FILESETS_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetReleaseFilesets", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/release/:ident/history", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_limit = query_params -                    .get("limit") -                    .and_then(|list| list.first()) -                    .and_then(|x| Some(x.parse::<i64>())) -                    .map_or_else(|| Ok(None), |x| x.map(|v| Some(v))) -                    .map_err(|x| Response::with((status::BadRequest, "unparsable query parameter (expected integer)".to_string())))?; - -                match api.get_release_history(param_ident, param_limit, context).wait() { -                    Ok(rsp) => match rsp { -                        GetReleaseHistoryResponse::FoundEntityHistory(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_HISTORY_FOUND_ENTITY_HISTORY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseHistoryResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_HISTORY_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseHistoryResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_HISTORY_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseHistoryResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_HISTORY_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetReleaseHistory", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/release/:ident/redirects", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                match api.get_release_redirects(param_ident, context).wait() { -                    Ok(rsp) => match rsp { -                        GetReleaseRedirectsResponse::FoundEntityRedirects(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_REDIRECTS_FOUND_ENTITY_REDIRECTS.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseRedirectsResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_REDIRECTS_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseRedirectsResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_REDIRECTS_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseRedirectsResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_REDIRECTS_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetReleaseRedirects", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/release/rev/:rev_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_rev_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("rev_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter rev_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter rev_id: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_release_revision(param_rev_id, param_expand, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetReleaseRevisionResponse::FoundEntityRevision(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_REVISION_FOUND_ENTITY_REVISION.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseRevisionResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_REVISION_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseRevisionResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_REVISION_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseRevisionResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_REVISION_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetReleaseRevision", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/release/:ident/webcaptures", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_release_webcaptures(param_ident, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetReleaseWebcapturesResponse::Found(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_WEBCAPTURES_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseWebcapturesResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_WEBCAPTURES_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseWebcapturesResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_WEBCAPTURES_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetReleaseWebcapturesResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_RELEASE_WEBCAPTURES_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetReleaseWebcaptures", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/release/lookup", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_doi = query_params.get("doi").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_wikidata_qid = query_params.get("wikidata_qid").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_isbn13 = query_params.get("isbn13").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_pmid = query_params.get("pmid").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_pmcid = query_params.get("pmcid").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_core = query_params.get("core").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_arxiv = query_params.get("arxiv").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_jstor = query_params.get("jstor").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_ark = query_params.get("ark").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_mag = query_params.get("mag").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api -                    .lookup_release( -                        param_doi, -                        param_wikidata_qid, -                        param_isbn13, -                        param_pmid, -                        param_pmcid, -                        param_core, -                        param_arxiv, -                        param_jstor, -                        param_ark, -                        param_mag, -                        param_expand, -                        param_hide, -                        context, -                    ) -                    .wait() -                { -                    Ok(rsp) => match rsp { -                        LookupReleaseResponse::FoundEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::LOOKUP_RELEASE_FOUND_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        LookupReleaseResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::LOOKUP_RELEASE_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        LookupReleaseResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::LOOKUP_RELEASE_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        LookupReleaseResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::LOOKUP_RELEASE_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "LookupRelease", -    ); - -    let api_clone = api.clone(); -    router.put( -        "/v0/editgroup/:editgroup_id/release/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_entity = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_entity = if let Some(param_entity_raw) = param_entity { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_entity_raw); - -                    let param_entity: Option<models::ReleaseEntity> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - doesn't match schema: {}", e))))?; - -                    param_entity -                } else { -                    None -                }; -                let param_entity = param_entity.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter entity".to_string())))?; - -                match api.update_release(param_editgroup_id, param_ident, param_entity, context).wait() { -                    Ok(rsp) => match rsp { -                        UpdateReleaseResponse::UpdatedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_RELEASE_UPDATED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateReleaseResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_RELEASE_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateReleaseResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_RELEASE_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateReleaseResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_RELEASE_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateReleaseResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_RELEASE_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateReleaseResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_RELEASE_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "UpdateRelease", -    ); - -    let api_clone = api.clone(); -    router.post( -        "/v0/editgroup/:editgroup_id/webcapture", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_entity = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_entity = if let Some(param_entity_raw) = param_entity { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_entity_raw); - -                    let param_entity: Option<models::WebcaptureEntity> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - doesn't match schema: {}", e))))?; - -                    param_entity -                } else { -                    None -                }; -                let param_entity = param_entity.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter entity".to_string())))?; - -                match api.create_webcapture(param_editgroup_id, param_entity, context).wait() { -                    Ok(rsp) => match rsp { -                        CreateWebcaptureResponse::CreatedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(201), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WEBCAPTURE_CREATED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWebcaptureResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WEBCAPTURE_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWebcaptureResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WEBCAPTURE_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWebcaptureResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WEBCAPTURE_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWebcaptureResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WEBCAPTURE_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWebcaptureResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WEBCAPTURE_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "CreateWebcapture", -    ); - -    let api_clone = api.clone(); -    router.post( -        "/v0/editgroup/auto/webcapture/batch", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_auto_batch = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter auto_batch - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_auto_batch = if let Some(param_auto_batch_raw) = param_auto_batch { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_auto_batch_raw); - -                    let param_auto_batch: Option<models::WebcaptureAutoBatch> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter auto_batch - doesn't match schema: {}", e))))?; - -                    param_auto_batch -                } else { -                    None -                }; -                let param_auto_batch = param_auto_batch.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter auto_batch".to_string())))?; - -                match api.create_webcapture_auto_batch(param_auto_batch, context).wait() { -                    Ok(rsp) => match rsp { -                        CreateWebcaptureAutoBatchResponse::CreatedEditgroup(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(201), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WEBCAPTURE_AUTO_BATCH_CREATED_EDITGROUP.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWebcaptureAutoBatchResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WEBCAPTURE_AUTO_BATCH_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWebcaptureAutoBatchResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WEBCAPTURE_AUTO_BATCH_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWebcaptureAutoBatchResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WEBCAPTURE_AUTO_BATCH_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWebcaptureAutoBatchResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WEBCAPTURE_AUTO_BATCH_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWebcaptureAutoBatchResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WEBCAPTURE_AUTO_BATCH_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "CreateWebcaptureAutoBatch", -    ); - -    let api_clone = api.clone(); -    router.delete( -        "/v0/editgroup/:editgroup_id/webcapture/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                match api.delete_webcapture(param_editgroup_id, param_ident, context).wait() { -                    Ok(rsp) => match rsp { -                        DeleteWebcaptureResponse::DeletedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WEBCAPTURE_DELETED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWebcaptureResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WEBCAPTURE_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWebcaptureResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WEBCAPTURE_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWebcaptureResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WEBCAPTURE_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWebcaptureResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WEBCAPTURE_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWebcaptureResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WEBCAPTURE_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "DeleteWebcapture", -    ); - -    let api_clone = api.clone(); -    router.delete( -        "/v0/editgroup/:editgroup_id/webcapture/edit/:edit_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_edit_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("edit_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter edit_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter edit_id: {}", e))))? -                }; - -                match api.delete_webcapture_edit(param_editgroup_id, param_edit_id, context).wait() { -                    Ok(rsp) => match rsp { -                        DeleteWebcaptureEditResponse::DeletedEdit(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WEBCAPTURE_EDIT_DELETED_EDIT.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWebcaptureEditResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WEBCAPTURE_EDIT_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWebcaptureEditResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WEBCAPTURE_EDIT_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWebcaptureEditResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WEBCAPTURE_EDIT_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWebcaptureEditResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WEBCAPTURE_EDIT_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWebcaptureEditResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WEBCAPTURE_EDIT_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "DeleteWebcaptureEdit", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/webcapture/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_webcapture(param_ident, param_expand, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetWebcaptureResponse::FoundEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_FOUND_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWebcaptureResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWebcaptureResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWebcaptureResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetWebcapture", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/webcapture/edit/:edit_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_edit_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("edit_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter edit_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter edit_id: {}", e))))? -                }; - -                match api.get_webcapture_edit(param_edit_id, context).wait() { -                    Ok(rsp) => match rsp { -                        GetWebcaptureEditResponse::FoundEdit(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_EDIT_FOUND_EDIT.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWebcaptureEditResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_EDIT_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWebcaptureEditResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_EDIT_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWebcaptureEditResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_EDIT_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetWebcaptureEdit", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/webcapture/:ident/history", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_limit = query_params -                    .get("limit") -                    .and_then(|list| list.first()) -                    .and_then(|x| Some(x.parse::<i64>())) -                    .map_or_else(|| Ok(None), |x| x.map(|v| Some(v))) -                    .map_err(|x| Response::with((status::BadRequest, "unparsable query parameter (expected integer)".to_string())))?; - -                match api.get_webcapture_history(param_ident, param_limit, context).wait() { -                    Ok(rsp) => match rsp { -                        GetWebcaptureHistoryResponse::FoundEntityHistory(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_HISTORY_FOUND_ENTITY_HISTORY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWebcaptureHistoryResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_HISTORY_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWebcaptureHistoryResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_HISTORY_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWebcaptureHistoryResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_HISTORY_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetWebcaptureHistory", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/webcapture/:ident/redirects", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                match api.get_webcapture_redirects(param_ident, context).wait() { -                    Ok(rsp) => match rsp { -                        GetWebcaptureRedirectsResponse::FoundEntityRedirects(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_REDIRECTS_FOUND_ENTITY_REDIRECTS.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWebcaptureRedirectsResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_REDIRECTS_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWebcaptureRedirectsResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_REDIRECTS_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWebcaptureRedirectsResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_REDIRECTS_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetWebcaptureRedirects", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/webcapture/rev/:rev_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_rev_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("rev_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter rev_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter rev_id: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_webcapture_revision(param_rev_id, param_expand, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetWebcaptureRevisionResponse::FoundEntityRevision(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_REVISION_FOUND_ENTITY_REVISION.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWebcaptureRevisionResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_REVISION_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWebcaptureRevisionResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_REVISION_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWebcaptureRevisionResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WEBCAPTURE_REVISION_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetWebcaptureRevision", -    ); - -    let api_clone = api.clone(); -    router.put( -        "/v0/editgroup/:editgroup_id/webcapture/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_entity = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_entity = if let Some(param_entity_raw) = param_entity { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_entity_raw); - -                    let param_entity: Option<models::WebcaptureEntity> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - doesn't match schema: {}", e))))?; - -                    param_entity -                } else { -                    None -                }; -                let param_entity = param_entity.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter entity".to_string())))?; - -                match api.update_webcapture(param_editgroup_id, param_ident, param_entity, context).wait() { -                    Ok(rsp) => match rsp { -                        UpdateWebcaptureResponse::UpdatedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_WEBCAPTURE_UPDATED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateWebcaptureResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_WEBCAPTURE_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateWebcaptureResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_WEBCAPTURE_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateWebcaptureResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_WEBCAPTURE_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateWebcaptureResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_WEBCAPTURE_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateWebcaptureResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_WEBCAPTURE_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "UpdateWebcapture", -    ); - -    let api_clone = api.clone(); -    router.post( -        "/v0/editgroup/auto/work/batch", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_auto_batch = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter auto_batch - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_auto_batch = if let Some(param_auto_batch_raw) = param_auto_batch { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_auto_batch_raw); - -                    let param_auto_batch: Option<models::WorkAutoBatch> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter auto_batch - doesn't match schema: {}", e))))?; - -                    param_auto_batch -                } else { -                    None -                }; -                let param_auto_batch = param_auto_batch.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter auto_batch".to_string())))?; - -                match api.create_work_auto_batch(param_auto_batch, context).wait() { -                    Ok(rsp) => match rsp { -                        CreateWorkAutoBatchResponse::CreatedEditgroup(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(201), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WORK_AUTO_BATCH_CREATED_EDITGROUP.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWorkAutoBatchResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WORK_AUTO_BATCH_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWorkAutoBatchResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WORK_AUTO_BATCH_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWorkAutoBatchResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WORK_AUTO_BATCH_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWorkAutoBatchResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WORK_AUTO_BATCH_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        CreateWorkAutoBatchResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::CREATE_WORK_AUTO_BATCH_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "CreateWorkAutoBatch", -    ); - -    let api_clone = api.clone(); -    router.delete( -        "/v0/editgroup/:editgroup_id/work/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                match api.delete_work(param_editgroup_id, param_ident, context).wait() { -                    Ok(rsp) => match rsp { -                        DeleteWorkResponse::DeletedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WORK_DELETED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWorkResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WORK_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWorkResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WORK_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWorkResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WORK_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWorkResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WORK_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWorkResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WORK_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "DeleteWork", -    ); - -    let api_clone = api.clone(); -    router.delete( -        "/v0/editgroup/:editgroup_id/work/edit/:edit_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_edit_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("edit_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter edit_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter edit_id: {}", e))))? -                }; - -                match api.delete_work_edit(param_editgroup_id, param_edit_id, context).wait() { -                    Ok(rsp) => match rsp { -                        DeleteWorkEditResponse::DeletedEdit(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WORK_EDIT_DELETED_EDIT.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWorkEditResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WORK_EDIT_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWorkEditResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WORK_EDIT_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWorkEditResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WORK_EDIT_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWorkEditResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WORK_EDIT_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        DeleteWorkEditResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::DELETE_WORK_EDIT_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "DeleteWorkEdit", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/work/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_work(param_ident, param_expand, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetWorkResponse::FoundEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_FOUND_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWorkResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWorkResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWorkResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetWork", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/work/edit/:edit_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_edit_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("edit_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter edit_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter edit_id: {}", e))))? -                }; - -                match api.get_work_edit(param_edit_id, context).wait() { -                    Ok(rsp) => match rsp { -                        GetWorkEditResponse::FoundEdit(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_EDIT_FOUND_EDIT.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWorkEditResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_EDIT_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWorkEditResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_EDIT_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWorkEditResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_EDIT_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetWorkEdit", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/work/:ident/history", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_limit = query_params -                    .get("limit") -                    .and_then(|list| list.first()) -                    .and_then(|x| Some(x.parse::<i64>())) -                    .map_or_else(|| Ok(None), |x| x.map(|v| Some(v))) -                    .map_err(|x| Response::with((status::BadRequest, "unparsable query parameter (expected integer)".to_string())))?; - -                match api.get_work_history(param_ident, param_limit, context).wait() { -                    Ok(rsp) => match rsp { -                        GetWorkHistoryResponse::FoundEntityHistory(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_HISTORY_FOUND_ENTITY_HISTORY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWorkHistoryResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_HISTORY_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWorkHistoryResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_HISTORY_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWorkHistoryResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_HISTORY_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetWorkHistory", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/work/:ident/redirects", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                match api.get_work_redirects(param_ident, context).wait() { -                    Ok(rsp) => match rsp { -                        GetWorkRedirectsResponse::FoundEntityRedirects(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_REDIRECTS_FOUND_ENTITY_REDIRECTS.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWorkRedirectsResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_REDIRECTS_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWorkRedirectsResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_REDIRECTS_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWorkRedirectsResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_REDIRECTS_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetWorkRedirects", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/work/:ident/releases", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_work_releases(param_ident, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetWorkReleasesResponse::Found(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_RELEASES_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWorkReleasesResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_RELEASES_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWorkReleasesResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_RELEASES_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWorkReleasesResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_RELEASES_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetWorkReleases", -    ); - -    let api_clone = api.clone(); -    router.get( -        "/v0/work/rev/:rev_id", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                // Path parameters -                let param_rev_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("rev_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter rev_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter rev_id: {}", e))))? -                }; - -                // Query parameters (note that non-required or collection query parameters will ignore garbage values, rather than causing a 400 response) -                let query_params = req.get::<UrlEncodedQuery>().unwrap_or_default(); -                let param_expand = query_params.get("expand").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); -                let param_hide = query_params.get("hide").and_then(|list| list.first()).and_then(|x| x.parse::<String>().ok()); - -                match api.get_work_revision(param_rev_id, param_expand, param_hide, context).wait() { -                    Ok(rsp) => match rsp { -                        GetWorkRevisionResponse::FoundEntityRevision(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_REVISION_FOUND_ENTITY_REVISION.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWorkRevisionResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_REVISION_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWorkRevisionResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_REVISION_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                        GetWorkRevisionResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::GET_WORK_REVISION_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); - -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "GetWorkRevision", -    ); - -    let api_clone = api.clone(); -    router.put( -        "/v0/editgroup/:editgroup_id/work/:ident", -        move |req: &mut Request| { -            let mut context = Context::default(); - -            // Helper function to provide a code block to use `?` in (to be replaced by the `catch` block when it exists). -            fn handle_request<T>(req: &mut Request, api: &T, context: &mut Context) -> Result<Response, Response> -            where -                T: Api, -            { -                context.x_span_id = Some(req.headers.get::<XSpanId>().map(XSpanId::to_string).unwrap_or_else(|| self::uuid::Uuid::new_v4().to_string())); -                context.auth_data = req.extensions.remove::<AuthData>(); -                context.authorization = req.extensions.remove::<Authorization>(); - -                let authorization = context.authorization.as_ref().ok_or_else(|| Response::with((status::Forbidden, "Unauthenticated".to_string())))?; - -                // Path parameters -                let param_editgroup_id = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("editgroup_id") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter editgroup_id".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter editgroup_id: {}", e))))? -                }; -                let param_ident = { -                    let param = req -                        .extensions -                        .get::<Router>() -                        .ok_or_else(|| Response::with((status::InternalServerError, "An internal error occurred".to_string())))? -                        .find("ident") -                        .ok_or_else(|| Response::with((status::BadRequest, "Missing path parameter ident".to_string())))?; -                    percent_decode(param.as_bytes()) -                        .decode_utf8() -                        .map_err(|_| Response::with((status::BadRequest, format!("Couldn't percent-decode path parameter as UTF-8: {}", param))))? -                        .parse() -                        .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse path parameter ident: {}", e))))? -                }; - -                // Body parameters (note that non-required body parameters will ignore garbage -                // values, rather than causing a 400 response). Produce warning header and logs for -                // any unused fields. - -                let param_entity = req -                    .get::<bodyparser::Raw>() -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - not valid UTF-8: {}", e))))?; - -                let mut unused_elements = Vec::new(); - -                let param_entity = if let Some(param_entity_raw) = param_entity { -                    let deserializer = &mut serde_json::Deserializer::from_str(¶m_entity_raw); - -                    let param_entity: Option<models::WorkEntity> = serde_ignored::deserialize(deserializer, |path| { -                        warn!("Ignoring unknown field in body: {}", path); -                        unused_elements.push(path.to_string()); -                    }) -                    .map_err(|e| Response::with((status::BadRequest, format!("Couldn't parse body parameter entity - doesn't match schema: {}", e))))?; - -                    param_entity -                } else { -                    None -                }; -                let param_entity = param_entity.ok_or_else(|| Response::with((status::BadRequest, "Missing required body parameter entity".to_string())))?; - -                match api.update_work(param_editgroup_id, param_ident, param_entity, context).wait() { -                    Ok(rsp) => match rsp { -                        UpdateWorkResponse::UpdatedEntity(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(200), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_WORK_UPDATED_ENTITY.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateWorkResponse::BadRequest(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(400), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_WORK_BAD_REQUEST.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateWorkResponse::NotAuthorized { body, www_authenticate } => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(401), body_string)); -                            header! { (ResponseWwwAuthenticate, "WWW_Authenticate") => [String] } -                            response.headers.set(ResponseWwwAuthenticate(www_authenticate)); - -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_WORK_NOT_AUTHORIZED.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateWorkResponse::Forbidden(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(403), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_WORK_FORBIDDEN.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateWorkResponse::NotFound(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(404), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_WORK_NOT_FOUND.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                        UpdateWorkResponse::GenericError(body) => { -                            let body_string = serde_json::to_string(&body).expect("impossible to fail to serialize"); - -                            let mut response = Response::with((status::Status::from_u16(500), body_string)); -                            response.headers.set(ContentType(mimetypes::responses::UPDATE_WORK_GENERIC_ERROR.clone())); - -                            context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                            if !unused_elements.is_empty() { -                                response.headers.set(Warning(format!("Ignoring unknown fields in body: {:?}", unused_elements))); -                            } -                            Ok(response) -                        } -                    }, -                    Err(_) => { -                        // Application code returned an error. This should not happen, as the implementation should -                        // return a valid response. -                        Err(Response::with((status::InternalServerError, "An internal error occurred".to_string()))) -                    } -                } -            } - -            handle_request(req, &api_clone, &mut context).or_else(|mut response| { -                context.x_span_id.as_ref().map(|header| response.headers.set(XSpanId(header.clone()))); -                Ok(response) -            }) -        }, -        "UpdateWork", -    ); -} - -/// Middleware to extract authentication data from request -pub struct ExtractAuthData; - -impl BeforeMiddleware for ExtractAuthData { -    fn before(&self, req: &mut Request) -> IronResult<()> { -        { -            header! { (ApiKey1, "Authorization") => [String] } -            if let Some(header) = req.headers.get::<ApiKey1>() { -                req.extensions.insert::<AuthData>(AuthData::ApiKey(header.0.clone())); -                return Ok(()); -            } -        } - -        Ok(()) -    } -}  | 
