moves player actions code inside UserAction trait impls

This commit is contained in:
2019-07-20 15:49:51 +02:00
parent 51a3d00d03
commit 4f60df88d7
2 changed files with 279 additions and 103 deletions

241
lootalot_db/src/actions.rs Normal file
View File

@@ -0,0 +1,241 @@
//! TODO:
//! Extract actions provided by API into their dedicated module.
//! Will allow more flexibilty to combinate them inside API methods.
//! Should make it easier to add a new feature : Reverting an action
//!
use crate::models;
use crate::schema;
use crate::DbConnection;
use diesel::prelude::*;
// TODO: revertable actions :
// - Buy
// - Sell
// - UpdateWealth
pub trait UserAction {
type Params;
type Response: serde::Serialize;
fn execute<'q>(
self,
conn: &'q DbConnection,
params: Self::Params,
) -> ActionResult<Self::Response>;
}
/// The result of an action provided by DbApi
pub type ActionResult<R> = QueryResult<ActionStatus<R>>;
/// Return status of an Action
#[derive(Serialize, Debug)]
pub struct ActionStatus<R: serde::Serialize> {
/// Has the action made changes ?
pub executed: bool,
/// Response payload
pub response: R,
}
impl ActionStatus<()> {
pub fn was_updated(updated_lines: usize) -> Self {
match updated_lines {
1 => Self::ok(),
_ => Self::nop(),
}
}
pub fn ok() -> ActionStatus<()> {
Self {
executed: true,
response: (),
}
}
}
impl<T: Default + serde::Serialize> ActionStatus<T> {
pub fn nop() -> ActionStatus<T> {
Self {
executed: false,
response: Default::default(),
}
}
}
// Or a module ?
pub(crate) mod player {
use super::*;
pub struct AddLootParams {
pub player_id: i32,
pub loot_name: String,
pub loot_price: i32,
}
pub struct Buy;
impl UserAction for Buy {
type Params = AddLootParams;
type Response = Option<(i32, i32, i32, i32)>;
fn execute<'q>(
self,
conn: &'q DbConnection,
params: Self::Params,
) -> ActionResult<Self::Response> {
let new_item = models::item::NewLoot::to_player(
params.player_id,
(&params.loot_name, params.loot_price),
);
diesel::insert_into(schema::looted::table)
.values(&new_item)
.execute(conn)
.and_then(|r| match r {
1 => Ok(UpdateWealth
.execute(
conn,
WealthParams {
player_id: params.player_id,
value_in_gp: -(params.loot_price as f32),
},
)
.unwrap()),
_ => Ok(ActionStatus::nop()),
})
}
}
pub struct LootParams {
pub player_id: i32,
pub loot_id: i32,
}
pub struct Sell;
impl UserAction for Sell {
type Params = LootParams;
type Response = Option<(i32, i32, i32, i32)>;
fn execute<'q>(
self,
conn: &DbConnection,
params: Self::Params,
) -> ActionResult<Self::Response> {
// Check that the item belongs to player
let exists_and_owned: bool =
diesel::select(models::Loot::owns(params.player_id, params.loot_id))
.get_result(conn)?;
if !exists_and_owned {
return Ok(ActionStatus::nop());
}
use schema::looted::dsl::*;
let loot_value = looted
.find(params.loot_id)
.select(base_price)
.first::<i32>(conn)?;
let sell_value = (loot_value / 2) as f32;
diesel::delete(looted.find(params.loot_id))
.execute(conn)
.and_then(|r| match r {
// On deletion, update this player wealth
1 => Ok(UpdateWealth
.execute(
conn,
WealthParams {
player_id: params.player_id,
value_in_gp: sell_value as f32,
},
)
.unwrap()),
_ => Ok(ActionStatus {
executed: false,
response: None,
}),
})
}
}
pub struct PutClaim;
impl UserAction for PutClaim {
type Params = LootParams;
type Response = ();
fn execute<'q>(
self,
conn: &DbConnection,
params: Self::Params,
) -> ActionResult<Self::Response> {
let exists: bool =
diesel::select(models::Loot::exists(params.loot_id)).get_result(conn)?;
if !exists {
return Ok(ActionStatus::nop());
};
let claim = models::claim::NewClaim::new(params.player_id, params.loot_id);
diesel::insert_into(schema::claims::table)
.values(&claim)
.execute(conn)
.map(ActionStatus::was_updated)
}
}
pub struct WithdrawClaim;
impl UserAction for WithdrawClaim {
type Params = LootParams;
type Response = ();
fn execute<'q>(
self,
conn: &DbConnection,
params: Self::Params,
) -> ActionResult<Self::Response> {
use schema::claims::dsl::*;
diesel::delete(
claims
.filter(loot_id.eq(params.loot_id))
.filter(player_id.eq(params.player_id)),
)
.execute(conn)
.map(ActionStatus::was_updated)
}
}
pub struct WealthParams {
pub player_id: i32,
pub value_in_gp: f32,
}
pub struct UpdateWealth;
impl UserAction for UpdateWealth {
type Params = WealthParams;
type Response = Option<(i32, i32, i32, i32)>;
fn execute<'q>(
self,
conn: &'q DbConnection,
params: WealthParams,
) -> ActionResult<Self::Response> {
use schema::players::dsl::*;
let current_wealth = players
.find(params.player_id)
.select((cp, sp, gp, pp))
.first::<models::Wealth>(conn)?;
// TODO: improve thisdiesel dependant transaction
// should be move inside a WealthUpdate method
let updated_wealth =
models::Wealth::from_gp(current_wealth.to_gp() + params.value_in_gp);
// Difference in coins that is sent back
let (old, new) = (current_wealth.as_tuple(), updated_wealth.as_tuple());
let diff = (new.0 - old.0, new.1 - old.1, new.2 - old.2, new.3 - old.3);
diesel::update(players)
.filter(id.eq(params.player_id))
.set(&updated_wealth)
.execute(conn)
.map(|r| match r {
1 => ActionStatus {
executed: true,
response: Some(diff),
},
_ => ActionStatus::nop(),
})
}
}
}
pub(crate) mod admin {
pub struct AddPlayer;
pub struct AddLoot;
pub struct SellLoot;
pub struct ResolveClaims;
}

View File

@@ -13,8 +13,10 @@ use diesel::prelude::*;
use diesel::query_dsl::RunQueryDsl; use diesel::query_dsl::RunQueryDsl;
use diesel::r2d2::{self, ConnectionManager}; use diesel::r2d2::{self, ConnectionManager};
mod actions;
pub mod models; pub mod models;
mod schema; mod schema;
use actions::{ActionResult, ActionStatus, UserAction};
/// The connection used /// The connection used
pub type DbConnection = SqliteConnection; pub type DbConnection = SqliteConnection;
@@ -22,41 +24,7 @@ pub type DbConnection = SqliteConnection;
pub type Pool = r2d2::Pool<ConnectionManager<DbConnection>>; pub type Pool = r2d2::Pool<ConnectionManager<DbConnection>>;
/// The result of a query on DB /// The result of a query on DB
pub type QueryResult<T> = Result<T, diesel::result::Error>; pub type QueryResult<T> = Result<T, diesel::result::Error>;
/// The result of an action provided by DbApi
pub type ActionResult<R> = QueryResult<ActionStatus<R>>;
/// Return status of an API Action
#[derive(Serialize, Debug)]
pub struct ActionStatus<R: serde::Serialize> {
/// Has the action made changes ?
pub executed: bool,
/// Response payload
pub response: R,
}
impl ActionStatus<()> {
fn was_updated(updated_lines: usize) -> Self {
match updated_lines {
1 => Self::ok(),
_ => Self::nop(),
}
}
fn ok() -> ActionStatus<()> {
Self {
executed: true,
response: (),
}
}
}
impl<T: Default + serde::Serialize> ActionStatus<T> {
fn nop() -> ActionStatus<T> {
Self {
executed: false,
response: Default::default(),
}
}
}
/// A wrapper providing an API over the database /// A wrapper providing an API over the database
/// It offers a convenient way to deal with connection. /// It offers a convenient way to deal with connection.
/// ///
@@ -160,15 +128,15 @@ impl<'q> AsPlayer<'q> {
/// ///
/// This currently panics if player wealth fails to be updated, as this is /// This currently panics if player wealth fails to be updated, as this is
/// a serious error. TODO: handle deletion of bought item in case of wealth update failure. /// a serious error. TODO: handle deletion of bought item in case of wealth update failure.
pub fn buy<'a>(self, name: &'a str, price: i32) -> ActionResult<Option<(i32, i32, i32, i32)>> { pub fn buy<S: Into<String>>(self, name: S, price: i32) -> ActionResult<Option<(i32, i32, i32, i32)>> {
let new_item = models::item::NewLoot::to_player(self.id, (name, price)); actions::player::Buy.execute(
diesel::insert_into(schema::looted::table) self.conn,
.values(&new_item) actions::player::AddLootParams {
.execute(self.conn) player_id: self.id,
.and_then(|r| match r { loot_name: name.into(),
1 => Ok(self.update_wealth(-(price as f32)).unwrap()), loot_price: price,
_ => Ok(ActionStatus::nop()), },
}) )
} }
/// Sell an item from this player chest /// Sell an item from this player chest
/// ///
@@ -181,79 +149,46 @@ impl<'q> AsPlayer<'q> {
loot_id: i32, loot_id: i32,
_price_mod: Option<f32>, _price_mod: Option<f32>,
) -> ActionResult<Option<(i32, i32, i32, i32)>> { ) -> ActionResult<Option<(i32, i32, i32, i32)>> {
// Check that the item belongs to player actions::player::Sell.execute(
let exists_and_owned: bool = self.conn,
diesel::select(models::Loot::owns(self.id, loot_id)).get_result(self.conn)?; actions::player::LootParams {
if !exists_and_owned { player_id: self.id,
return Ok(ActionStatus::nop()); loot_id,
} },
use schema::looted::dsl::*; )
let loot_value = looted
.find(loot_id)
.select(base_price)
.first::<i32>(self.conn)?;
let sell_value = (loot_value / 2) as f32;
diesel::delete(looted.find(loot_id))
.execute(self.conn)
.and_then(|r| match r {
// On deletion, update this player wealth
1 => Ok(self.update_wealth(sell_value).unwrap()),
_ => Ok(ActionStatus {
executed: false,
response: None,
}),
})
} }
/// Adds the value in gold to the player's wealth. /// Adds the value in gold to the player's wealth.
/// ///
/// Value can be negative to substract wealth. /// Value can be negative to substract wealth.
pub fn update_wealth(self, value_in_gp: f32) -> ActionResult<Option<(i32, i32, i32, i32)>> { pub fn update_wealth(self, value_in_gp: f32) -> ActionResult<Option<(i32, i32, i32, i32)>> {
use schema::players::dsl::*; actions::player::UpdateWealth.execute(
let current_wealth = players self.conn,
.find(self.id) actions::player::WealthParams {
.select((cp, sp, gp, pp)) player_id: self.id,
.first::<models::Wealth>(self.conn)?; value_in_gp,
// TODO: improve thisdiesel dependant transaction },
// should be move inside a WealthUpdate method )
let updated_wealth = models::Wealth::from_gp(current_wealth.to_gp() + value_in_gp);
// Difference in coins that is sent back
let (old, new) = (current_wealth.as_tuple(), updated_wealth.as_tuple());
let diff = (new.0 - old.0, new.1 - old.1, new.2 - old.2, new.3 - old.3);
diesel::update(players)
.filter(id.eq(self.id))
.set(&updated_wealth)
.execute(self.conn)
.map(|r| match r {
1 => ActionStatus {
executed: true,
response: Some(diff),
},
_ => ActionStatus::nop(),
})
} }
/// Put a claim on a specific item /// Put a claim on a specific item
pub fn claim(self, item: i32) -> ActionResult<()> { pub fn claim(self, item: i32) -> ActionResult<()> {
let exists: bool = diesel::select(models::Loot::exists(item)).get_result(self.conn)?; actions::player::PutClaim.execute(
if !exists { self.conn,
return Ok(ActionStatus::nop()); actions::player::LootParams {
}; player_id: self.id,
let claim = models::claim::NewClaim::new(self.id, item); loot_id: item,
diesel::insert_into(schema::claims::table) },
.values(&claim) )
.execute(self.conn)
.map(ActionStatus::was_updated)
} }
/// Withdraw claim /// Withdraw claim
pub fn unclaim(self, item: i32) -> ActionResult<()> { pub fn unclaim(self, item: i32) -> ActionResult<()> {
use schema::claims::dsl::*; actions::player::WithdrawClaim.execute(
diesel::delete( self.conn,
claims actions::player::LootParams {
.filter(loot_id.eq(item)) player_id: self.id,
.filter(player_id.eq(self.id)), loot_id: item,
},
) )
.execute(self.conn)
.map(ActionStatus::was_updated)
} }
} }