Adds own/disown game logic
This commit is contained in:
parent
3f99b68d62
commit
df1e3ff905
@ -203,6 +203,44 @@ paths:
|
|||||||
$ref: '#/components/requestBodies/RenameGameRequest'
|
$ref: '#/components/requestBodies/RenameGameRequest'
|
||||||
security:
|
security:
|
||||||
- JWT-Auth: []
|
- JWT-Auth: []
|
||||||
|
/own:
|
||||||
|
post:
|
||||||
|
responses:
|
||||||
|
'200':
|
||||||
|
description: "OK"
|
||||||
|
'401':
|
||||||
|
$ref: '#/components/responses/FailureResponse'
|
||||||
|
'422':
|
||||||
|
$ref: '#/components/responses/FailureResponse'
|
||||||
|
requestBody:
|
||||||
|
$ref: '#/components/requestBodies/OwnGameRequest'
|
||||||
|
security:
|
||||||
|
- JWT-Auth: []
|
||||||
|
/disown:
|
||||||
|
post:
|
||||||
|
responses:
|
||||||
|
'200':
|
||||||
|
description: "OK"
|
||||||
|
'401':
|
||||||
|
$ref: '#/components/responses/FailureResponse'
|
||||||
|
'422':
|
||||||
|
$ref: '#/components/responses/FailureResponse'
|
||||||
|
requestBody:
|
||||||
|
$ref: '#/components/requestBodies/DisownGameRequest'
|
||||||
|
security:
|
||||||
|
- JWT-Auth: []
|
||||||
|
/owned_games:
|
||||||
|
get:
|
||||||
|
responses:
|
||||||
|
'200':
|
||||||
|
$ref: "#/components/responses/GameIdsResponse"
|
||||||
|
'401':
|
||||||
|
$ref: '#/components/responses/FailureResponse'
|
||||||
|
'422':
|
||||||
|
$ref: '#/components/responses/FailureResponse'
|
||||||
|
security:
|
||||||
|
- JWT-Auth: []
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
components:
|
components:
|
||||||
@ -357,6 +395,11 @@ components:
|
|||||||
required:
|
required:
|
||||||
- id
|
- id
|
||||||
- name
|
- name
|
||||||
|
GameIdsResponse:
|
||||||
|
type: array
|
||||||
|
items:
|
||||||
|
type: string
|
||||||
|
|
||||||
requestBodies:
|
requestBodies:
|
||||||
LoginRequest:
|
LoginRequest:
|
||||||
content:
|
content:
|
||||||
@ -413,6 +456,16 @@ components:
|
|||||||
application/json:
|
application/json:
|
||||||
schema:
|
schema:
|
||||||
$ref: '#/components/schemas/RenameGameRequestBody'
|
$ref: '#/components/schemas/RenameGameRequestBody'
|
||||||
|
OwnGameRequest:
|
||||||
|
content:
|
||||||
|
application/json:
|
||||||
|
schema:
|
||||||
|
$ref: '#/components/schemas/GameId'
|
||||||
|
DisownGameRequest:
|
||||||
|
content:
|
||||||
|
application/json:
|
||||||
|
schema:
|
||||||
|
$ref: '#/components/schemas/GameId'
|
||||||
responses:
|
responses:
|
||||||
TokenResponse:
|
TokenResponse:
|
||||||
description: Example response
|
description: Example response
|
||||||
@ -466,6 +519,12 @@ components:
|
|||||||
application/json:
|
application/json:
|
||||||
schema:
|
schema:
|
||||||
$ref: '#/components/schemas/Game'
|
$ref: '#/components/schemas/Game'
|
||||||
|
GameIdsResponse:
|
||||||
|
description: A list of game ids.
|
||||||
|
content:
|
||||||
|
application/json:
|
||||||
|
schema:
|
||||||
|
$ref: '#/components/schemas/GameIdsResponse'
|
||||||
securitySchemes:
|
securitySchemes:
|
||||||
JWT-Auth:
|
JWT-Auth:
|
||||||
type: http
|
type: http
|
||||||
|
@ -52,6 +52,9 @@ async fn main() -> std::io::Result<()> {
|
|||||||
.service(get_game)
|
.service(get_game)
|
||||||
.service(post_game)
|
.service(post_game)
|
||||||
.service(post_rename_game)
|
.service(post_rename_game)
|
||||||
|
.service(post_own_game)
|
||||||
|
.service(post_disown_game)
|
||||||
|
.service(get_owned_games)
|
||||||
})
|
})
|
||||||
.bind(("::1", 8080))?
|
.bind(("::1", 8080))?
|
||||||
.run()
|
.run()
|
||||||
|
@ -1,5 +1,5 @@
|
|||||||
use actix_web::{get, http::header::ContentType, post, web, HttpResponse, Responder};
|
use actix_web::{get, http::header::ContentType, post, web, HttpResponse, Responder};
|
||||||
use gamenight_database::{game::{insert_game, load_game, rename_game}, DbPool, GetConnection};
|
use gamenight_database::{game::{insert_game, load_game, rename_game}, owned_game::{disown_game, own_game, owned_games, OwnedGame}, DbPool, GetConnection};
|
||||||
use uuid::Uuid;
|
use uuid::Uuid;
|
||||||
|
|
||||||
use crate::{models::{add_game_request_body::AddGameRequestBody, game::Game, game_id::GameId, rename_game_request_body::RenameGameRequestBody}, request::{authorization::AuthUser, error::ApiError}};
|
use crate::{models::{add_game_request_body::AddGameRequestBody, game::Game, game_id::GameId, rename_game_request_body::RenameGameRequestBody}, request::{authorization::AuthUser, error::ApiError}};
|
||||||
@ -60,4 +60,35 @@ pub async fn post_rename_game(pool: web::Data<DbPool>, _user: AuthUser, game_dat
|
|||||||
rename_game(&mut conn, Uuid::parse_str(&game_data.0.id)?, game_data.0.name)?;
|
rename_game(&mut conn, Uuid::parse_str(&game_data.0.id)?, game_data.0.name)?;
|
||||||
|
|
||||||
Ok(HttpResponse::Ok())
|
Ok(HttpResponse::Ok())
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[post("/own")]
|
||||||
|
pub async fn post_own_game(pool: web::Data<DbPool>, user: AuthUser, game_id: web::Json<GameId>) -> Result <impl Responder, ApiError> {
|
||||||
|
let mut conn = pool.get_conn();
|
||||||
|
own_game(&mut conn, OwnedGame { user_id: user.0.id, game_id: Uuid::parse_str(&game_id.0.game_id)? })?;
|
||||||
|
|
||||||
|
Ok(HttpResponse::Ok())
|
||||||
|
}
|
||||||
|
|
||||||
|
#[post("/disown")]
|
||||||
|
pub async fn post_disown_game(pool: web::Data<DbPool>, user: AuthUser, game_id: web::Json<GameId>) -> Result <impl Responder, ApiError> {
|
||||||
|
let mut conn = pool.get_conn();
|
||||||
|
disown_game(&mut conn, OwnedGame { user_id: user.0.id, game_id: Uuid::parse_str(&game_id.0.game_id)? })?;
|
||||||
|
|
||||||
|
Ok(HttpResponse::Ok())
|
||||||
|
}
|
||||||
|
|
||||||
|
#[get("/owned_games")]
|
||||||
|
pub async fn get_owned_games(pool: web::Data<DbPool>, user: AuthUser) -> Result <impl Responder, ApiError> {
|
||||||
|
let mut conn = pool.get_conn();
|
||||||
|
let game_ids = owned_games(&mut conn, user.0.id)?;
|
||||||
|
|
||||||
|
let model : Vec<String> = game_ids.iter().map(|x| {
|
||||||
|
x.to_string()
|
||||||
|
}).collect();
|
||||||
|
|
||||||
|
Ok(HttpResponse::Ok()
|
||||||
|
.content_type(ContentType::json())
|
||||||
|
.body(serde_json::to_string(&model)?)
|
||||||
|
)
|
||||||
|
}
|
||||||
|
@ -22,3 +22,6 @@ pub use game::get_games;
|
|||||||
pub use game::get_game;
|
pub use game::get_game;
|
||||||
pub use game::post_game;
|
pub use game::post_game;
|
||||||
pub use game::post_rename_game;
|
pub use game::post_rename_game;
|
||||||
|
pub use game::post_own_game;
|
||||||
|
pub use game::post_disown_game;
|
||||||
|
pub use game::get_owned_games;
|
||||||
|
@ -27,6 +27,7 @@ All URIs are relative to *http://localhost:8080*
|
|||||||
|
|
||||||
Class | Method | HTTP request | Description
|
Class | Method | HTTP request | Description
|
||||||
------------ | ------------- | ------------- | -------------
|
------------ | ------------- | ------------- | -------------
|
||||||
|
*DefaultApi* | [**disown_post**](docs/DefaultApi.md#disown_post) | **POST** /disown |
|
||||||
*DefaultApi* | [**game_get**](docs/DefaultApi.md#game_get) | **GET** /game |
|
*DefaultApi* | [**game_get**](docs/DefaultApi.md#game_get) | **GET** /game |
|
||||||
*DefaultApi* | [**game_post**](docs/DefaultApi.md#game_post) | **POST** /game |
|
*DefaultApi* | [**game_post**](docs/DefaultApi.md#game_post) | **POST** /game |
|
||||||
*DefaultApi* | [**games_get**](docs/DefaultApi.md#games_get) | **GET** /games |
|
*DefaultApi* | [**games_get**](docs/DefaultApi.md#games_get) | **GET** /games |
|
||||||
@ -35,6 +36,8 @@ Class | Method | HTTP request | Description
|
|||||||
*DefaultApi* | [**get_token**](docs/DefaultApi.md#get_token) | **GET** /token |
|
*DefaultApi* | [**get_token**](docs/DefaultApi.md#get_token) | **GET** /token |
|
||||||
*DefaultApi* | [**join_post**](docs/DefaultApi.md#join_post) | **POST** /join |
|
*DefaultApi* | [**join_post**](docs/DefaultApi.md#join_post) | **POST** /join |
|
||||||
*DefaultApi* | [**leave_post**](docs/DefaultApi.md#leave_post) | **POST** /leave |
|
*DefaultApi* | [**leave_post**](docs/DefaultApi.md#leave_post) | **POST** /leave |
|
||||||
|
*DefaultApi* | [**own_post**](docs/DefaultApi.md#own_post) | **POST** /own |
|
||||||
|
*DefaultApi* | [**owned_games_get**](docs/DefaultApi.md#owned_games_get) | **GET** /owned_games |
|
||||||
*DefaultApi* | [**participants_get**](docs/DefaultApi.md#participants_get) | **GET** /participants | Get all participants for a gamenight
|
*DefaultApi* | [**participants_get**](docs/DefaultApi.md#participants_get) | **GET** /participants | Get all participants for a gamenight
|
||||||
*DefaultApi* | [**post_gamenight**](docs/DefaultApi.md#post_gamenight) | **POST** /gamenight |
|
*DefaultApi* | [**post_gamenight**](docs/DefaultApi.md#post_gamenight) | **POST** /gamenight |
|
||||||
*DefaultApi* | [**post_register**](docs/DefaultApi.md#post_register) | **POST** /user |
|
*DefaultApi* | [**post_register**](docs/DefaultApi.md#post_register) | **POST** /user |
|
||||||
|
@ -4,6 +4,7 @@ All URIs are relative to *http://localhost:8080*
|
|||||||
|
|
||||||
Method | HTTP request | Description
|
Method | HTTP request | Description
|
||||||
------------- | ------------- | -------------
|
------------- | ------------- | -------------
|
||||||
|
[**disown_post**](DefaultApi.md#disown_post) | **POST** /disown |
|
||||||
[**game_get**](DefaultApi.md#game_get) | **GET** /game |
|
[**game_get**](DefaultApi.md#game_get) | **GET** /game |
|
||||||
[**game_post**](DefaultApi.md#game_post) | **POST** /game |
|
[**game_post**](DefaultApi.md#game_post) | **POST** /game |
|
||||||
[**games_get**](DefaultApi.md#games_get) | **GET** /games |
|
[**games_get**](DefaultApi.md#games_get) | **GET** /games |
|
||||||
@ -12,6 +13,8 @@ Method | HTTP request | Description
|
|||||||
[**get_token**](DefaultApi.md#get_token) | **GET** /token |
|
[**get_token**](DefaultApi.md#get_token) | **GET** /token |
|
||||||
[**join_post**](DefaultApi.md#join_post) | **POST** /join |
|
[**join_post**](DefaultApi.md#join_post) | **POST** /join |
|
||||||
[**leave_post**](DefaultApi.md#leave_post) | **POST** /leave |
|
[**leave_post**](DefaultApi.md#leave_post) | **POST** /leave |
|
||||||
|
[**own_post**](DefaultApi.md#own_post) | **POST** /own |
|
||||||
|
[**owned_games_get**](DefaultApi.md#owned_games_get) | **GET** /owned_games |
|
||||||
[**participants_get**](DefaultApi.md#participants_get) | **GET** /participants | Get all participants for a gamenight
|
[**participants_get**](DefaultApi.md#participants_get) | **GET** /participants | Get all participants for a gamenight
|
||||||
[**post_gamenight**](DefaultApi.md#post_gamenight) | **POST** /gamenight |
|
[**post_gamenight**](DefaultApi.md#post_gamenight) | **POST** /gamenight |
|
||||||
[**post_register**](DefaultApi.md#post_register) | **POST** /user |
|
[**post_register**](DefaultApi.md#post_register) | **POST** /user |
|
||||||
@ -21,6 +24,34 @@ Method | HTTP request | Description
|
|||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
## disown_post
|
||||||
|
|
||||||
|
> disown_post(game_id)
|
||||||
|
|
||||||
|
|
||||||
|
### Parameters
|
||||||
|
|
||||||
|
|
||||||
|
Name | Type | Description | Required | Notes
|
||||||
|
------------- | ------------- | ------------- | ------------- | -------------
|
||||||
|
**game_id** | Option<[**GameId**](GameId.md)> | | |
|
||||||
|
|
||||||
|
### Return type
|
||||||
|
|
||||||
|
(empty response body)
|
||||||
|
|
||||||
|
### Authorization
|
||||||
|
|
||||||
|
[JWT-Auth](../README.md#JWT-Auth)
|
||||||
|
|
||||||
|
### HTTP request headers
|
||||||
|
|
||||||
|
- **Content-Type**: application/json
|
||||||
|
- **Accept**: application/json
|
||||||
|
|
||||||
|
[[Back to top]](#) [[Back to API list]](../README.md#documentation-for-api-endpoints) [[Back to Model list]](../README.md#documentation-for-models) [[Back to README]](../README.md)
|
||||||
|
|
||||||
|
|
||||||
## game_get
|
## game_get
|
||||||
|
|
||||||
> models::Game game_get(game_id)
|
> models::Game game_get(game_id)
|
||||||
@ -243,6 +274,59 @@ Name | Type | Description | Required | Notes
|
|||||||
[[Back to top]](#) [[Back to API list]](../README.md#documentation-for-api-endpoints) [[Back to Model list]](../README.md#documentation-for-models) [[Back to README]](../README.md)
|
[[Back to top]](#) [[Back to API list]](../README.md#documentation-for-api-endpoints) [[Back to Model list]](../README.md#documentation-for-models) [[Back to README]](../README.md)
|
||||||
|
|
||||||
|
|
||||||
|
## own_post
|
||||||
|
|
||||||
|
> own_post(game_id)
|
||||||
|
|
||||||
|
|
||||||
|
### Parameters
|
||||||
|
|
||||||
|
|
||||||
|
Name | Type | Description | Required | Notes
|
||||||
|
------------- | ------------- | ------------- | ------------- | -------------
|
||||||
|
**game_id** | Option<[**GameId**](GameId.md)> | | |
|
||||||
|
|
||||||
|
### Return type
|
||||||
|
|
||||||
|
(empty response body)
|
||||||
|
|
||||||
|
### Authorization
|
||||||
|
|
||||||
|
[JWT-Auth](../README.md#JWT-Auth)
|
||||||
|
|
||||||
|
### HTTP request headers
|
||||||
|
|
||||||
|
- **Content-Type**: application/json
|
||||||
|
- **Accept**: application/json
|
||||||
|
|
||||||
|
[[Back to top]](#) [[Back to API list]](../README.md#documentation-for-api-endpoints) [[Back to Model list]](../README.md#documentation-for-models) [[Back to README]](../README.md)
|
||||||
|
|
||||||
|
|
||||||
|
## owned_games_get
|
||||||
|
|
||||||
|
> Vec<String> owned_games_get()
|
||||||
|
|
||||||
|
|
||||||
|
### Parameters
|
||||||
|
|
||||||
|
This endpoint does not need any parameter.
|
||||||
|
|
||||||
|
### Return type
|
||||||
|
|
||||||
|
**Vec<String>**
|
||||||
|
|
||||||
|
### Authorization
|
||||||
|
|
||||||
|
[JWT-Auth](../README.md#JWT-Auth)
|
||||||
|
|
||||||
|
### HTTP request headers
|
||||||
|
|
||||||
|
- **Content-Type**: Not defined
|
||||||
|
- **Accept**: application/json
|
||||||
|
|
||||||
|
[[Back to top]](#) [[Back to API list]](../README.md#documentation-for-api-endpoints) [[Back to Model list]](../README.md#documentation-for-models) [[Back to README]](../README.md)
|
||||||
|
|
||||||
|
|
||||||
## participants_get
|
## participants_get
|
||||||
|
|
||||||
> models::Participants participants_get(gamenight_id)
|
> models::Participants participants_get(gamenight_id)
|
||||||
|
@ -15,6 +15,15 @@ use crate::{apis::ResponseContent, models};
|
|||||||
use super::{Error, configuration, ContentType};
|
use super::{Error, configuration, ContentType};
|
||||||
|
|
||||||
|
|
||||||
|
/// struct for typed errors of method [`disown_post`]
|
||||||
|
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||||
|
#[serde(untagged)]
|
||||||
|
pub enum DisownPostError {
|
||||||
|
Status401(models::Failure),
|
||||||
|
Status422(models::Failure),
|
||||||
|
UnknownValue(serde_json::Value),
|
||||||
|
}
|
||||||
|
|
||||||
/// struct for typed errors of method [`game_get`]
|
/// struct for typed errors of method [`game_get`]
|
||||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||||
#[serde(untagged)]
|
#[serde(untagged)]
|
||||||
@ -86,6 +95,24 @@ pub enum LeavePostError {
|
|||||||
UnknownValue(serde_json::Value),
|
UnknownValue(serde_json::Value),
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// struct for typed errors of method [`own_post`]
|
||||||
|
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||||
|
#[serde(untagged)]
|
||||||
|
pub enum OwnPostError {
|
||||||
|
Status401(models::Failure),
|
||||||
|
Status422(models::Failure),
|
||||||
|
UnknownValue(serde_json::Value),
|
||||||
|
}
|
||||||
|
|
||||||
|
/// struct for typed errors of method [`owned_games_get`]
|
||||||
|
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||||
|
#[serde(untagged)]
|
||||||
|
pub enum OwnedGamesGetError {
|
||||||
|
Status401(models::Failure),
|
||||||
|
Status422(models::Failure),
|
||||||
|
UnknownValue(serde_json::Value),
|
||||||
|
}
|
||||||
|
|
||||||
/// struct for typed errors of method [`participants_get`]
|
/// struct for typed errors of method [`participants_get`]
|
||||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||||
#[serde(untagged)]
|
#[serde(untagged)]
|
||||||
@ -140,6 +167,35 @@ pub enum UserGetError {
|
|||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
|
pub async fn disown_post(configuration: &configuration::Configuration, game_id: Option<models::GameId>) -> Result<(), Error<DisownPostError>> {
|
||||||
|
// add a prefix to parameters to efficiently prevent name collisions
|
||||||
|
let p_game_id = game_id;
|
||||||
|
|
||||||
|
let uri_str = format!("{}/disown", configuration.base_path);
|
||||||
|
let mut req_builder = configuration.client.request(reqwest::Method::POST, &uri_str);
|
||||||
|
|
||||||
|
if let Some(ref user_agent) = configuration.user_agent {
|
||||||
|
req_builder = req_builder.header(reqwest::header::USER_AGENT, user_agent.clone());
|
||||||
|
}
|
||||||
|
if let Some(ref token) = configuration.bearer_access_token {
|
||||||
|
req_builder = req_builder.bearer_auth(token.to_owned());
|
||||||
|
};
|
||||||
|
req_builder = req_builder.json(&p_game_id);
|
||||||
|
|
||||||
|
let req = req_builder.build()?;
|
||||||
|
let resp = configuration.client.execute(req).await?;
|
||||||
|
|
||||||
|
let status = resp.status();
|
||||||
|
|
||||||
|
if !status.is_client_error() && !status.is_server_error() {
|
||||||
|
Ok(())
|
||||||
|
} else {
|
||||||
|
let content = resp.text().await?;
|
||||||
|
let entity: Option<DisownPostError> = serde_json::from_str(&content).ok();
|
||||||
|
Err(Error::ResponseError(ResponseContent { status, content, entity }))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
pub async fn game_get(configuration: &configuration::Configuration, game_id: Option<models::GameId>) -> Result<models::Game, Error<GameGetError>> {
|
pub async fn game_get(configuration: &configuration::Configuration, game_id: Option<models::GameId>) -> Result<models::Game, Error<GameGetError>> {
|
||||||
// add a prefix to parameters to efficiently prevent name collisions
|
// add a prefix to parameters to efficiently prevent name collisions
|
||||||
let p_game_id = game_id;
|
let p_game_id = game_id;
|
||||||
@ -420,6 +476,72 @@ pub async fn leave_post(configuration: &configuration::Configuration, gamenight_
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub async fn own_post(configuration: &configuration::Configuration, game_id: Option<models::GameId>) -> Result<(), Error<OwnPostError>> {
|
||||||
|
// add a prefix to parameters to efficiently prevent name collisions
|
||||||
|
let p_game_id = game_id;
|
||||||
|
|
||||||
|
let uri_str = format!("{}/own", configuration.base_path);
|
||||||
|
let mut req_builder = configuration.client.request(reqwest::Method::POST, &uri_str);
|
||||||
|
|
||||||
|
if let Some(ref user_agent) = configuration.user_agent {
|
||||||
|
req_builder = req_builder.header(reqwest::header::USER_AGENT, user_agent.clone());
|
||||||
|
}
|
||||||
|
if let Some(ref token) = configuration.bearer_access_token {
|
||||||
|
req_builder = req_builder.bearer_auth(token.to_owned());
|
||||||
|
};
|
||||||
|
req_builder = req_builder.json(&p_game_id);
|
||||||
|
|
||||||
|
let req = req_builder.build()?;
|
||||||
|
let resp = configuration.client.execute(req).await?;
|
||||||
|
|
||||||
|
let status = resp.status();
|
||||||
|
|
||||||
|
if !status.is_client_error() && !status.is_server_error() {
|
||||||
|
Ok(())
|
||||||
|
} else {
|
||||||
|
let content = resp.text().await?;
|
||||||
|
let entity: Option<OwnPostError> = serde_json::from_str(&content).ok();
|
||||||
|
Err(Error::ResponseError(ResponseContent { status, content, entity }))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn owned_games_get(configuration: &configuration::Configuration, ) -> Result<Vec<String>, Error<OwnedGamesGetError>> {
|
||||||
|
|
||||||
|
let uri_str = format!("{}/owned_games", configuration.base_path);
|
||||||
|
let mut req_builder = configuration.client.request(reqwest::Method::GET, &uri_str);
|
||||||
|
|
||||||
|
if let Some(ref user_agent) = configuration.user_agent {
|
||||||
|
req_builder = req_builder.header(reqwest::header::USER_AGENT, user_agent.clone());
|
||||||
|
}
|
||||||
|
if let Some(ref token) = configuration.bearer_access_token {
|
||||||
|
req_builder = req_builder.bearer_auth(token.to_owned());
|
||||||
|
};
|
||||||
|
|
||||||
|
let req = req_builder.build()?;
|
||||||
|
let resp = configuration.client.execute(req).await?;
|
||||||
|
|
||||||
|
let status = resp.status();
|
||||||
|
let content_type = resp
|
||||||
|
.headers()
|
||||||
|
.get("content-type")
|
||||||
|
.and_then(|v| v.to_str().ok())
|
||||||
|
.unwrap_or("application/octet-stream");
|
||||||
|
let content_type = super::ContentType::from(content_type);
|
||||||
|
|
||||||
|
if !status.is_client_error() && !status.is_server_error() {
|
||||||
|
let content = resp.text().await?;
|
||||||
|
match content_type {
|
||||||
|
ContentType::Json => serde_json::from_str(&content).map_err(Error::from),
|
||||||
|
ContentType::Text => return Err(Error::from(serde_json::Error::custom("Received `text/plain` content type response that cannot be converted to `Vec<String>`"))),
|
||||||
|
ContentType::Unsupported(unknown_type) => return Err(Error::from(serde_json::Error::custom(format!("Received `{unknown_type}` content type response that cannot be converted to `Vec<String>`")))),
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
let content = resp.text().await?;
|
||||||
|
let entity: Option<OwnedGamesGetError> = serde_json::from_str(&content).ok();
|
||||||
|
Err(Error::ResponseError(ResponseContent { status, content, entity }))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
/// Retrieve the participants of a single gamenight by id.
|
/// Retrieve the participants of a single gamenight by id.
|
||||||
pub async fn participants_get(configuration: &configuration::Configuration, gamenight_id: Option<models::GamenightId>) -> Result<models::Participants, Error<ParticipantsGetError>> {
|
pub async fn participants_get(configuration: &configuration::Configuration, gamenight_id: Option<models::GamenightId>) -> Result<models::Participants, Error<ParticipantsGetError>> {
|
||||||
// add a prefix to parameters to efficiently prevent name collisions
|
// add a prefix to parameters to efficiently prevent name collisions
|
||||||
|
36
gamenight-cli/src/flows/disown.rs
Normal file
36
gamenight-cli/src/flows/disown.rs
Normal file
@ -0,0 +1,36 @@
|
|||||||
|
use std::fmt::Display;
|
||||||
|
|
||||||
|
use async_trait::async_trait;
|
||||||
|
use gamenight_api_client_rs::{apis::default_api::disown_post, models::GameId};
|
||||||
|
use uuid::Uuid;
|
||||||
|
|
||||||
|
use super::{Flow, FlowOutcome, FlowResult, GamenightState};
|
||||||
|
|
||||||
|
#[derive(Clone)]
|
||||||
|
pub struct Disown {
|
||||||
|
game_id: Uuid
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Disown {
|
||||||
|
pub fn new(game_id: Uuid) -> Self {
|
||||||
|
Self {
|
||||||
|
game_id
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#[async_trait]
|
||||||
|
impl<'a> Flow<'a> for Disown {
|
||||||
|
async fn run(&self, state: &'a mut GamenightState) -> FlowResult<'a> {
|
||||||
|
let _ = disown_post(&state.api_configuration, Some(GameId{game_id: self.game_id.to_string()})).await?;
|
||||||
|
|
||||||
|
clear_screen::clear();
|
||||||
|
Ok((FlowOutcome::Successful, state))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Display for Disown {
|
||||||
|
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
|
||||||
|
write!(f, "Disown")
|
||||||
|
}
|
||||||
|
}
|
@ -25,6 +25,8 @@ mod list_games;
|
|||||||
mod add_game;
|
mod add_game;
|
||||||
mod view_game;
|
mod view_game;
|
||||||
mod rename_game;
|
mod rename_game;
|
||||||
|
mod own;
|
||||||
|
mod disown;
|
||||||
|
|
||||||
pub struct GamenightState {
|
pub struct GamenightState {
|
||||||
api_configuration: Configuration,
|
api_configuration: Configuration,
|
||||||
|
36
gamenight-cli/src/flows/own.rs
Normal file
36
gamenight-cli/src/flows/own.rs
Normal file
@ -0,0 +1,36 @@
|
|||||||
|
use std::fmt::Display;
|
||||||
|
|
||||||
|
use async_trait::async_trait;
|
||||||
|
use gamenight_api_client_rs::{apis::default_api::own_post, models::GameId};
|
||||||
|
use uuid::Uuid;
|
||||||
|
|
||||||
|
use super::{Flow, FlowOutcome, FlowResult, GamenightState};
|
||||||
|
|
||||||
|
#[derive(Clone)]
|
||||||
|
pub struct Own {
|
||||||
|
game_id: Uuid
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Own {
|
||||||
|
pub fn new(game_id: Uuid) -> Self {
|
||||||
|
Self {
|
||||||
|
game_id
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#[async_trait]
|
||||||
|
impl<'a> Flow<'a> for Own {
|
||||||
|
async fn run(&self, state: &'a mut GamenightState) -> FlowResult<'a> {
|
||||||
|
let _ = own_post(&state.api_configuration, Some(GameId{game_id: self.game_id.to_string()})).await?;
|
||||||
|
|
||||||
|
clear_screen::clear();
|
||||||
|
Ok((FlowOutcome::Successful, state))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Display for Own {
|
||||||
|
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
|
||||||
|
write!(f, "Own")
|
||||||
|
}
|
||||||
|
}
|
@ -1,8 +1,9 @@
|
|||||||
|
|
||||||
use gamenight_api_client_rs::{apis::default_api::game_get, models::GameId};
|
use gamenight_api_client_rs::{apis::default_api::{game_get, owned_games_get}, models::GameId};
|
||||||
use inquire::Select;
|
use inquire::Select;
|
||||||
|
use uuid::Uuid;
|
||||||
|
|
||||||
use crate::{domain::game::Game, flows::{exit::Exit, rename_game::RenameGame}};
|
use crate::{domain::game::Game, flows::{disown::Disown, exit::Exit, own::Own, rename_game::RenameGame}};
|
||||||
|
|
||||||
use super::*;
|
use super::*;
|
||||||
|
|
||||||
@ -27,10 +28,24 @@ impl<'a> Flow<'a> for ViewGame {
|
|||||||
|
|
||||||
println!("{}", game);
|
println!("{}", game);
|
||||||
|
|
||||||
|
let owned_games: Vec<Uuid> = owned_games_get(&state.api_configuration).await?.iter().map(|x| -> Result<Uuid, FlowError> { Ok(Uuid::parse_str(&x)?) }).collect::<Result<Vec<Uuid>, FlowError>>()?;
|
||||||
|
|
||||||
|
println!("game_id {:?}, owned_games {:?}", game.id, owned_games);
|
||||||
|
|
||||||
|
let own_or_disown: Box<dyn Flow<'a> + Send> =
|
||||||
|
if owned_games.into_iter().find(|x| *x == game.id) != None {
|
||||||
|
Box::new(Disown::new(self.game.id))
|
||||||
|
}
|
||||||
|
else {
|
||||||
|
Box::new(Own::new(self.game.id))
|
||||||
|
};
|
||||||
|
|
||||||
let options: Vec<Box<dyn Flow<'a> + Send>> = vec![
|
let options: Vec<Box<dyn Flow<'a> + Send>> = vec![
|
||||||
|
own_or_disown,
|
||||||
Box::new(RenameGame::new(game.clone())),
|
Box::new(RenameGame::new(game.clone())),
|
||||||
Box::new(Exit::new())
|
Box::new(Exit::new())
|
||||||
];
|
];
|
||||||
|
|
||||||
let choice = Select::new("What do you want to do:", options)
|
let choice = Select::new("What do you want to do:", options)
|
||||||
.prompt_skippable()?;
|
.prompt_skippable()?;
|
||||||
|
|
||||||
|
@ -4,6 +4,7 @@ pub mod schema;
|
|||||||
pub mod gamenight;
|
pub mod gamenight;
|
||||||
pub mod gamenight_participants;
|
pub mod gamenight_participants;
|
||||||
pub mod game;
|
pub mod game;
|
||||||
|
pub mod owned_game;
|
||||||
|
|
||||||
use diesel::r2d2::ConnectionManager;
|
use diesel::r2d2::ConnectionManager;
|
||||||
use diesel::r2d2::ManageConnection;
|
use diesel::r2d2::ManageConnection;
|
||||||
|
28
gamenight-database/src/owned_game.rs
Normal file
28
gamenight-database/src/owned_game.rs
Normal file
@ -0,0 +1,28 @@
|
|||||||
|
use diesel::{dsl::{delete, insert_into}, prelude::{Insertable, Queryable}, BoolExpressionMethods, ExpressionMethods, PgConnection, QueryDsl, RunQueryDsl};
|
||||||
|
use serde::{Serialize, Deserialize};
|
||||||
|
use uuid::Uuid;
|
||||||
|
use crate::{schema::owned_game, user::DatabaseError};
|
||||||
|
|
||||||
|
#[derive(Serialize, Deserialize, Debug, Insertable, Queryable)]
|
||||||
|
#[diesel(table_name = owned_game)]
|
||||||
|
pub struct OwnedGame {
|
||||||
|
pub user_id: Uuid,
|
||||||
|
pub game_id: Uuid
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn own_game(conn: &mut PgConnection, owned_game: OwnedGame) -> Result<usize, DatabaseError>{
|
||||||
|
Ok(insert_into(owned_game::table).values(&owned_game).execute(conn)?)
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn disown_game(conn: &mut PgConnection, owned_game: OwnedGame) -> Result<usize, DatabaseError> {
|
||||||
|
Ok(delete(owned_game::table)
|
||||||
|
.filter(owned_game::user_id.eq(&owned_game.user_id)
|
||||||
|
.and(owned_game::game_id.eq(&owned_game.game_id))
|
||||||
|
).execute(conn)?)
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn owned_games(conn: &mut PgConnection, uuid: Uuid) -> Result<Vec<Uuid>, DatabaseError> {
|
||||||
|
Ok(owned_game::table.select(owned_game::game_id)
|
||||||
|
.filter(owned_game::user_id.eq(uuid))
|
||||||
|
.get_results(conn)?)
|
||||||
|
}
|
Loading…
x
Reference in New Issue
Block a user