feat(tazjin/finito): Check in my old Rust state-machine library
I dug through my archives for this and found a version that, while unfortunately not the latest implementation, is close enough to the real thing to show off what Finito did. This is a Postgres-backed state-machine library for complex application logic. I wrote this originally for a work purpose in a previous life, but have always wanted to apply it elsewhere, too. git-subtree-dir: users/tazjin/finito git-subtree-mainline:0380841eb1
git-subtree-split:b748117225
Change-Id: I0de02d6258568447a14870f1a533812a67127763
This commit is contained in:
commit
9e7b81391d
13 changed files with 1279 additions and 0 deletions
25
users/tazjin/finito/finito-postgres/Cargo.toml
Normal file
25
users/tazjin/finito/finito-postgres/Cargo.toml
Normal file
|
@ -0,0 +1,25 @@
|
|||
[package]
|
||||
name = "finito-postgres"
|
||||
version = "0.1.0"
|
||||
authors = ["Vincent Ambo <mail@tazj.in>"]
|
||||
|
||||
[dependencies]
|
||||
chrono = "0.4"
|
||||
postgres-derive = "0.3"
|
||||
serde = "1.0"
|
||||
serde_json = "1.0"
|
||||
r2d2_postgres = "0.14"
|
||||
|
||||
[dependencies.postgres]
|
||||
version = "0.15"
|
||||
features = [ "with-uuid", "with-chrono", "with-serde_json" ]
|
||||
|
||||
[dependencies.uuid]
|
||||
version = "0.5"
|
||||
features = [ "v4" ]
|
||||
|
||||
[dependencies.finito]
|
||||
path = "../finito-core"
|
||||
|
||||
[dev-dependencies.finito-door]
|
||||
path = "../finito-door"
|
|
@ -0,0 +1,4 @@
|
|||
DROP TABLE actions;
|
||||
DROP TYPE ActionStatus;
|
||||
DROP TABLE events;
|
||||
DROP TABLE machines;
|
|
@ -0,0 +1,37 @@
|
|||
-- Creates the initial schema required by finito-postgres.
|
||||
|
||||
CREATE TABLE machines (
|
||||
id UUID PRIMARY KEY,
|
||||
created TIMESTAMPTZ NOT NULL DEFAULT NOW(),
|
||||
fsm TEXT NOT NULL,
|
||||
state JSONB NOT NULL
|
||||
);
|
||||
|
||||
CREATE TABLE events (
|
||||
id UUID PRIMARY KEY,
|
||||
created TIMESTAMPTZ NOT NULL DEFAULT NOW(),
|
||||
fsm TEXT NOT NULL,
|
||||
fsm_id UUID NOT NULL REFERENCES machines(id),
|
||||
event JSONB NOT NULL
|
||||
);
|
||||
CREATE INDEX idx_events_machines ON events(fsm_id);
|
||||
|
||||
CREATE TYPE ActionStatus AS ENUM (
|
||||
'Pending',
|
||||
'Completed',
|
||||
'Failed'
|
||||
);
|
||||
|
||||
CREATE TABLE actions (
|
||||
id UUID PRIMARY KEY,
|
||||
created TIMESTAMPTZ NOT NULL DEFAULT NOW(),
|
||||
fsm TEXT NOT NULL,
|
||||
fsm_id UUID NOT NULL REFERENCES machines(id),
|
||||
event_id UUID NOT NULL REFERENCES events(id),
|
||||
content JSONB NOT NULL,
|
||||
status ActionStatus NOT NULL,
|
||||
error TEXT
|
||||
);
|
||||
|
||||
CREATE INDEX idx_actions_machines ON actions(fsm_id);
|
||||
CREATE INDEX idx_actions_events ON actions(event_id);
|
109
users/tazjin/finito/finito-postgres/src/error.rs
Normal file
109
users/tazjin/finito/finito-postgres/src/error.rs
Normal file
|
@ -0,0 +1,109 @@
|
|||
//! This module defines error types and conversions for issue that can
|
||||
//! occur while dealing with persisted state machines.
|
||||
|
||||
use std::result;
|
||||
use std::fmt;
|
||||
use uuid::Uuid;
|
||||
use std::error::Error as StdError;
|
||||
|
||||
// errors to chain:
|
||||
use postgres::Error as PgError;
|
||||
use r2d2_postgres::r2d2::Error as PoolError;
|
||||
use serde_json::Error as JsonError;
|
||||
|
||||
pub type Result<T> = result::Result<T, Error>;
|
||||
|
||||
#[derive(Debug)]
|
||||
pub struct Error {
|
||||
pub kind: ErrorKind,
|
||||
pub context: Option<String>,
|
||||
}
|
||||
|
||||
#[derive(Debug)]
|
||||
pub enum ErrorKind {
|
||||
/// Errors occuring during JSON serialization of FSM types.
|
||||
Serialization(String),
|
||||
|
||||
/// Errors occuring during communication with the database.
|
||||
Database(String),
|
||||
|
||||
/// Errors with the database connection pool.
|
||||
DBPool(String),
|
||||
|
||||
/// State machine could not be found.
|
||||
FSMNotFound(Uuid),
|
||||
|
||||
/// Action could not be found.
|
||||
ActionNotFound(Uuid),
|
||||
}
|
||||
|
||||
impl fmt::Display for Error {
|
||||
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
|
||||
use ErrorKind::*;
|
||||
let msg = match &self.kind {
|
||||
Serialization(err) =>
|
||||
format!("JSON serialization error: {}", err),
|
||||
|
||||
Database(err) =>
|
||||
format!("PostgreSQL error: {}", err),
|
||||
|
||||
DBPool(err) =>
|
||||
format!("Database connection pool error: {}", err),
|
||||
|
||||
FSMNotFound(id) =>
|
||||
format!("FSM with ID {} not found", id),
|
||||
|
||||
ActionNotFound(id) =>
|
||||
format!("Action with ID {} not found", id),
|
||||
};
|
||||
|
||||
match &self.context {
|
||||
None => write!(f, "{}", msg),
|
||||
Some(ctx) => write!(f, "{}: {}", ctx, msg),
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
impl StdError for Error {}
|
||||
|
||||
impl <E: Into<ErrorKind>> From<E> for Error {
|
||||
fn from(err: E) -> Error {
|
||||
Error {
|
||||
kind: err.into(),
|
||||
context: None,
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
impl From<JsonError> for ErrorKind {
|
||||
fn from(err: JsonError) -> ErrorKind {
|
||||
ErrorKind::Serialization(err.to_string())
|
||||
}
|
||||
}
|
||||
|
||||
impl From<PgError> for ErrorKind {
|
||||
fn from(err: PgError) -> ErrorKind {
|
||||
ErrorKind::Database(err.to_string())
|
||||
}
|
||||
}
|
||||
|
||||
impl From<PoolError> for ErrorKind {
|
||||
fn from(err: PoolError) -> ErrorKind {
|
||||
ErrorKind::DBPool(err.to_string())
|
||||
}
|
||||
}
|
||||
|
||||
/// Helper trait that makes it possible to supply contextual
|
||||
/// information with an error.
|
||||
pub trait ResultExt<T> {
|
||||
fn context<C: fmt::Display>(self, ctx: C) -> Result<T>;
|
||||
}
|
||||
|
||||
impl <T, E: Into<Error>> ResultExt<T> for result::Result<T, E> {
|
||||
fn context<C: fmt::Display>(self, ctx: C) -> Result<T> {
|
||||
self.map_err(|err| Error {
|
||||
context: Some(format!("{}", ctx)),
|
||||
.. err.into()
|
||||
})
|
||||
}
|
||||
}
|
431
users/tazjin/finito/finito-postgres/src/lib.rs
Normal file
431
users/tazjin/finito/finito-postgres/src/lib.rs
Normal file
|
@ -0,0 +1,431 @@
|
|||
//! PostgreSQL-backed persistence for Finito state machines
|
||||
//!
|
||||
//! This module implements ... TODO when I can write again.
|
||||
//!
|
||||
//! TODO: events & actions should have `SERIAL` keys
|
||||
|
||||
#[macro_use] extern crate postgres;
|
||||
#[macro_use] extern crate postgres_derive;
|
||||
|
||||
extern crate chrono;
|
||||
extern crate finito;
|
||||
extern crate r2d2_postgres;
|
||||
extern crate serde;
|
||||
extern crate serde_json;
|
||||
extern crate uuid;
|
||||
|
||||
#[cfg(test)] mod tests;
|
||||
#[cfg(test)] extern crate finito_door;
|
||||
|
||||
mod error;
|
||||
pub use error::{Result, Error, ErrorKind};
|
||||
|
||||
use chrono::prelude::{DateTime, Utc};
|
||||
use error::ResultExt;
|
||||
use finito::{FSM, FSMBackend};
|
||||
use postgres::transaction::Transaction;
|
||||
use postgres::GenericConnection;
|
||||
use serde::Serialize;
|
||||
use serde::de::DeserializeOwned;
|
||||
use serde_json::Value;
|
||||
use std::marker::PhantomData;
|
||||
use uuid::Uuid;
|
||||
use r2d2_postgres::{r2d2, PostgresConnectionManager};
|
||||
|
||||
type DBPool = r2d2::Pool<PostgresConnectionManager>;
|
||||
type DBConn = r2d2::PooledConnection<PostgresConnectionManager>;
|
||||
|
||||
/// This struct represents rows in the database table in which events
|
||||
/// are persisted.
|
||||
#[derive(Debug, ToSql, FromSql)]
|
||||
struct EventT {
|
||||
/// ID of the persisted event.
|
||||
id: Uuid,
|
||||
|
||||
/// Timestamp at which the event was stored.
|
||||
created: DateTime<Utc>,
|
||||
|
||||
/// Name of the type of FSM that this state belongs to.
|
||||
fsm: String,
|
||||
|
||||
/// ID of the state machine belonging to this event.
|
||||
fsm_id: Uuid,
|
||||
|
||||
/// Serialised content of the event.
|
||||
event: Value,
|
||||
}
|
||||
|
||||
/// This enum represents the possible statuses an action can be in.
|
||||
#[derive(Debug, PartialEq, ToSql, FromSql)]
|
||||
#[postgres(name = "actionstatus")]
|
||||
enum ActionStatus {
|
||||
/// The action was requested but has not run yet.
|
||||
Pending,
|
||||
|
||||
/// The action completed successfully.
|
||||
Completed,
|
||||
|
||||
/// The action failed to run. Information about the error will
|
||||
/// have been persisted in Postgres.
|
||||
Failed,
|
||||
}
|
||||
|
||||
/// This struct represents rows in the database table in which actions
|
||||
/// are persisted.
|
||||
#[derive(Debug, ToSql, FromSql)]
|
||||
struct ActionT {
|
||||
/// ID of the persisted event.
|
||||
id: Uuid,
|
||||
|
||||
/// Timestamp at which the event was stored.
|
||||
created: DateTime<Utc>,
|
||||
|
||||
/// Name of the type of FSM that this state belongs to.
|
||||
fsm: String,
|
||||
|
||||
/// ID of the state machine belonging to this event.
|
||||
fsm_id: Uuid,
|
||||
|
||||
/// ID of the event that resulted in this action.
|
||||
event_id: Uuid,
|
||||
|
||||
/// Serialised content of the action.
|
||||
#[postgres(name = "content")] // renamed because 'action' is a keyword in PG
|
||||
action: Value,
|
||||
|
||||
/// Current status of the action.
|
||||
status: ActionStatus,
|
||||
|
||||
/// Detailed (i.e. Debug-trait formatted) error message, if an
|
||||
/// error occured during action processing.
|
||||
error: Option<String>,
|
||||
}
|
||||
|
||||
// The following functions implement the public interface of
|
||||
// `finito-postgres`.
|
||||
|
||||
/// TODO: Write docs for this type, brain does not want to do it right
|
||||
/// now.
|
||||
pub struct FinitoPostgres<S> {
|
||||
state: S,
|
||||
|
||||
db_pool: DBPool,
|
||||
}
|
||||
|
||||
impl <S> FinitoPostgres<S> {
|
||||
pub fn new(state: S, db_pool: DBPool, pool_size: usize) -> Self {
|
||||
FinitoPostgres {
|
||||
state, db_pool,
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
impl <State: 'static> FSMBackend<State> for FinitoPostgres<State> {
|
||||
type Key = Uuid;
|
||||
type Error = Error;
|
||||
|
||||
fn insert_machine<S: FSM + Serialize>(&self, initial: S) -> Result<Uuid> {
|
||||
let query = r#"
|
||||
INSERT INTO machines (id, fsm, state)
|
||||
VALUES ($1, $2, $3)
|
||||
"#;
|
||||
|
||||
let id = Uuid::new_v4();
|
||||
let fsm = S::FSM_NAME.to_string();
|
||||
let state = serde_json::to_value(initial).context("failed to serialise FSM")?;
|
||||
|
||||
self.conn()?.execute(query, &[&id, &fsm, &state]).context("failed to insert FSM")?;
|
||||
|
||||
return Ok(id);
|
||||
|
||||
}
|
||||
|
||||
fn get_machine<S: FSM + DeserializeOwned>(&self, key: Uuid) -> Result<S> {
|
||||
get_machine_internal(&*self.conn()?, key, false)
|
||||
}
|
||||
|
||||
/// Advance a persisted state machine by applying an event, and
|
||||
/// storing the event as well as all resulting actions.
|
||||
///
|
||||
/// This function holds a database-lock on the state's row while
|
||||
/// advancing the machine.
|
||||
///
|
||||
/// **Note**: This function returns the new state of the machine
|
||||
/// immediately after applying the event, however this does not
|
||||
/// necessarily equate to the state of the machine after all related
|
||||
/// processing is finished as running actions may result in additional
|
||||
/// transitions.
|
||||
fn advance<'a, S>(&'a self, key: Uuid, event: S::Event) -> Result<S>
|
||||
where S: FSM + Serialize + DeserializeOwned,
|
||||
S::State: From<&'a State>,
|
||||
S::Event: Serialize + DeserializeOwned,
|
||||
S::Action: Serialize + DeserializeOwned {
|
||||
let conn = self.conn()?;
|
||||
let tx = conn.transaction().context("could not begin transaction")?;
|
||||
let state = get_machine_internal(&tx, key, true)?;
|
||||
|
||||
// Advancing the FSM consumes the event, so it is persisted first:
|
||||
let event_id = insert_event::<_, S>(&tx, key, &event)?;
|
||||
|
||||
// Core advancing logic is run:
|
||||
let (new_state, actions) = finito::advance(state, event);
|
||||
|
||||
// Resulting actions are persisted (TODO: and interpreted)
|
||||
let mut action_ids = vec![];
|
||||
for action in actions {
|
||||
let action_id = insert_action::<_, S>(&tx, key, event_id, &action)?;
|
||||
action_ids.push(action_id);
|
||||
}
|
||||
|
||||
// And finally the state is updated:
|
||||
update_state(&tx, key, &new_state)?;
|
||||
tx.commit().context("could not commit transaction")?;
|
||||
|
||||
self.run_actions::<S>(key, action_ids);
|
||||
|
||||
Ok(new_state)
|
||||
}
|
||||
}
|
||||
|
||||
impl <State: 'static> FinitoPostgres<State> {
|
||||
/// Execute several actions at the same time, each in a separate
|
||||
/// thread. Note that actions returning further events, causing
|
||||
/// further transitions, returning further actions and so on will
|
||||
/// potentially cause multiple threads to get created.
|
||||
fn run_actions<'a, S>(&'a self, fsm_id: Uuid, action_ids: Vec<Uuid>) where
|
||||
S: FSM + Serialize + DeserializeOwned,
|
||||
S::Event: Serialize + DeserializeOwned,
|
||||
S::Action: Serialize + DeserializeOwned,
|
||||
S::State: From<&'a State> {
|
||||
let state: S::State = (&self.state).into();
|
||||
let conn = self.conn().expect("TODO");
|
||||
|
||||
for action_id in action_ids {
|
||||
let tx = conn.transaction().expect("TODO");
|
||||
|
||||
// TODO: Determine which concurrency setup we actually want.
|
||||
if let Ok(events) = run_action(tx, action_id, &state, PhantomData::<S>) {
|
||||
for event in events {
|
||||
self.advance::<S>(fsm_id, event).expect("TODO");
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/// Retrieve a single connection from the database connection pool.
|
||||
fn conn(&self) -> Result<DBConn> {
|
||||
self.db_pool.get().context("failed to retrieve connection from pool")
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
|
||||
/// Insert a single state-machine into the database and return its
|
||||
/// newly allocated, random UUID.
|
||||
pub fn insert_machine<C, S>(conn: &C, initial: S) -> Result<Uuid> where
|
||||
C: GenericConnection,
|
||||
S: FSM + Serialize {
|
||||
let query = r#"
|
||||
INSERT INTO machines (id, fsm, state)
|
||||
VALUES ($1, $2, $3)
|
||||
"#;
|
||||
|
||||
let id = Uuid::new_v4();
|
||||
let fsm = S::FSM_NAME.to_string();
|
||||
let state = serde_json::to_value(initial).context("failed to serialize FSM")?;
|
||||
|
||||
conn.execute(query, &[&id, &fsm, &state])?;
|
||||
|
||||
return Ok(id);
|
||||
}
|
||||
|
||||
/// Insert a single event into the database and return its UUID.
|
||||
fn insert_event<C, S>(conn: &C,
|
||||
fsm_id: Uuid,
|
||||
event: &S::Event) -> Result<Uuid>
|
||||
where
|
||||
C: GenericConnection,
|
||||
S: FSM,
|
||||
S::Event: Serialize {
|
||||
let query = r#"
|
||||
INSERT INTO events (id, fsm, fsm_id, event)
|
||||
VALUES ($1, $2, $3, $4)
|
||||
"#;
|
||||
|
||||
let id = Uuid::new_v4();
|
||||
let fsm = S::FSM_NAME.to_string();
|
||||
let event_value = serde_json::to_value(event)
|
||||
.context("failed to serialize event")?;
|
||||
|
||||
conn.execute(query, &[&id, &fsm, &fsm_id, &event_value])?;
|
||||
return Ok(id)
|
||||
}
|
||||
|
||||
/// Insert a single action into the database and return its UUID.
|
||||
fn insert_action<C, S>(conn: &C,
|
||||
fsm_id: Uuid,
|
||||
event_id: Uuid,
|
||||
action: &S::Action) -> Result<Uuid> where
|
||||
C: GenericConnection,
|
||||
S: FSM,
|
||||
S::Action: Serialize {
|
||||
let query = r#"
|
||||
INSERT INTO actions (id, fsm, fsm_id, event_id, content, status)
|
||||
VALUES ($1, $2, $3, $4, $5, $6)
|
||||
"#;
|
||||
|
||||
let id = Uuid::new_v4();
|
||||
let fsm = S::FSM_NAME.to_string();
|
||||
let action_value = serde_json::to_value(action)
|
||||
.context("failed to serialize action")?;
|
||||
|
||||
conn.execute(
|
||||
query,
|
||||
&[&id, &fsm, &fsm_id, &event_id, &action_value, &ActionStatus::Pending]
|
||||
)?;
|
||||
|
||||
return Ok(id)
|
||||
}
|
||||
|
||||
/// Update the state of a specified machine.
|
||||
fn update_state<C, S>(conn: &C,
|
||||
fsm_id: Uuid,
|
||||
state: &S) -> Result<()> where
|
||||
C: GenericConnection,
|
||||
S: FSM + Serialize {
|
||||
let query = r#"
|
||||
UPDATE machines SET state = $1 WHERE id = $2
|
||||
"#;
|
||||
|
||||
let state_value = serde_json::to_value(state).context("failed to serialize FSM")?;
|
||||
let res_count = conn.execute(query, &[&state_value, &fsm_id])?;
|
||||
|
||||
if res_count != 1 {
|
||||
Err(ErrorKind::FSMNotFound(fsm_id).into())
|
||||
} else {
|
||||
Ok(())
|
||||
}
|
||||
}
|
||||
|
||||
/// Conditionally alter SQL statement to append locking clause inside
|
||||
/// of a transaction.
|
||||
fn alter_for_update(alter: bool, query: &str) -> String {
|
||||
match alter {
|
||||
false => query.to_string(),
|
||||
true => format!("{} FOR UPDATE", query),
|
||||
}
|
||||
}
|
||||
|
||||
/// Retrieve the current state of a state machine from the database,
|
||||
/// optionally locking the machine state for the duration of some
|
||||
/// enclosing transaction.
|
||||
fn get_machine_internal<C, S>(conn: &C,
|
||||
id: Uuid,
|
||||
for_update: bool) -> Result<S> where
|
||||
C: GenericConnection,
|
||||
S: FSM + DeserializeOwned {
|
||||
let query = alter_for_update(for_update, r#"
|
||||
SELECT state FROM machines WHERE id = $1
|
||||
"#);
|
||||
|
||||
let rows = conn.query(&query, &[&id]).context("failed to retrieve FSM")?;
|
||||
|
||||
if let Some(row) = rows.into_iter().next() {
|
||||
Ok(serde_json::from_value(row.get(0)).context("failed to deserialize FSM")?)
|
||||
} else {
|
||||
Err(ErrorKind::FSMNotFound(id).into())
|
||||
}
|
||||
}
|
||||
|
||||
/// Retrieve an action from the database, optionally locking it for
|
||||
/// the duration of some enclosing transaction.
|
||||
fn get_action<C, S>(conn: &C, id: Uuid) -> Result<(ActionStatus, S::Action)> where
|
||||
C: GenericConnection,
|
||||
S: FSM,
|
||||
S::Action: DeserializeOwned {
|
||||
let query = alter_for_update(true, r#"
|
||||
SELECT status, content FROM actions
|
||||
WHERE id = $1 AND fsm = $2
|
||||
"#);
|
||||
|
||||
let rows = conn.query(&query, &[&id, &S::FSM_NAME])?;
|
||||
|
||||
if let Some(row) = rows.into_iter().next() {
|
||||
let action = serde_json::from_value(row.get(1))
|
||||
.context("failed to deserialize FSM action")?;
|
||||
Ok((row.get(0), action))
|
||||
} else {
|
||||
Err(ErrorKind::ActionNotFound(id).into())
|
||||
}
|
||||
}
|
||||
|
||||
/// Update the status of an action after an attempt to run it.
|
||||
fn update_action_status<C, S>(conn: &C,
|
||||
id: Uuid,
|
||||
status: ActionStatus,
|
||||
error: Option<String>,
|
||||
_fsm: PhantomData<S>) -> Result<()> where
|
||||
C: GenericConnection,
|
||||
S: FSM {
|
||||
let query = r#"
|
||||
UPDATE actions SET status = $1, error = $2
|
||||
WHERE id = $3 AND fsm = $4
|
||||
"#;
|
||||
|
||||
let result = conn.execute(&query, &[&status, &error, &id, &S::FSM_NAME])?;
|
||||
|
||||
if result != 1 {
|
||||
Err(ErrorKind::ActionNotFound(id).into())
|
||||
} else {
|
||||
Ok(())
|
||||
}
|
||||
}
|
||||
|
||||
/// Execute a single action in case it is pending or retryable. Holds
|
||||
/// a lock on the action's database row while performing the action
|
||||
/// and writes back the status afterwards.
|
||||
///
|
||||
/// Should the execution of an action fail cleanly (i.e. without a
|
||||
/// panic), the error will be persisted. Should it fail by panicking
|
||||
/// (which developers should never do explicitly in action
|
||||
/// interpreters) its status will not be changed.
|
||||
fn run_action<S>(tx: Transaction, id: Uuid, state: &S::State, _fsm: PhantomData<S>)
|
||||
-> Result<Vec<S::Event>> where
|
||||
S: FSM,
|
||||
S::Action: DeserializeOwned {
|
||||
let (status, action) = get_action::<Transaction, S>(&tx, id)?;
|
||||
|
||||
let result = match status {
|
||||
ActionStatus::Pending => {
|
||||
match S::act(action, state) {
|
||||
// If the action succeeded, update its status to
|
||||
// completed and return the created events.
|
||||
Ok(events) => {
|
||||
update_action_status(
|
||||
&tx, id, ActionStatus::Completed, None, PhantomData::<S>
|
||||
)?;
|
||||
events
|
||||
},
|
||||
|
||||
// If the action failed, persist the debug message and
|
||||
// return nothing.
|
||||
Err(err) => {
|
||||
let msg = Some(format!("{:?}", err));
|
||||
update_action_status(
|
||||
&tx, id, ActionStatus::Failed, msg, PhantomData::<S>
|
||||
)?;
|
||||
vec![]
|
||||
},
|
||||
}
|
||||
},
|
||||
|
||||
_ => {
|
||||
// TODO: Currently only pending actions are run because
|
||||
// retryable actions are not yet implemented.
|
||||
vec![]
|
||||
},
|
||||
};
|
||||
|
||||
tx.commit().context("failed to commit transaction")?;
|
||||
Ok(result)
|
||||
}
|
47
users/tazjin/finito/finito-postgres/src/tests.rs
Normal file
47
users/tazjin/finito/finito-postgres/src/tests.rs
Normal file
|
@ -0,0 +1,47 @@
|
|||
use super::*;
|
||||
|
||||
use finito_door::*;
|
||||
use postgres::{Connection, TlsMode};
|
||||
|
||||
// TODO: read config from environment
|
||||
fn open_test_connection() -> Connection {
|
||||
Connection::connect("postgres://finito:finito@localhost/finito", TlsMode::None)
|
||||
.expect("Failed to connect to test database")
|
||||
}
|
||||
|
||||
#[test]
|
||||
fn test_insert_machine() {
|
||||
let conn = open_test_connection();
|
||||
let initial = DoorState::Opened;
|
||||
let door = insert_machine(&conn, initial).expect("Failed to insert door");
|
||||
let result = get_machine(&conn, &door, false).expect("Failed to fetch door");
|
||||
|
||||
assert_eq!(result, DoorState::Opened, "Inserted door state should match");
|
||||
}
|
||||
|
||||
#[test]
|
||||
fn test_advance() {
|
||||
let conn = open_test_connection();
|
||||
|
||||
let initial = DoorState::Opened;
|
||||
let events = vec![
|
||||
DoorEvent::Close,
|
||||
DoorEvent::Open,
|
||||
DoorEvent::Close,
|
||||
DoorEvent::Lock(1234),
|
||||
DoorEvent::Unlock(1234),
|
||||
DoorEvent::Lock(4567),
|
||||
DoorEvent::Unlock(1234),
|
||||
];
|
||||
|
||||
let door = insert_machine(&conn, initial).expect("Failed to insert door");
|
||||
|
||||
for event in events {
|
||||
advance(&conn, &door, event).expect("Failed to advance door FSM");
|
||||
}
|
||||
|
||||
let result = get_machine(&conn, &door, false).expect("Failed to fetch door");
|
||||
let expected = DoorState::Locked { code: 4567, attempts: 2 };
|
||||
|
||||
assert_eq!(result, expected, "Advanced door state should match");
|
||||
}
|
Loading…
Add table
Add a link
Reference in a new issue