Mi chiedo cosa sia meglio il design saggio per usabilità / manutenibilità e cosa c'è di meglio per quanto riguarda la comunità.
Dato il modello di dati:
type Name = String
data Amount = Out | Some | Enough | Plenty deriving (Show, Eq)
data Container = Container Name deriving (Show, Eq)
data Category = Category Name deriving (Show, Eq)
data Store = Store Name [Category] deriving (Show, Eq)
data Item = Item Name Container Category Amount Store deriving Show
instance Eq (Item) where
(==) i1 i2 = (getItemName i1) == (getItemName i2)
data User = User Name [Container] [Category] [Store] [Item] deriving Show
instance Eq (User) where
(==) u1 u2 = (getName u1) == (getName u2)
Posso implementare funzioni monadiche per trasformare l'Utente, ad esempio aggiungendo articoli o negozi, ecc., Ma potrei finire con un utente non valido, quindi quelle funzioni monadiche dovrebbero convalidare l'utente che ottengono e o creano.
Quindi, dovrei solo:
- avvolgerlo in una monade di errore e fare eseguire le convalide alle funzioni monadiche
- avvolgerlo in una monade di errore e fare in modo che il consumatore associ una funzione di convalida monadica nella sequenza che genera la risposta di errore appropriata (in modo che possano scegliere di non convalidare e trasportare un oggetto utente non valido)
- crearlo in un'istanza di bind sull'utente creando in modo efficace il mio tipo di monade di errore che esegue automaticamente la convalida con ogni bind
Riesco a vedere i lati positivi e negativi di ciascuno dei 3 approcci, ma voglio sapere cosa viene fatto più comunemente per questo scenario dalla comunità.
Quindi in termini di codice qualcosa di simile, opzione 1:
addStore s (User n1 c1 c2 s1 i1) = validate $ User n1 c1 c2 (s:s1) i1
updateUsersTable $ someUser >>= addStore $ Store "yay" ["category that doesnt exist, invalid argh"]
opzione 2:
addStore s (User n1 c1 c2 s1 i1) = Right $ User n1 c1 c2 (s:s1) i1
updateUsersTable $ Right someUser >>= addStore $ Store "yay" ["category that doesnt exist, invalid argh"] >>= validate
-- in this choice, the validation could be pushed off to last possible moment (like inside updateUsersTable before db gets updated)
opzione 3:
data ValidUser u = ValidUser u | InvalidUser u
instance Monad ValidUser where
(>>=) (ValidUser u) f = case return u of (ValidUser x) -> return f x; (InvalidUser y) -> return y
(>>=) (InvalidUser u) f = InvalidUser u
return u = validate u
addStore (Store s, User u, ValidUser vu) => s -> u -> vu
addStore s (User n1 c1 c2 s1 i1) = return $ User n1 c1 c2 (s:s1) i1
updateUsersTable $ someValidUser >>= addStore $ Store "yay" ["category that doesnt exist, invalid argh"]