Generate api client with openapi-generator (#3)

* Generate api client with openapi-generator

* Add wrapper struct

* Add basic example
This commit is contained in:
Guilherme Werner
2025-06-03 19:47:49 -03:00
committed by GitHub
parent e701f20c1a
commit 23af141e2d
69 changed files with 6886 additions and 880 deletions

View File

@ -1,19 +0,0 @@
[package]
name = "tribufu-actix"
version = "0.1.0"
description = "Tribufu Actix Extension"
repository = "https://github.com/Tribufu/TribufuRust"
authors = ["Tribufu <contact@tribufu.com>"]
license = "MIT"
edition = "2021"
publish = true
[lib]
name = "tribufu_actix"
crate-type = ["rlib"]
path = "lib.rs"
[dependencies]
actix-web = { version = "4", features = ["rustls"] }
mintaka-error = { version = "0.0.1" }
tribufu-api = { path = "../api" }

View File

@ -1,25 +0,0 @@
// Copyright (c) Tribufu. All Rights Reserved.
use actix_web::HttpRequest;
pub trait TribufuApiActixExtension {
fn from_actix(req: &HttpRequest) -> Self;
}
/*
impl TribufuApiActixExtension for TribufuApi {
fn from_actix(req: &HttpRequest) -> Self {
let mut api = Self::with_client_from_env().unwrap_or_default();
if let Some(authorization) = req.headers().get("Authorization") {
let authorization = authorization.to_str().unwrap();
if authorization.starts_with("Bearer ") {
api = Self::with_user(authorization[7..].to_string());
}
}
return api;
}
}
*/

View File

@ -1,28 +0,0 @@
[package]
name = "tribufu-api"
version = "0.1.0"
description = "Tribufu API"
repository = "https://github.com/Tribufu/TribufuRust"
authors = ["Tribufu <contact@tribufu.com>"]
license = "MIT"
edition = "2021"
publish = true
[lib]
name = "tribufu_api"
crate-type = ["rlib"]
path = "lib.rs"
[dependencies]
tribufu-constants = { version = "0.1.0", path = "../constants" }
tribufu-types = { version = "0.1.0", path = "../types" }
base64 = "0.21.5"
mintaka-error = { version = "0.0.1" }
alnilam-consts = { version = "0.0.4" }
anyhow = "1.0.75"
chrono = { version = "0.4.22", features = ["serde", "rustc-serialize"] }
derive_more = "0.99.17"
reqwest = { version = "0.11.18", features = ["json", "stream"] }
serde = { version = "1.0", features = ["derive"] }
serde_json = { version = "1.0", features = ["raw_value"] }
serde_with = "3.4.0"

View File

@ -1,392 +0,0 @@
// Copyright (c) Tribufu. All Rights Reserved.
use alnilam_consts::TARGET_TRIPLE;
use mintaka_error::{Error, Result};
use reqwest::header::{HeaderMap, HeaderValue, AUTHORIZATION};
use reqwest::Client;
use std::env;
use tribufu_constants::VERSION;
use tribufu_types::games::Game;
use tribufu_types::oauth2::{OAuth2GrantType, OAuth2TokenRequest, OAuth2TokenResponse};
use tribufu_types::users::*;
pub enum Credentials {
Anonymous,
ApiKey {
api_key: String,
},
Client {
client_id: u64,
client_secret: String,
},
}
pub enum Token {
ApiKey {
api_key: String,
},
Basic {
basic_token: String,
},
Bearer {
access_token: String,
refresh_token: Option<String>,
},
}
pub struct TribufuApi {
base_url: String,
credentials: Credentials,
token: Option<Token>,
http: Client,
}
impl Default for TribufuApi {
fn default() -> Self {
Self::new(Credentials::Anonymous)
}
}
impl TribufuApi {
const TRIBUFU_API_URL: &'static str = "https://api.tribufu.com";
pub fn new(credentials: Credentials) -> Self {
let http = Client::builder()
.user_agent(Self::user_agent())
.default_headers(Self::default_headers())
.build()
.unwrap();
Self {
base_url: Self::get_base_url(),
credentials,
token: None,
http,
}
}
pub fn debug_enabled(&self) -> bool {
return cfg!(debug_assertions);
}
#[inline]
fn user_agent() -> String {
format!(
"Tribufu/{} (+https://api.tribufu.com; {})",
VERSION, TARGET_TRIPLE
)
}
#[inline]
fn default_headers() -> HeaderMap {
let mut headers = HeaderMap::new();
headers.insert("X-Tribufu-Language", HeaderValue::from_static("rust"));
headers.insert("X-Tribufu-Version", HeaderValue::from_static(VERSION));
headers
}
fn get_base_url() -> String {
if cfg!(debug_assertions) {
return env::var("TRIBUFU_API_URL")
.unwrap_or_else(|_| Self::TRIBUFU_API_URL.to_string());
}
Self::TRIBUFU_API_URL.to_string()
}
pub fn with_api_key(api_key: String) -> Self {
Self::new(Credentials::ApiKey { api_key })
}
pub fn with_client(client_id: u64, client_secret: String) -> Self {
Self::new(Credentials::Client {
client_id,
client_secret,
})
}
pub fn with_api_key_from_env() -> Option<Self> {
if let Ok(api_key) = env::var("TRIBUFU_API_KEY") {
Some(Self::with_api_key(api_key))
} else {
None
}
}
pub fn with_client_from_env() -> Option<Self> {
let client_id = env::var("TRIBUFU_CLIENT_ID");
let client_secret = env::var("TRIBUFU_CLIENT_SECRET");
if let (Ok(client_id), Ok(client_secret)) = (client_id, client_secret) {
Some(Self::with_client(client_id.parse().unwrap(), client_secret))
} else {
None
}
}
pub fn set_anonymous(&mut self) {
self.credentials = Credentials::Anonymous;
}
pub fn set_api_key(&mut self, api_key: String) {
self.credentials = Credentials::ApiKey { api_key };
}
pub fn set_clients(&mut self, client_id: u64, client_secret: String) {
self.credentials = Credentials::Client {
client_id,
client_secret,
};
}
pub fn set_basic_token(&mut self, basic_token: String) {
self.token = Some(Token::Basic { basic_token });
}
pub fn set_bearer_token(&mut self, access_token: String, refresh_token: Option<String>) {
self.token = Some(Token::Bearer {
access_token,
refresh_token,
});
}
#[inline]
fn headers(&self) -> HeaderMap {
let mut headers = Self::default_headers();
match &self.token {
Some(token) => match token {
Token::ApiKey { api_key } => {
headers.insert(
AUTHORIZATION,
HeaderValue::from_str(&format!("ApiKey {}", api_key)).unwrap(),
);
}
Token::Basic { basic_token } => {
headers.insert(
AUTHORIZATION,
HeaderValue::from_str(&format!("Basic {}", basic_token)).unwrap(),
);
}
Token::Bearer { access_token, .. } => {
headers.insert(
AUTHORIZATION,
HeaderValue::from_str(&format!("Bearer {}", access_token)).unwrap(),
);
}
},
None => {}
}
headers
}
pub async fn get_token_with_code(
&mut self,
code: String,
client_id: u64,
client_secret: String,
) -> Result<OAuth2TokenResponse> {
self.get_oauth_token(
OAuth2GrantType::AuthorizationCode,
Some(code),
client_id,
client_secret,
None,
None,
)
.await
}
pub async fn get_token_from_password(
&mut self,
username: String,
password: String,
client_id: u64,
client_secret: String,
) -> Result<OAuth2TokenResponse> {
self.get_oauth_token(
OAuth2GrantType::Password,
Some(password),
client_id,
client_secret,
None,
Some(username),
)
.await
}
pub async fn get_token_from_passkey(
&mut self,
username: String,
passkey: String,
client_id: u64,
client_secret: String,
) -> Result<OAuth2TokenResponse> {
self.get_oauth_token(
OAuth2GrantType::Passkey,
Some(passkey),
client_id,
client_secret,
None,
Some(username),
)
.await
}
pub async fn refresh_token(
&mut self,
refresh_token: String,
client_id: u64,
client_secret: String,
) -> Result<OAuth2TokenResponse> {
self.get_oauth_token(
OAuth2GrantType::RefreshToken,
Some(refresh_token),
client_id,
client_secret,
None,
None,
)
.await
}
pub async fn get_client_token(
&mut self,
client_id: u64,
client_secret: String,
) -> Result<OAuth2TokenResponse> {
self.get_oauth_token(
OAuth2GrantType::ClientCredentials,
None,
client_id,
client_secret,
None,
None,
)
.await
}
pub async fn get_server_token(
&mut self,
server_id: u64,
client_id: u64,
client_secret: String,
) -> Result<OAuth2TokenResponse> {
self.get_oauth_token(
OAuth2GrantType::ClientCredentials,
None,
client_id,
client_secret,
Some("server_id".to_string()),
Some(server_id.to_string()),
)
.await
}
async fn get_oauth_token(
&self,
grant_type: OAuth2GrantType,
grant_value: Option<String>,
client_id: u64,
client_secret: String,
subject_key: Option<String>,
subject_value: Option<String>,
) -> Result<OAuth2TokenResponse> {
let code = if grant_type == OAuth2GrantType::AuthorizationCode {
grant_value.clone()
} else {
None
};
let refresh_token = if grant_type == OAuth2GrantType::RefreshToken {
grant_value.clone()
} else {
None
};
let mut require_username = false;
let password = if grant_type == OAuth2GrantType::Password {
require_username = true;
grant_value.clone()
} else {
None
};
let passkey = if grant_type == OAuth2GrantType::Passkey {
require_username = true;
grant_value.clone()
} else {
None
};
let username = if require_username && subject_value.is_some() {
subject_value.clone()
} else {
None
};
let request_body = OAuth2TokenRequest {
grant_type,
code,
refresh_token,
username,
password,
passkey,
client_id: Some(client_id.to_string()),
client_secret: Some(client_secret.clone()),
redirect_uri: None,
};
let params = if subject_key.is_some() && subject_value.is_some() {
format!("?{}={}", subject_key.unwrap(), subject_value.unwrap())
} else {
"".to_string()
};
let url = format!("{}/v1/oauth2/token{}", self.base_url, params);
let headers = self.headers();
let response = self
.http
.post(url)
.headers(headers)
.form(&request_body)
.send()
.await?;
if response.status() != 200 {
return Err(Error::msg(format!(
"Failed to get token: {}",
response.status()
)));
}
Ok(response.json().await?)
}
pub async fn get_user_info(&self) -> Result<Profile> {
let url = format!("{}/v1/oauth2/userinfo", self.base_url);
let headers = self.headers();
let response = self.http.get(url).headers(headers).send().await?;
Ok(response.json().await?)
}
pub async fn get_games(&self, page: Option<u32>) -> Result<Vec<Game>> {
let page = page.unwrap_or(1);
let url = format!("{}/v1/packages?page={}", self.base_url, page);
let headers = self.headers();
let response = self.http.get(url).headers(headers).send().await?;
Ok(response.json().await?)
}
pub async fn get_game(&self, id: u64) -> Result<Game> {
let url = format!("{}/v1/packages/{}", self.base_url, id);
let headers = self.headers();
let response = self.http.get(url).headers(headers).send().await?;
Ok(response.json().await?)
}
}

51
src/apis/configuration.rs Normal file
View File

@ -0,0 +1,51 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
#[derive(Debug, Clone)]
pub struct Configuration {
pub base_path: String,
pub user_agent: Option<String>,
pub client: reqwest::Client,
pub basic_auth: Option<BasicAuth>,
pub oauth_access_token: Option<String>,
pub bearer_access_token: Option<String>,
pub api_key: Option<ApiKey>,
}
pub type BasicAuth = (String, Option<String>);
#[derive(Debug, Clone)]
pub struct ApiKey {
pub prefix: Option<String>,
pub key: String,
}
impl Configuration {
pub fn new() -> Configuration {
Configuration::default()
}
}
impl Default for Configuration {
fn default() -> Self {
Configuration {
base_path: "http://localhost".to_owned(),
user_agent: Some("OpenAPI-Generator/1.1.0/rust".to_owned()),
client: reqwest::Client::new(),
basic_auth: None,
oauth_access_token: None,
bearer_access_token: None,
api_key: None,
}
}
}

117
src/apis/mod.rs Normal file
View File

@ -0,0 +1,117 @@
use std::error;
use std::fmt;
#[derive(Debug, Clone)]
pub struct ResponseContent<T> {
pub status: reqwest::StatusCode,
pub content: String,
pub entity: Option<T>,
}
#[derive(Debug)]
pub enum Error<T> {
Reqwest(reqwest::Error),
Serde(serde_json::Error),
Io(std::io::Error),
ResponseError(ResponseContent<T>),
}
impl <T> fmt::Display for Error<T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
let (module, e) = match self {
Error::Reqwest(e) => ("reqwest", e.to_string()),
Error::Serde(e) => ("serde", e.to_string()),
Error::Io(e) => ("IO", e.to_string()),
Error::ResponseError(e) => ("response", format!("status code {}", e.status)),
};
write!(f, "error in {}: {}", module, e)
}
}
impl <T: fmt::Debug> error::Error for Error<T> {
fn source(&self) -> Option<&(dyn error::Error + 'static)> {
Some(match self {
Error::Reqwest(e) => e,
Error::Serde(e) => e,
Error::Io(e) => e,
Error::ResponseError(_) => return None,
})
}
}
impl <T> From<reqwest::Error> for Error<T> {
fn from(e: reqwest::Error) -> Self {
Error::Reqwest(e)
}
}
impl <T> From<serde_json::Error> for Error<T> {
fn from(e: serde_json::Error) -> Self {
Error::Serde(e)
}
}
impl <T> From<std::io::Error> for Error<T> {
fn from(e: std::io::Error) -> Self {
Error::Io(e)
}
}
pub fn urlencode<T: AsRef<str>>(s: T) -> String {
::url::form_urlencoded::byte_serialize(s.as_ref().as_bytes()).collect()
}
pub fn parse_deep_object(prefix: &str, value: &serde_json::Value) -> Vec<(String, String)> {
if let serde_json::Value::Object(object) = value {
let mut params = vec![];
for (key, value) in object {
match value {
serde_json::Value::Object(_) => params.append(&mut parse_deep_object(
&format!("{}[{}]", prefix, key),
value,
)),
serde_json::Value::Array(array) => {
for (i, value) in array.iter().enumerate() {
params.append(&mut parse_deep_object(
&format!("{}[{}][{}]", prefix, key, i),
value,
));
}
},
serde_json::Value::String(s) => params.push((format!("{}[{}]", prefix, key), s.clone())),
_ => params.push((format!("{}[{}]", prefix, key), value.to_string())),
}
}
return params;
}
unimplemented!("Only objects are supported with style=deepObject")
}
/// Internal use only
/// A content type supported by this client.
#[allow(dead_code)]
enum ContentType {
Json,
Text,
Unsupported(String)
}
impl From<&str> for ContentType {
fn from(content_type: &str) -> Self {
if content_type.starts_with("application") && content_type.contains("json") {
return Self::Json;
} else if content_type.starts_with("text/plain") {
return Self::Text;
} else {
return Self::Unsupported(content_type.to_string());
}
}
}
pub mod tribufu_generated_api;
pub mod configuration;

File diff suppressed because it is too large Load Diff

View File

@ -1,16 +0,0 @@
[package]
name = "tribufu-constants"
version = "0.1.0"
description = "Tribufu Constants"
repository = "https://github.com/Tribufu/TribufuRust"
authors = ["Tribufu <contact@tribufu.com>"]
license = "MIT"
edition = "2021"
publish = true
[lib]
name = "tribufu_constants"
crate-type = ["rlib"]
path = "lib.rs"
[dependencies]

View File

@ -1,3 +0,0 @@
// Copyright (c) Tribufu. All Rights Reserved.
pub const VERSION: &str = env!("CARGO_PKG_VERSION");

View File

@ -1,5 +1,111 @@
// Copyright (c) Tribufu. All Rights Reserved.
// SPDX-License-Identifier: MIT
pub use tribufu_api::*;
pub use tribufu_constants::VERSION;
pub use tribufu_types as types;
#![allow(unused_imports)]
#![allow(clippy::too_many_arguments)]
use crate::apis::configuration::{ApiKey, Configuration};
use crate::apis::tribufu_generated_api::TribufuGeneratedApiClient;
use reqwest::Client;
use std::env::{self, consts};
use std::sync::Arc;
pub mod apis;
pub mod models;
/// Use this to interact with the Tribufu API.
pub struct TribufuApi;
impl TribufuApi {
/// The default base URL for the Tribufu API.
pub const DEFAULT_BASE_URL: &'static str = "https://api.tribufu.com";
/// Create a TribufuApi instance.
pub fn new(api_key: Option<String>) -> TribufuGeneratedApiClient {
let configuration = Self::create_configuration(api_key);
let configuration_arc = Arc::new(configuration);
TribufuGeneratedApiClient::new(configuration_arc)
}
/// Create a TribufuApi with the default options.
pub fn default() -> TribufuGeneratedApiClient {
Self::new(None)
}
/// Create a TribufuApi with the given API key.
///
/// An API key gives you public read only access to the Tribufu API.
pub fn with_api_key(api_key: String) -> TribufuGeneratedApiClient {
Self::new(Some(api_key))
}
/// Try to create a TribufuApi from environment variables.
///
/// This will only work if the environment variables are set.
pub fn from_env(prefix: Option<&str>) -> Option<TribufuGeneratedApiClient> {
let prefix = prefix.unwrap_or("TRIBUFU");
let api_key_var = format!("{}_API_KEY", prefix);
if let Ok(api_key) = env::var(api_key_var) {
if !api_key.trim().is_empty() {
return Some(Self::with_api_key(api_key));
}
}
None
}
/// Create a TribufuApi from environment variables or the default API.
///
/// This will fallback to the default API if the environment variables are not set.
pub fn from_env_or_default(prefix: Option<&str>) -> TribufuGeneratedApiClient {
Self::from_env(prefix).unwrap_or_else(Self::default)
}
/// Gets the version of the Tribufu API client.
pub fn get_version() -> String {
env!("CARGO_PKG_VERSION").to_owned()
}
/// Gets the user agent string for the Tribufu API client.
pub fn get_user_agent() -> String {
let version = Self::get_version();
format!("Tribufu/{} ({}; {})", version, consts::OS, consts::ARCH)
}
/// Checks if debug mode is enabled.
pub fn debug_enabled() -> bool {
cfg!(debug_assertions)
}
/// Get the base URL for the Tribufu API.
fn get_base_url() -> String {
if let Ok(base_url) = env::var("TRIBUFU_API_URL") {
if Self::debug_enabled() && !base_url.trim().is_empty() {
return base_url;
}
}
Self::DEFAULT_BASE_URL.to_string()
}
/// Creates a configuration for the Tribufu API client.
fn create_configuration(api_key: Option<String>) -> Configuration {
let base_path = Self::get_base_url();
let user_agent = Some(Self::get_user_agent());
let api_key_obj = if let Some(api_key) = api_key {
Some(ApiKey {
prefix: Some("ApiKey".to_owned()),
key: api_key,
})
} else {
None
};
Configuration {
base_path,
user_agent,
api_key: api_key_obj,
..Default::default()
}
}
}

48
src/models/account.rs Normal file
View File

@ -0,0 +1,48 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct Account {
#[serde(rename = "id", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub id: Option<Option<String>>,
#[serde(rename = "name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub name: Option<Option<String>>,
#[serde(rename = "provider", skip_serializing_if = "Option::is_none")]
pub provider: Option<models::LoginProvider>,
#[serde(rename = "user_id", skip_serializing_if = "Option::is_none")]
pub user_id: Option<String>,
#[serde(rename = "authorized", skip_serializing_if = "Option::is_none")]
pub authorized: Option<bool>,
#[serde(rename = "fields", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub fields: Option<Option<serde_json::Value>>,
#[serde(rename = "created", skip_serializing_if = "Option::is_none")]
pub created: Option<String>,
#[serde(rename = "updated", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub updated: Option<Option<String>>,
}
impl Account {
pub fn new() -> Account {
Account {
id: None,
name: None,
provider: None,
user_id: None,
authorized: None,
fields: None,
created: None,
updated: None,
}
}
}

84
src/models/application.rs Normal file
View File

@ -0,0 +1,84 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct Application {
#[serde(rename = "id", skip_serializing_if = "Option::is_none")]
pub id: Option<String>,
#[serde(rename = "name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub name: Option<Option<String>>,
#[serde(rename = "description", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub description: Option<Option<String>>,
#[serde(rename = "type", skip_serializing_if = "Option::is_none")]
pub r#type: Option<models::ApplicationType>,
#[serde(rename = "organization_id", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub organization_id: Option<Option<String>>,
#[serde(rename = "icon_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub icon_url: Option<Option<String>>,
#[serde(rename = "banner_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub banner_url: Option<Option<String>>,
#[serde(rename = "capsule_image_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub capsule_image_url: Option<Option<String>>,
#[serde(rename = "library_image_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub library_image_url: Option<Option<String>>,
#[serde(rename = "parent_id", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub parent_id: Option<Option<String>>,
#[serde(rename = "slug", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub slug: Option<Option<String>>,
#[serde(rename = "visibility", skip_serializing_if = "Option::is_none")]
pub visibility: Option<i32>,
#[serde(rename = "password", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub password: Option<Option<String>>,
#[serde(rename = "primary", skip_serializing_if = "Option::is_none")]
pub primary: Option<i32>,
#[serde(rename = "user_count", skip_serializing_if = "Option::is_none")]
pub user_count: Option<i32>,
#[serde(rename = "achievement_count", skip_serializing_if = "Option::is_none")]
pub achievement_count: Option<i32>,
#[serde(rename = "badge_count", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub badge_count: Option<Option<i32>>,
#[serde(rename = "download_count", skip_serializing_if = "Option::is_none")]
pub download_count: Option<i32>,
#[serde(rename = "created", skip_serializing_if = "Option::is_none")]
pub created: Option<String>,
#[serde(rename = "updated", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub updated: Option<Option<String>>,
}
impl Application {
pub fn new() -> Application {
Application {
id: None,
name: None,
description: None,
r#type: None,
organization_id: None,
icon_url: None,
banner_url: None,
capsule_image_url: None,
library_image_url: None,
parent_id: None,
slug: None,
visibility: None,
password: None,
primary: None,
user_count: None,
achievement_count: None,
badge_count: None,
download_count: None,
created: None,
updated: None,
}
}
}

View File

@ -0,0 +1,38 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
///
#[derive(Clone, Copy, Debug, Eq, PartialEq, Ord, PartialOrd, Hash, Serialize, Deserialize)]
pub enum ApplicationType {
#[serde(rename = "application")]
Application,
#[serde(rename = "game")]
Game,
}
impl std::fmt::Display for ApplicationType {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
match self {
Self::Application => write!(f, "application"),
Self::Game => write!(f, "game"),
}
}
}
impl Default for ApplicationType {
fn default() -> ApplicationType {
Self::Application
}
}

View File

@ -0,0 +1,45 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct AuthorizeRequest {
#[serde(rename = "response_type", skip_serializing_if = "Option::is_none")]
pub response_type: Option<models::ResponseType>,
#[serde(rename = "client_id", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub client_id: Option<Option<String>>,
#[serde(rename = "code_challenge", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub code_challenge: Option<Option<String>>,
#[serde(rename = "code_challenge_method", skip_serializing_if = "Option::is_none")]
pub code_challenge_method: Option<models::CodeChallengeMethod>,
#[serde(rename = "redirect_uri", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub redirect_uri: Option<Option<String>>,
#[serde(rename = "scope", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub scope: Option<Option<String>>,
#[serde(rename = "state", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub state: Option<Option<String>>,
}
impl AuthorizeRequest {
pub fn new() -> AuthorizeRequest {
AuthorizeRequest {
response_type: None,
client_id: None,
code_challenge: None,
code_challenge_method: None,
redirect_uri: None,
scope: None,
state: None,
}
}
}

View File

@ -0,0 +1,38 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
///
#[derive(Clone, Copy, Debug, Eq, PartialEq, Ord, PartialOrd, Hash, Serialize, Deserialize)]
pub enum CodeChallengeMethod {
#[serde(rename = "plain")]
Plain,
#[serde(rename = "S256")]
S256,
}
impl std::fmt::Display for CodeChallengeMethod {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
match self {
Self::Plain => write!(f, "plain"),
Self::S256 => write!(f, "S256"),
}
}
}
impl Default for CodeChallengeMethod {
fn default() -> CodeChallengeMethod {
Self::Plain
}
}

View File

@ -0,0 +1,30 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct CryptoViewModel {
#[serde(rename = "encoded", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub encoded: Option<Option<String>>,
#[serde(rename = "decoded", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub decoded: Option<Option<String>>,
}
impl CryptoViewModel {
pub fn new() -> CryptoViewModel {
CryptoViewModel {
encoded: None,
decoded: None,
}
}
}

117
src/models/game.rs Normal file
View File

@ -0,0 +1,117 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct Game {
#[serde(rename = "game_port", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub game_port: Option<Option<i32>>,
#[serde(rename = "query_port", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub query_port: Option<Option<i32>>,
#[serde(rename = "rcon_port", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub rcon_port: Option<Option<i32>>,
#[serde(rename = "server_count", skip_serializing_if = "Option::is_none")]
pub server_count: Option<i32>,
#[serde(rename = "steam_app_id", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub steam_app_id: Option<Option<i32>>,
#[serde(rename = "steam_server_app_id", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub steam_server_app_id: Option<Option<i32>>,
#[serde(rename = "enable_servers", skip_serializing_if = "Option::is_none")]
pub enable_servers: Option<bool>,
#[serde(rename = "rust_gamedig_id", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub rust_gamedig_id: Option<Option<String>>,
#[serde(rename = "node_gamedig_id", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub node_gamedig_id: Option<Option<String>>,
#[serde(rename = "server_connect_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub server_connect_url: Option<Option<String>>,
#[serde(rename = "server_tags", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub server_tags: Option<Option<String>>,
#[serde(rename = "id", skip_serializing_if = "Option::is_none")]
pub id: Option<String>,
#[serde(rename = "name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub name: Option<Option<String>>,
#[serde(rename = "description", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub description: Option<Option<String>>,
#[serde(rename = "type", skip_serializing_if = "Option::is_none")]
pub r#type: Option<models::ApplicationType>,
#[serde(rename = "organization_id", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub organization_id: Option<Option<String>>,
#[serde(rename = "icon_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub icon_url: Option<Option<String>>,
#[serde(rename = "banner_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub banner_url: Option<Option<String>>,
#[serde(rename = "capsule_image_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub capsule_image_url: Option<Option<String>>,
#[serde(rename = "library_image_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub library_image_url: Option<Option<String>>,
#[serde(rename = "parent_id", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub parent_id: Option<Option<String>>,
#[serde(rename = "slug", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub slug: Option<Option<String>>,
#[serde(rename = "visibility", skip_serializing_if = "Option::is_none")]
pub visibility: Option<i32>,
#[serde(rename = "password", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub password: Option<Option<String>>,
#[serde(rename = "primary", skip_serializing_if = "Option::is_none")]
pub primary: Option<i32>,
#[serde(rename = "user_count", skip_serializing_if = "Option::is_none")]
pub user_count: Option<i32>,
#[serde(rename = "achievement_count", skip_serializing_if = "Option::is_none")]
pub achievement_count: Option<i32>,
#[serde(rename = "badge_count", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub badge_count: Option<Option<i32>>,
#[serde(rename = "download_count", skip_serializing_if = "Option::is_none")]
pub download_count: Option<i32>,
#[serde(rename = "created", skip_serializing_if = "Option::is_none")]
pub created: Option<String>,
#[serde(rename = "updated", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub updated: Option<Option<String>>,
}
impl Game {
pub fn new() -> Game {
Game {
game_port: None,
query_port: None,
rcon_port: None,
server_count: None,
steam_app_id: None,
steam_server_app_id: None,
enable_servers: None,
rust_gamedig_id: None,
node_gamedig_id: None,
server_connect_url: None,
server_tags: None,
id: None,
name: None,
description: None,
r#type: None,
organization_id: None,
icon_url: None,
banner_url: None,
capsule_image_url: None,
library_image_url: None,
parent_id: None,
slug: None,
visibility: None,
password: None,
primary: None,
user_count: None,
achievement_count: None,
badge_count: None,
download_count: None,
created: None,
updated: None,
}
}
}

117
src/models/game_server.rs Normal file
View File

@ -0,0 +1,117 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct GameServer {
#[serde(rename = "id", skip_serializing_if = "Option::is_none")]
pub id: Option<String>,
#[serde(rename = "name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub name: Option<Option<String>>,
#[serde(rename = "description", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub description: Option<Option<String>>,
#[serde(rename = "address", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub address: Option<Option<String>>,
#[serde(rename = "game_port", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub game_port: Option<Option<i32>>,
#[serde(rename = "query_port", skip_serializing_if = "Option::is_none")]
pub query_port: Option<i32>,
#[serde(rename = "game_id", skip_serializing_if = "Option::is_none")]
pub game_id: Option<String>,
#[serde(rename = "game_icon_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub game_icon_url: Option<Option<String>>,
#[serde(rename = "version", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub version: Option<Option<String>>,
#[serde(rename = "featured", skip_serializing_if = "Option::is_none")]
pub featured: Option<bool>,
#[serde(rename = "cluster_id", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub cluster_id: Option<Option<String>>,
#[serde(rename = "website_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub website_url: Option<Option<String>>,
#[serde(rename = "banner_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub banner_url: Option<Option<String>>,
#[serde(rename = "owner_id", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub owner_id: Option<Option<String>>,
#[serde(rename = "uptime", skip_serializing_if = "Option::is_none")]
pub uptime: Option<f64>,
#[serde(rename = "status", skip_serializing_if = "Option::is_none")]
pub status: Option<models::ServerStatus>,
#[serde(rename = "ping", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub ping: Option<Option<i32>>,
#[serde(rename = "map", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub map: Option<Option<String>>,
#[serde(rename = "used_slots", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub used_slots: Option<Option<i32>>,
#[serde(rename = "max_slots", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub max_slots: Option<Option<i32>>,
#[serde(rename = "motd", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub motd: Option<Option<String>>,
#[serde(rename = "players", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub players: Option<Option<String>>,
#[serde(rename = "last_online", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub last_online: Option<Option<String>>,
#[serde(rename = "country", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub country: Option<Option<String>>,
#[serde(rename = "steam", skip_serializing_if = "Option::is_none")]
pub steam: Option<bool>,
#[serde(rename = "discord_server_id", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub discord_server_id: Option<Option<String>>,
#[serde(rename = "youtube_video_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub youtube_video_url: Option<Option<String>>,
#[serde(rename = "tags", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub tags: Option<Option<String>>,
#[serde(rename = "comment_count", skip_serializing_if = "Option::is_none")]
pub comment_count: Option<i32>,
#[serde(rename = "created", skip_serializing_if = "Option::is_none")]
pub created: Option<String>,
#[serde(rename = "updated", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub updated: Option<Option<String>>,
}
impl GameServer {
pub fn new() -> GameServer {
GameServer {
id: None,
name: None,
description: None,
address: None,
game_port: None,
query_port: None,
game_id: None,
game_icon_url: None,
version: None,
featured: None,
cluster_id: None,
website_url: None,
banner_url: None,
owner_id: None,
uptime: None,
status: None,
ping: None,
map: None,
used_slots: None,
max_slots: None,
motd: None,
players: None,
last_online: None,
country: None,
steam: None,
discord_server_id: None,
youtube_video_url: None,
tags: None,
comment_count: None,
created: None,
updated: None,
}
}
}

View File

@ -0,0 +1,66 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct GameServerCluster {
#[serde(rename = "id", skip_serializing_if = "Option::is_none")]
pub id: Option<String>,
#[serde(rename = "name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub name: Option<Option<String>>,
#[serde(rename = "description", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub description: Option<Option<String>>,
#[serde(rename = "game_id", skip_serializing_if = "Option::is_none")]
pub game_id: Option<String>,
#[serde(rename = "website_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub website_url: Option<Option<String>>,
#[serde(rename = "banner_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub banner_url: Option<Option<String>>,
#[serde(rename = "owner_id", skip_serializing_if = "Option::is_none")]
pub owner_id: Option<String>,
#[serde(rename = "discord_server_id", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub discord_server_id: Option<Option<String>>,
#[serde(rename = "youtube_video_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub youtube_video_url: Option<Option<String>>,
#[serde(rename = "tags", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub tags: Option<Option<String>>,
#[serde(rename = "comment_count", skip_serializing_if = "Option::is_none")]
pub comment_count: Option<i32>,
#[serde(rename = "server_count", skip_serializing_if = "Option::is_none")]
pub server_count: Option<i32>,
#[serde(rename = "created", skip_serializing_if = "Option::is_none")]
pub created: Option<String>,
#[serde(rename = "updated", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub updated: Option<Option<String>>,
}
impl GameServerCluster {
pub fn new() -> GameServerCluster {
GameServerCluster {
id: None,
name: None,
description: None,
game_id: None,
website_url: None,
banner_url: None,
owner_id: None,
discord_server_id: None,
youtube_video_url: None,
tags: None,
comment_count: None,
server_count: None,
created: None,
updated: None,
}
}
}

44
src/models/grant_type.rs Normal file
View File

@ -0,0 +1,44 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
///
#[derive(Clone, Copy, Debug, Eq, PartialEq, Ord, PartialOrd, Hash, Serialize, Deserialize)]
pub enum GrantType {
#[serde(rename = "authorization_code")]
AuthorizationCode,
#[serde(rename = "client_credentials")]
ClientCredentials,
#[serde(rename = "password")]
Password,
#[serde(rename = "refresh_token")]
RefreshToken,
}
impl std::fmt::Display for GrantType {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
match self {
Self::AuthorizationCode => write!(f, "authorization_code"),
Self::ClientCredentials => write!(f, "client_credentials"),
Self::Password => write!(f, "password"),
Self::RefreshToken => write!(f, "refresh_token"),
}
}
}
impl Default for GrantType {
fn default() -> GrantType {
Self::AuthorizationCode
}
}

72
src/models/group.rs Normal file
View File

@ -0,0 +1,72 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct Group {
#[serde(rename = "id", skip_serializing_if = "Option::is_none")]
pub id: Option<String>,
#[serde(rename = "uuid", skip_serializing_if = "Option::is_none")]
pub uuid: Option<uuid::Uuid>,
#[serde(rename = "name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub name: Option<Option<String>>,
#[serde(rename = "tag", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub tag: Option<Option<String>>,
#[serde(rename = "description", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub description: Option<Option<String>>,
#[serde(rename = "type", skip_serializing_if = "Option::is_none")]
pub r#type: Option<i32>,
#[serde(rename = "privacy", skip_serializing_if = "Option::is_none")]
pub privacy: Option<i32>,
#[serde(rename = "owner_id", skip_serializing_if = "Option::is_none")]
pub owner_id: Option<String>,
#[serde(rename = "verified", skip_serializing_if = "Option::is_none")]
pub verified: Option<bool>,
#[serde(rename = "photo_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub photo_url: Option<Option<String>>,
#[serde(rename = "banner_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub banner_url: Option<Option<String>>,
#[serde(rename = "member_count", skip_serializing_if = "Option::is_none")]
pub member_count: Option<i32>,
#[serde(rename = "follower_count", skip_serializing_if = "Option::is_none")]
pub follower_count: Option<i32>,
#[serde(rename = "view_count", skip_serializing_if = "Option::is_none")]
pub view_count: Option<i32>,
#[serde(rename = "created", skip_serializing_if = "Option::is_none")]
pub created: Option<String>,
#[serde(rename = "updated", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub updated: Option<Option<String>>,
}
impl Group {
pub fn new() -> Group {
Group {
id: None,
uuid: None,
name: None,
tag: None,
description: None,
r#type: None,
privacy: None,
owner_id: None,
verified: None,
photo_url: None,
banner_url: None,
member_count: None,
follower_count: None,
view_count: None,
created: None,
updated: None,
}
}
}

45
src/models/group_game.rs Normal file
View File

@ -0,0 +1,45 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct GroupGame {
#[serde(rename = "group_id", skip_serializing_if = "Option::is_none")]
pub group_id: Option<String>,
#[serde(rename = "group", skip_serializing_if = "Option::is_none")]
pub group: Option<Box<models::Group>>,
#[serde(rename = "application_id", skip_serializing_if = "Option::is_none")]
pub application_id: Option<String>,
#[serde(rename = "application", skip_serializing_if = "Option::is_none")]
pub application: Option<Box<models::Application>>,
#[serde(rename = "stats", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub stats: Option<Option<serde_json::Value>>,
#[serde(rename = "acquired", skip_serializing_if = "Option::is_none")]
pub acquired: Option<String>,
#[serde(rename = "last_used", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub last_used: Option<Option<String>>,
}
impl GroupGame {
pub fn new() -> GroupGame {
GroupGame {
group_id: None,
group: None,
application_id: None,
application: None,
stats: None,
acquired: None,
last_used: None,
}
}
}

View File

@ -0,0 +1,51 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct GroupMember {
#[serde(rename = "id", skip_serializing_if = "Option::is_none")]
pub id: Option<String>,
#[serde(rename = "uuid", skip_serializing_if = "Option::is_none")]
pub uuid: Option<uuid::Uuid>,
#[serde(rename = "name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub name: Option<Option<String>>,
#[serde(rename = "display_name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub display_name: Option<Option<String>>,
#[serde(rename = "verified", skip_serializing_if = "Option::is_none")]
pub verified: Option<bool>,
#[serde(rename = "photo_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub photo_url: Option<Option<String>>,
#[serde(rename = "last_online", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub last_online: Option<Option<String>>,
#[serde(rename = "rank", skip_serializing_if = "Option::is_none")]
pub rank: Option<models::GroupRank>,
#[serde(rename = "since", skip_serializing_if = "Option::is_none")]
pub since: Option<String>,
}
impl GroupMember {
pub fn new() -> GroupMember {
GroupMember {
id: None,
uuid: None,
name: None,
display_name: None,
verified: None,
photo_url: None,
last_online: None,
rank: None,
since: None,
}
}
}

41
src/models/group_rank.rs Normal file
View File

@ -0,0 +1,41 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
///
#[derive(Clone, Copy, Debug, Eq, PartialEq, Ord, PartialOrd, Hash, Serialize, Deserialize)]
pub enum GroupRank {
#[serde(rename = "member")]
Member,
#[serde(rename = "leader")]
Leader,
#[serde(rename = "owner")]
Owner,
}
impl std::fmt::Display for GroupRank {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
match self {
Self::Member => write!(f, "member"),
Self::Leader => write!(f, "leader"),
Self::Owner => write!(f, "owner"),
}
}
}
impl Default for GroupRank {
fn default() -> GroupRank {
Self::Member
}
}

View File

@ -0,0 +1,27 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct HashViewModel {
#[serde(rename = "value", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub value: Option<Option<String>>,
}
impl HashViewModel {
pub fn new() -> HashViewModel {
HashViewModel {
value: None,
}
}
}

View File

@ -0,0 +1,30 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct IntrospectRequest {
#[serde(rename = "token", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub token: Option<Option<String>>,
#[serde(rename = "token_type_hint", skip_serializing_if = "Option::is_none")]
pub token_type_hint: Option<models::TokenHintType>,
}
impl IntrospectRequest {
pub fn new() -> IntrospectRequest {
IntrospectRequest {
token: None,
token_type_hint: None,
}
}
}

78
src/models/ip_address.rs Normal file
View File

@ -0,0 +1,78 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct IpAddress {
#[serde(rename = "address", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub address: Option<Option<String>>,
#[serde(rename = "version", skip_serializing_if = "Option::is_none")]
pub version: Option<i32>,
#[serde(rename = "network", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub network: Option<Option<String>>,
#[serde(rename = "reserved", skip_serializing_if = "Option::is_none")]
pub reserved: Option<bool>,
#[serde(rename = "asn", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub asn: Option<Option<String>>,
#[serde(rename = "isp", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub isp: Option<Option<String>>,
#[serde(rename = "continent", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub continent: Option<Option<String>>,
#[serde(rename = "country", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub country: Option<Option<String>>,
#[serde(rename = "region", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub region: Option<Option<String>>,
#[serde(rename = "city", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub city: Option<Option<String>>,
#[serde(rename = "postal_code", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub postal_code: Option<Option<String>>,
#[serde(rename = "calling_code", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub calling_code: Option<Option<String>>,
#[serde(rename = "tld", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub tld: Option<Option<String>>,
#[serde(rename = "language", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub language: Option<Option<String>>,
#[serde(rename = "timezone", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub timezone: Option<Option<String>>,
#[serde(rename = "currency", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub currency: Option<Option<String>>,
#[serde(rename = "latitude", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub latitude: Option<Option<f32>>,
#[serde(rename = "longitude", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub longitude: Option<Option<f32>>,
}
impl IpAddress {
pub fn new() -> IpAddress {
IpAddress {
address: None,
version: None,
network: None,
reserved: None,
asn: None,
isp: None,
continent: None,
country: None,
region: None,
city: None,
postal_code: None,
calling_code: None,
tld: None,
language: None,
timezone: None,
currency: None,
latitude: None,
longitude: None,
}
}
}

View File

@ -0,0 +1,42 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct LeaderboardItem {
#[serde(rename = "name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub name: Option<Option<String>>,
#[serde(rename = "display_name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub display_name: Option<Option<String>>,
#[serde(rename = "photo_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub photo_url: Option<Option<String>>,
#[serde(rename = "level", skip_serializing_if = "Option::is_none")]
pub level: Option<i32>,
#[serde(rename = "experience", skip_serializing_if = "Option::is_none")]
pub experience: Option<f64>,
#[serde(rename = "points", skip_serializing_if = "Option::is_none")]
pub points: Option<f64>,
}
impl LeaderboardItem {
pub fn new() -> LeaderboardItem {
LeaderboardItem {
name: None,
display_name: None,
photo_url: None,
level: None,
experience: None,
points: None,
}
}
}

View File

@ -0,0 +1,38 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
///
#[derive(Clone, Copy, Debug, Eq, PartialEq, Ord, PartialOrd, Hash, Serialize, Deserialize)]
pub enum LeaderboardOrder {
#[serde(rename = "level")]
Level,
#[serde(rename = "points")]
Points,
}
impl std::fmt::Display for LeaderboardOrder {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
match self {
Self::Level => write!(f, "level"),
Self::Points => write!(f, "points"),
}
}
}
impl Default for LeaderboardOrder {
fn default() -> LeaderboardOrder {
Self::Level
}
}

View File

@ -0,0 +1,53 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
///
#[derive(Clone, Copy, Debug, Eq, PartialEq, Ord, PartialOrd, Hash, Serialize, Deserialize)]
pub enum LoginProvider {
#[serde(rename = "steam")]
Steam,
#[serde(rename = "epic")]
Epic,
#[serde(rename = "discord")]
Discord,
#[serde(rename = "microsoft")]
Microsoft,
#[serde(rename = "playstation")]
Playstation,
#[serde(rename = "google")]
Google,
#[serde(rename = "apple")]
Apple,
}
impl std::fmt::Display for LoginProvider {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
match self {
Self::Steam => write!(f, "steam"),
Self::Epic => write!(f, "epic"),
Self::Discord => write!(f, "discord"),
Self::Microsoft => write!(f, "microsoft"),
Self::Playstation => write!(f, "playstation"),
Self::Google => write!(f, "google"),
Self::Apple => write!(f, "apple"),
}
}
}
impl Default for LoginProvider {
fn default() -> LoginProvider {
Self::Steam
}
}

View File

@ -0,0 +1,30 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct LoginRequest {
#[serde(rename = "login", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub login: Option<Option<String>>,
#[serde(rename = "password", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub password: Option<Option<String>>,
}
impl LoginRequest {
pub fn new() -> LoginRequest {
LoginRequest {
login: None,
password: None,
}
}
}

View File

@ -0,0 +1,36 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct LoginResponse {
#[serde(rename = "user", skip_serializing_if = "Option::is_none")]
pub user: Option<Box<models::UserInfo>>,
#[serde(rename = "access_token", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub access_token: Option<Option<String>>,
#[serde(rename = "refresh_token", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub refresh_token: Option<Option<String>>,
#[serde(rename = "expires_in", skip_serializing_if = "Option::is_none")]
pub expires_in: Option<i64>,
}
impl LoginResponse {
pub fn new() -> LoginResponse {
LoginResponse {
user: None,
access_token: None,
refresh_token: None,
expires_in: None,
}
}
}

84
src/models/mod.rs Normal file
View File

@ -0,0 +1,84 @@
pub mod account;
pub use self::account::Account;
pub mod application;
pub use self::application::Application;
pub mod application_type;
pub use self::application_type::ApplicationType;
pub mod authorize_request;
pub use self::authorize_request::AuthorizeRequest;
pub mod code_challenge_method;
pub use self::code_challenge_method::CodeChallengeMethod;
pub mod crypto_view_model;
pub use self::crypto_view_model::CryptoViewModel;
pub mod game;
pub use self::game::Game;
pub mod game_server;
pub use self::game_server::GameServer;
pub mod game_server_cluster;
pub use self::game_server_cluster::GameServerCluster;
pub mod grant_type;
pub use self::grant_type::GrantType;
pub mod group;
pub use self::group::Group;
pub mod group_game;
pub use self::group_game::GroupGame;
pub mod group_member;
pub use self::group_member::GroupMember;
pub mod group_rank;
pub use self::group_rank::GroupRank;
pub mod hash_view_model;
pub use self::hash_view_model::HashViewModel;
pub mod introspect_request;
pub use self::introspect_request::IntrospectRequest;
pub mod ip_address;
pub use self::ip_address::IpAddress;
pub mod leaderboard_item;
pub use self::leaderboard_item::LeaderboardItem;
pub mod leaderboard_order;
pub use self::leaderboard_order::LeaderboardOrder;
pub mod login_provider;
pub use self::login_provider::LoginProvider;
pub mod login_request;
pub use self::login_request::LoginRequest;
pub mod login_response;
pub use self::login_response::LoginResponse;
pub mod package;
pub use self::package::Package;
pub mod profile;
pub use self::profile::Profile;
pub mod profile_game;
pub use self::profile_game::ProfileGame;
pub mod profile_group;
pub use self::profile_group::ProfileGroup;
pub mod refresh_request;
pub use self::refresh_request::RefreshRequest;
pub mod register_request;
pub use self::register_request::RegisterRequest;
pub mod response_type;
pub use self::response_type::ResponseType;
pub mod revoke_request;
pub use self::revoke_request::RevokeRequest;
pub mod search_request;
pub use self::search_request::SearchRequest;
pub mod search_type;
pub use self::search_type::SearchType;
pub mod server_metrics;
pub use self::server_metrics::ServerMetrics;
pub mod server_status;
pub use self::server_status::ServerStatus;
pub mod subscription;
pub use self::subscription::Subscription;
pub mod token_hint_type;
pub use self::token_hint_type::TokenHintType;
pub mod token_request;
pub use self::token_request::TokenRequest;
pub mod token_response;
pub use self::token_response::TokenResponse;
pub mod token_type;
pub use self::token_type::TokenType;
pub mod update_profile;
pub use self::update_profile::UpdateProfile;
pub mod user_info;
pub use self::user_info::UserInfo;
pub mod user_type;
pub use self::user_type::UserType;

60
src/models/package.rs Normal file
View File

@ -0,0 +1,60 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct Package {
#[serde(rename = "id", skip_serializing_if = "Option::is_none")]
pub id: Option<String>,
#[serde(rename = "name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub name: Option<Option<String>>,
#[serde(rename = "description", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub description: Option<Option<String>>,
#[serde(rename = "image_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub image_url: Option<Option<String>>,
#[serde(rename = "author_id", skip_serializing_if = "Option::is_none")]
pub author_id: Option<String>,
#[serde(rename = "version", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub version: Option<Option<String>>,
#[serde(rename = "file_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub file_url: Option<Option<String>>,
#[serde(rename = "raw_size", skip_serializing_if = "Option::is_none")]
pub raw_size: Option<f64>,
#[serde(rename = "download_count", skip_serializing_if = "Option::is_none")]
pub download_count: Option<i32>,
#[serde(rename = "last_download", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub last_download: Option<Option<String>>,
#[serde(rename = "created", skip_serializing_if = "Option::is_none")]
pub created: Option<String>,
#[serde(rename = "updated", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub updated: Option<Option<String>>,
}
impl Package {
pub fn new() -> Package {
Package {
id: None,
name: None,
description: None,
image_url: None,
author_id: None,
version: None,
file_url: None,
raw_size: None,
download_count: None,
last_download: None,
created: None,
updated: None,
}
}
}

78
src/models/profile.rs Normal file
View File

@ -0,0 +1,78 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct Profile {
#[serde(rename = "id", skip_serializing_if = "Option::is_none")]
pub id: Option<String>,
#[serde(rename = "uuid", skip_serializing_if = "Option::is_none")]
pub uuid: Option<uuid::Uuid>,
#[serde(rename = "name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub name: Option<Option<String>>,
#[serde(rename = "display_name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub display_name: Option<Option<String>>,
#[serde(rename = "verified", skip_serializing_if = "Option::is_none")]
pub verified: Option<bool>,
#[serde(rename = "level", skip_serializing_if = "Option::is_none")]
pub level: Option<i32>,
#[serde(rename = "experience", skip_serializing_if = "Option::is_none")]
pub experience: Option<f64>,
#[serde(rename = "public_birthday", skip_serializing_if = "Option::is_none")]
pub public_birthday: Option<bool>,
#[serde(rename = "birthday", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub birthday: Option<Option<String>>,
#[serde(rename = "points", skip_serializing_if = "Option::is_none")]
pub points: Option<f64>,
#[serde(rename = "location", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub location: Option<Option<String>>,
#[serde(rename = "photo_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub photo_url: Option<Option<String>>,
#[serde(rename = "banner_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub banner_url: Option<Option<String>>,
#[serde(rename = "last_online", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub last_online: Option<Option<String>>,
#[serde(rename = "biography", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub biography: Option<Option<String>>,
#[serde(rename = "view_count", skip_serializing_if = "Option::is_none")]
pub view_count: Option<i32>,
#[serde(rename = "created", skip_serializing_if = "Option::is_none")]
pub created: Option<String>,
#[serde(rename = "updated", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub updated: Option<Option<String>>,
}
impl Profile {
pub fn new() -> Profile {
Profile {
id: None,
uuid: None,
name: None,
display_name: None,
verified: None,
level: None,
experience: None,
public_birthday: None,
birthday: None,
points: None,
location: None,
photo_url: None,
banner_url: None,
last_online: None,
biography: None,
view_count: None,
created: None,
updated: None,
}
}
}

View File

@ -0,0 +1,57 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct ProfileGame {
#[serde(rename = "id", skip_serializing_if = "Option::is_none")]
pub id: Option<String>,
#[serde(rename = "name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub name: Option<Option<String>>,
#[serde(rename = "capsule_image_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub capsule_image_url: Option<Option<String>>,
#[serde(rename = "library_image_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub library_image_url: Option<Option<String>>,
#[serde(rename = "slug", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub slug: Option<Option<String>>,
#[serde(rename = "time_used", skip_serializing_if = "Option::is_none")]
pub time_used: Option<f64>,
#[serde(rename = "unlocked_achievements", skip_serializing_if = "Option::is_none")]
pub unlocked_achievements: Option<i32>,
#[serde(rename = "total_achievements", skip_serializing_if = "Option::is_none")]
pub total_achievements: Option<i32>,
#[serde(rename = "stats", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub stats: Option<Option<serde_json::Value>>,
#[serde(rename = "acquired", skip_serializing_if = "Option::is_none")]
pub acquired: Option<String>,
#[serde(rename = "last_used", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub last_used: Option<Option<String>>,
}
impl ProfileGame {
pub fn new() -> ProfileGame {
ProfileGame {
id: None,
name: None,
capsule_image_url: None,
library_image_url: None,
slug: None,
time_used: None,
unlocked_achievements: None,
total_achievements: None,
stats: None,
acquired: None,
last_used: None,
}
}
}

View File

@ -0,0 +1,54 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct ProfileGroup {
#[serde(rename = "id", skip_serializing_if = "Option::is_none")]
pub id: Option<String>,
#[serde(rename = "uuid", skip_serializing_if = "Option::is_none")]
pub uuid: Option<uuid::Uuid>,
#[serde(rename = "name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub name: Option<Option<String>>,
#[serde(rename = "tag", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub tag: Option<Option<String>>,
#[serde(rename = "privacy", skip_serializing_if = "Option::is_none")]
pub privacy: Option<i32>,
#[serde(rename = "verified", skip_serializing_if = "Option::is_none")]
pub verified: Option<bool>,
#[serde(rename = "photo_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub photo_url: Option<Option<String>>,
#[serde(rename = "member_count", skip_serializing_if = "Option::is_none")]
pub member_count: Option<i32>,
#[serde(rename = "rank", skip_serializing_if = "Option::is_none")]
pub rank: Option<models::GroupRank>,
#[serde(rename = "since", skip_serializing_if = "Option::is_none")]
pub since: Option<String>,
}
impl ProfileGroup {
pub fn new() -> ProfileGroup {
ProfileGroup {
id: None,
uuid: None,
name: None,
tag: None,
privacy: None,
verified: None,
photo_url: None,
member_count: None,
rank: None,
since: None,
}
}
}

View File

@ -0,0 +1,27 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct RefreshRequest {
#[serde(rename = "refresh_token", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub refresh_token: Option<Option<String>>,
}
impl RefreshRequest {
pub fn new() -> RefreshRequest {
RefreshRequest {
refresh_token: None,
}
}
}

View File

@ -0,0 +1,36 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct RegisterRequest {
#[serde(rename = "uuid", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub uuid: Option<Option<uuid::Uuid>>,
#[serde(rename = "name")]
pub name: String,
#[serde(rename = "email", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub email: Option<Option<String>>,
#[serde(rename = "password")]
pub password: String,
}
impl RegisterRequest {
pub fn new(name: String, password: String) -> RegisterRequest {
RegisterRequest {
uuid: None,
name,
email: None,
password,
}
}
}

View File

@ -0,0 +1,38 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
///
#[derive(Clone, Copy, Debug, Eq, PartialEq, Ord, PartialOrd, Hash, Serialize, Deserialize)]
pub enum ResponseType {
#[serde(rename = "code")]
Code,
#[serde(rename = "token")]
Token,
}
impl std::fmt::Display for ResponseType {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
match self {
Self::Code => write!(f, "code"),
Self::Token => write!(f, "token"),
}
}
}
impl Default for ResponseType {
fn default() -> ResponseType {
Self::Code
}
}

View File

@ -0,0 +1,30 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct RevokeRequest {
#[serde(rename = "token", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub token: Option<Option<String>>,
#[serde(rename = "token_type_hint", skip_serializing_if = "Option::is_none")]
pub token_type_hint: Option<models::TokenHintType>,
}
impl RevokeRequest {
pub fn new() -> RevokeRequest {
RevokeRequest {
token: None,
token_type_hint: None,
}
}
}

View File

@ -0,0 +1,36 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct SearchRequest {
#[serde(rename = "type", skip_serializing_if = "Option::is_none")]
pub r#type: Option<models::SearchType>,
#[serde(rename = "query", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub query: Option<Option<String>>,
#[serde(rename = "page", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub page: Option<Option<i32>>,
#[serde(rename = "game_id", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub game_id: Option<Option<String>>,
}
impl SearchRequest {
pub fn new() -> SearchRequest {
SearchRequest {
r#type: None,
query: None,
page: None,
game_id: None,
}
}
}

44
src/models/search_type.rs Normal file
View File

@ -0,0 +1,44 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
///
#[derive(Clone, Copy, Debug, Eq, PartialEq, Ord, PartialOrd, Hash, Serialize, Deserialize)]
pub enum SearchType {
#[serde(rename = "user")]
User,
#[serde(rename = "group")]
Group,
#[serde(rename = "server")]
Server,
#[serde(rename = "cluster")]
Cluster,
}
impl std::fmt::Display for SearchType {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
match self {
Self::User => write!(f, "user"),
Self::Group => write!(f, "group"),
Self::Server => write!(f, "server"),
Self::Cluster => write!(f, "cluster"),
}
}
}
impl Default for SearchType {
fn default() -> SearchType {
Self::User
}
}

View File

@ -0,0 +1,33 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct ServerMetrics {
#[serde(rename = "server_count", skip_serializing_if = "Option::is_none")]
pub server_count: Option<i32>,
#[serde(rename = "package_count", skip_serializing_if = "Option::is_none")]
pub package_count: Option<i32>,
#[serde(rename = "country_count", skip_serializing_if = "Option::is_none")]
pub country_count: Option<i32>,
}
impl ServerMetrics {
pub fn new() -> ServerMetrics {
ServerMetrics {
server_count: None,
package_count: None,
country_count: None,
}
}
}

View File

@ -0,0 +1,41 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
///
#[derive(Clone, Copy, Debug, Eq, PartialEq, Ord, PartialOrd, Hash, Serialize, Deserialize)]
pub enum ServerStatus {
#[serde(rename = "unknown")]
Unknown,
#[serde(rename = "offline")]
Offline,
#[serde(rename = "online")]
Online,
}
impl std::fmt::Display for ServerStatus {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
match self {
Self::Unknown => write!(f, "unknown"),
Self::Offline => write!(f, "offline"),
Self::Online => write!(f, "online"),
}
}
}
impl Default for ServerStatus {
fn default() -> ServerStatus {
Self::Unknown
}
}

View File

@ -0,0 +1,45 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct Subscription {
#[serde(rename = "id", skip_serializing_if = "Option::is_none")]
pub id: Option<String>,
#[serde(rename = "name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub name: Option<Option<String>>,
#[serde(rename = "description", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub description: Option<Option<String>>,
#[serde(rename = "image_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub image_url: Option<Option<String>>,
#[serde(rename = "prices", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub prices: Option<Option<std::collections::HashMap<String, f64>>>,
#[serde(rename = "created", skip_serializing_if = "Option::is_none")]
pub created: Option<String>,
#[serde(rename = "updated", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub updated: Option<Option<String>>,
}
impl Subscription {
pub fn new() -> Subscription {
Subscription {
id: None,
name: None,
description: None,
image_url: None,
prices: None,
created: None,
updated: None,
}
}
}

View File

@ -0,0 +1,38 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
///
#[derive(Clone, Copy, Debug, Eq, PartialEq, Ord, PartialOrd, Hash, Serialize, Deserialize)]
pub enum TokenHintType {
#[serde(rename = "access_token")]
AccessToken,
#[serde(rename = "refresh_token")]
RefreshToken,
}
impl std::fmt::Display for TokenHintType {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
match self {
Self::AccessToken => write!(f, "access_token"),
Self::RefreshToken => write!(f, "refresh_token"),
}
}
}
impl Default for TokenHintType {
fn default() -> TokenHintType {
Self::AccessToken
}
}

View File

@ -0,0 +1,48 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct TokenRequest {
#[serde(rename = "grant_type", skip_serializing_if = "Option::is_none")]
pub grant_type: Option<models::GrantType>,
#[serde(rename = "code", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub code: Option<Option<String>>,
#[serde(rename = "username", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub username: Option<Option<String>>,
#[serde(rename = "password", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub password: Option<Option<String>>,
#[serde(rename = "refresh_token", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub refresh_token: Option<Option<String>>,
#[serde(rename = "client_id", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub client_id: Option<Option<String>>,
#[serde(rename = "redirect_uri", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub redirect_uri: Option<Option<String>>,
#[serde(rename = "code_verifier", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub code_verifier: Option<Option<String>>,
}
impl TokenRequest {
pub fn new() -> TokenRequest {
TokenRequest {
grant_type: None,
code: None,
username: None,
password: None,
refresh_token: None,
client_id: None,
redirect_uri: None,
code_verifier: None,
}
}
}

View File

@ -0,0 +1,42 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct TokenResponse {
#[serde(rename = "token_type", skip_serializing_if = "Option::is_none")]
pub token_type: Option<models::TokenType>,
#[serde(rename = "access_token", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub access_token: Option<Option<String>>,
#[serde(rename = "refresh_token", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub refresh_token: Option<Option<String>>,
#[serde(rename = "scope", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub scope: Option<Option<String>>,
#[serde(rename = "state", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub state: Option<Option<String>>,
#[serde(rename = "expires_in", skip_serializing_if = "Option::is_none")]
pub expires_in: Option<i64>,
}
impl TokenResponse {
pub fn new() -> TokenResponse {
TokenResponse {
token_type: None,
access_token: None,
refresh_token: None,
scope: None,
state: None,
expires_in: None,
}
}
}

35
src/models/token_type.rs Normal file
View File

@ -0,0 +1,35 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
///
#[derive(Clone, Copy, Debug, Eq, PartialEq, Ord, PartialOrd, Hash, Serialize, Deserialize)]
pub enum TokenType {
#[serde(rename = "bearer")]
Bearer,
}
impl std::fmt::Display for TokenType {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
match self {
Self::Bearer => write!(f, "bearer"),
}
}
}
impl Default for TokenType {
fn default() -> TokenType {
Self::Bearer
}
}

View File

@ -0,0 +1,30 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct UpdateProfile {
#[serde(rename = "display_name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub display_name: Option<Option<String>>,
#[serde(rename = "biography", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub biography: Option<Option<String>>,
}
impl UpdateProfile {
pub fn new() -> UpdateProfile {
UpdateProfile {
display_name: None,
biography: None,
}
}
}

99
src/models/user_info.rs Normal file
View File

@ -0,0 +1,99 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
#[derive(Clone, Default, Debug, PartialEq, Serialize, Deserialize)]
pub struct UserInfo {
#[serde(rename = "id", skip_serializing_if = "Option::is_none")]
pub id: Option<String>,
#[serde(rename = "uuid", skip_serializing_if = "Option::is_none")]
pub uuid: Option<uuid::Uuid>,
#[serde(rename = "name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub name: Option<Option<String>>,
#[serde(rename = "display_name", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub display_name: Option<Option<String>>,
#[serde(rename = "email", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub email: Option<Option<String>>,
#[serde(rename = "type", skip_serializing_if = "Option::is_none")]
pub r#type: Option<models::UserType>,
#[serde(rename = "flags", skip_serializing_if = "Option::is_none")]
pub flags: Option<String>,
#[serde(rename = "permissions", skip_serializing_if = "Option::is_none")]
pub permissions: Option<String>,
#[serde(rename = "verified", skip_serializing_if = "Option::is_none")]
pub verified: Option<bool>,
#[serde(rename = "level", skip_serializing_if = "Option::is_none")]
pub level: Option<i32>,
#[serde(rename = "experience", skip_serializing_if = "Option::is_none")]
pub experience: Option<f64>,
#[serde(rename = "public_birthday", skip_serializing_if = "Option::is_none")]
pub public_birthday: Option<bool>,
#[serde(rename = "birthday", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub birthday: Option<Option<String>>,
#[serde(rename = "points", skip_serializing_if = "Option::is_none")]
pub points: Option<f64>,
#[serde(rename = "location", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub location: Option<Option<String>>,
#[serde(rename = "language", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub language: Option<Option<String>>,
#[serde(rename = "timezone", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub timezone: Option<Option<String>>,
#[serde(rename = "currency", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub currency: Option<Option<String>>,
#[serde(rename = "photo_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub photo_url: Option<Option<String>>,
#[serde(rename = "banner_url", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub banner_url: Option<Option<String>>,
#[serde(rename = "last_online", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub last_online: Option<Option<String>>,
#[serde(rename = "biography", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub biography: Option<Option<String>>,
#[serde(rename = "view_count", skip_serializing_if = "Option::is_none")]
pub view_count: Option<i32>,
#[serde(rename = "created", skip_serializing_if = "Option::is_none")]
pub created: Option<String>,
#[serde(rename = "updated", default, with = "::serde_with::rust::double_option", skip_serializing_if = "Option::is_none")]
pub updated: Option<Option<String>>,
}
impl UserInfo {
pub fn new() -> UserInfo {
UserInfo {
id: None,
uuid: None,
name: None,
display_name: None,
email: None,
r#type: None,
flags: None,
permissions: None,
verified: None,
level: None,
experience: None,
public_birthday: None,
birthday: None,
points: None,
location: None,
language: None,
timezone: None,
currency: None,
photo_url: None,
banner_url: None,
last_online: None,
biography: None,
view_count: None,
created: None,
updated: None,
}
}
}

38
src/models/user_type.rs Normal file
View File

@ -0,0 +1,38 @@
/*
* Tribufu API
*
* REST API to access Tribufu services.
*
* The version of the OpenAPI document: 1.1.0
* Contact: contact@tribufu.com
* Generated by: https://openapi-generator.tech
*/
use crate::models;
use serde::{Deserialize, Serialize};
///
#[derive(Clone, Copy, Debug, Eq, PartialEq, Ord, PartialOrd, Hash, Serialize, Deserialize)]
pub enum UserType {
#[serde(rename = "user")]
User,
#[serde(rename = "bot")]
Bot,
}
impl std::fmt::Display for UserType {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
match self {
Self::User => write!(f, "user"),
Self::Bot => write!(f, "bot"),
}
}
}
impl Default for UserType {
fn default() -> UserType {
Self::User
}
}

View File

@ -1,22 +0,0 @@
[package]
name = "tribufu-types"
version = "0.1.0"
description = "Tribufu Types"
repository = "https://github.com/Tribufu/TribufuRust"
authors = ["Tribufu <contact@tribufu.com>"]
license = "MIT"
edition = "2021"
publish = true
[lib]
name = "tribufu_types"
crate-type = ["rlib"]
path = "lib.rs"
[dependencies]
chrono = { version = "0.4.22", features = ["serde", "rustc-serialize"] }
derive_more = "0.99.17"
mintaka-error = { version = "0.0.1" }
serde = { version = "1.0", features = ["derive"] }
serde_json = { version = "1.0", features = ["raw_value"] }
serde_with = "3.4.0"

View File

@ -1,29 +0,0 @@
// Copyright (c) Tribufu. All Rights Reserved.
use chrono::NaiveDateTime;
use serde::{Deserialize, Serialize};
use serde_with::{serde_as, DisplayFromStr};
#[serde_as]
#[derive(Debug, Clone, Serialize, Deserialize)]
pub struct Game {
#[serde_as(as = "DisplayFromStr")]
pub id: u64,
pub name: String,
pub description: Option<String>,
pub icon_url: Option<String>,
pub banner_url: Option<String>,
pub capsule_image_url: Option<String>,
pub library_image_url: Option<String>,
pub slug: Option<String>,
pub game_port: Option<u16>,
pub query_port: Option<u16>,
pub rcon_port: Option<u16>,
pub steam_app_id: Option<u32>,
pub steam_server_app_id: Option<u32>,
pub rust_gamedig_id: Option<String>,
pub node_gamedig_id: Option<String>,
pub server_connect_url: Option<String>,
pub created: NaiveDateTime,
pub updated: Option<NaiveDateTime>,
}

View File

@ -1,6 +0,0 @@
// Copyright (c) Tribufu. All Rights Reserved.
pub mod games;
pub mod oauth2;
pub mod servers;
pub mod users;

View File

@ -1,167 +0,0 @@
// Copyright (c) Tribufu. All Rights Reserved.
use serde::{Deserialize, Serialize};
#[derive(Debug, Copy, Clone, Serialize, Deserialize, PartialEq, Eq)]
#[serde(rename_all = "snake_case")]
pub enum OAuth2ResponseType {
Code,
Token,
}
#[derive(Debug, Copy, Clone, Serialize, Deserialize, PartialEq, Eq)]
#[serde(rename_all = "snake_case")]
pub enum OAuth2ClientType {
Confidential,
Public,
}
#[derive(Debug, Copy, Clone, Serialize, Deserialize, PartialEq, Eq)]
#[serde(rename_all = "snake_case")]
pub enum OAuth2TokenHintType {
AccessToken,
RefreshToken,
}
#[derive(Debug, Copy, Clone, Serialize, Deserialize, PartialEq, Eq)]
#[serde(rename_all = "snake_case")]
pub enum OAuth2GrantType {
AuthorizationCode,
ClientCredentials,
DeviceCode,
Passkey,
Password,
RefreshToken,
}
#[derive(Debug, Copy, Clone, Serialize, Deserialize, PartialEq, Eq)]
#[serde(rename_all = "snake_case")]
pub enum OAuth2AuthorizeError {
AccessDenied,
InvalidRequest,
InvalidScope,
ServerError,
TemporarilyUnavailable,
UnauthorizedClient,
UnsupportedResponseType,
}
#[derive(Debug, Copy, Clone, Serialize, Deserialize, PartialEq, Eq)]
#[serde(rename_all = "snake_case")]
pub enum OAuth2TokenType {
Bearer,
}
#[derive(Debug, Clone, Serialize, Deserialize)]
pub struct OAuth2AuthorizeRequest {
pub response_type: OAuth2ResponseType,
pub client_id: String,
pub client_secret: Option<String>,
pub redirect_uri: String,
pub scope: Option<String>,
pub state: Option<String>,
}
#[derive(Debug, Clone, Serialize, Deserialize)]
pub struct OAuth2CodeResponse {
pub code: String,
#[serde(skip_serializing_if = "Option::is_none")]
pub state: Option<String>,
}
#[derive(Debug, Clone, Serialize, Deserialize)]
pub struct OAuth2ErrorResponse {
pub error: OAuth2AuthorizeError,
#[serde(skip_serializing_if = "Option::is_none")]
pub error_description: Option<String>,
#[serde(skip_serializing_if = "Option::is_none")]
pub error_uri: Option<String>,
#[serde(skip_serializing_if = "Option::is_none")]
pub state: Option<String>,
}
#[derive(Debug, Clone, Serialize, Deserialize)]
pub struct OAuth2TokenRequest {
pub grant_type: OAuth2GrantType,
#[serde(skip_serializing_if = "Option::is_none")]
pub code: Option<String>,
#[serde(skip_serializing_if = "Option::is_none")]
pub refresh_token: Option<String>,
#[serde(skip_serializing_if = "Option::is_none")]
pub username: Option<String>,
#[serde(skip_serializing_if = "Option::is_none")]
pub password: Option<String>,
#[serde(skip_serializing_if = "Option::is_none")]
pub passkey: Option<String>,
#[serde(skip_serializing_if = "Option::is_none")]
pub client_id: Option<String>,
#[serde(skip_serializing_if = "Option::is_none")]
pub client_secret: Option<String>,
#[serde(skip_serializing_if = "Option::is_none")]
pub redirect_uri: Option<String>,
}
#[derive(Debug, Clone, Serialize, Deserialize)]
pub struct OAuth2TokenResponse {
pub token_type: OAuth2TokenType,
pub access_token: String,
#[serde(skip_serializing_if = "Option::is_none")]
pub refresh_token: Option<String>,
#[serde(skip_serializing_if = "Option::is_none")]
pub scope: Option<String>,
#[serde(skip_serializing_if = "Option::is_none")]
pub state: Option<String>,
pub expires_in: u64,
}
#[derive(Debug, Clone, Serialize, Deserialize)]
pub struct OAuth2RevokeRequest {
pub token: String,
pub token_type_hint: OAuth2TokenHintType,
}
#[derive(Debug, Clone, Serialize, Deserialize)]
pub struct OAuth2IntrospectionResponse {
pub active: bool,
#[serde(skip_serializing_if = "Option::is_none")]
pub client_id: Option<String>,
#[serde(skip_serializing_if = "Option::is_none")]
pub username: Option<String>,
#[serde(skip_serializing_if = "Option::is_none")]
pub scope: Option<String>,
#[serde(skip_serializing_if = "Option::is_none")]
pub exp: Option<i64>,
}
impl OAuth2IntrospectionResponse {
pub fn inative() -> Self {
Self {
active: false,
client_id: None,
username: None,
scope: None,
exp: None,
}
}
}

View File

@ -1,82 +0,0 @@
// Copyright (c) Tribufu. All Rights Reserved.
use crate::users::MiniProfile;
use chrono::NaiveDateTime;
use serde::{Deserialize, Serialize};
use serde_json::Value;
use serde_with::{serde_as, DisplayFromStr};
#[serde_as]
#[derive(Debug, Serialize, Deserialize)]
pub struct Server {
#[serde_as(as = "DisplayFromStr")]
pub id: u64,
pub name: String,
pub description: Option<String>,
pub address: String,
pub game_port: Option<u16>,
pub query_port: u16,
#[serde(skip_serializing_if = "Option::is_none")]
pub rcon_port: Option<u16>,
#[serde(skip_serializing_if = "Option::is_none")]
pub rcon_password: Option<String>,
#[serde_as(as = "DisplayFromStr")]
pub package_id: u64,
pub package_icon_url: Option<String>,
#[serde(skip_serializing_if = "Option::is_none")]
pub package: Option<ServerPackage>,
pub version: Option<String>,
pub cluster_id: Option<u32>,
pub website_url: Option<String>,
pub banner_url: Option<String>,
pub owner_id: Option<u64>,
#[serde(skip_serializing_if = "Option::is_none")]
pub owner: Option<MiniProfile>,
#[serde(skip)]
pub uptime: f64,
pub last_online: Option<NaiveDateTime>,
#[serde(flatten)]
pub stats: ServerStats,
pub country: Option<String>,
pub steam: bool,
pub discord_server_id: Option<String>,
pub youtube_video_url: Option<String>,
pub tags: Option<Value>,
pub comment_count: u32,
#[serde(skip)]
pub secret: Option<String>,
pub created: NaiveDateTime,
pub updated: Option<NaiveDateTime>,
}
#[repr(u8)]
#[derive(Debug, Copy, Clone, PartialEq, Eq, Serialize, Deserialize)]
#[serde(rename_all = "lowercase")]
pub enum ServerStatus {
Unknown,
Offline,
Online,
}
#[derive(Debug, Serialize, Deserialize)]
pub struct ServerStats {
pub status: ServerStatus,
pub ping: Option<u32>,
pub map: Option<String>,
pub used_slots: Option<i32>,
pub max_slots: Option<i32>,
pub motd: Option<String>,
pub players: Option<Value>,
}
#[serde_as]
#[derive(Debug, Serialize, Deserialize)]
pub struct ServerPackage {
#[serde_as(as = "DisplayFromStr")]
pub id: u64,
pub name: String,
pub slug: Option<String>,
pub rust_gamedig_id: Option<String>,
pub node_gamedig_id: Option<String>,
pub server_connect_url: Option<String>,
}

View File

@ -1,55 +0,0 @@
// Copyright (c) Tribufu. All Rights Reserved.
use chrono::{NaiveDate, NaiveDateTime};
use serde::{Deserialize, Serialize};
use serde_with::{serde_as, DisplayFromStr};
#[repr(u8)]
#[derive(Debug, Copy, Clone, PartialEq, Eq, Serialize, Deserialize)]
#[serde(rename_all = "snake_case")]
pub enum UserType {
User = 0,
Bot = 1,
Org = 2,
}
#[serde_as]
#[derive(Debug, Clone, Serialize, Deserialize)]
pub struct Profile {
#[serde_as(as = "DisplayFromStr")]
pub id: u64,
pub uuid: String,
pub name: String,
pub display_name: String,
#[serde(rename = "type")]
pub kind: UserType,
pub public_flags: u64,
pub verified: bool,
pub level: u32,
pub experience: f64,
pub public_birthday: bool,
pub birthday: Option<NaiveDate>,
pub points: f64,
pub location: Option<String>,
pub photo_url: Option<String>,
pub banner_url: Option<String>,
pub last_online: Option<NaiveDateTime>,
pub biography: Option<String>,
pub view_count: u32,
pub created: NaiveDateTime,
pub updated: Option<NaiveDateTime>,
}
#[serde_as]
#[derive(Debug, Serialize, Deserialize)]
pub struct MiniProfile {
#[serde_as(as = "DisplayFromStr")]
pub id: u64,
pub uuid: String,
pub name: String,
pub display_name: String,
#[serde(rename = "type")]
pub kind: UserType,
pub verified: bool,
pub photo_url: String,
}