In this pseudocode block:
atomically $ do
if valueInLocalStorage key
then readValueFromLocalStorage key
else do
value <- unsafeIOToSTM $ fetchValueFromDatabase key
writeValueToLocalStorage key value
Is it safe to use unsafeIOToSTM
? The docs say:
The STM implementation will often run transactions multiple times, so you need to be prepared for this if your IO has any side effects.
Basically, if a transaction fails it is because some other thread
wroteValueToLocalStorage
and when the transaction is retried it will return the stored value instead of fetching from the database again.The STM implementation will abort transactions that are known to be invalid and need to be restarted. This may happen in the middle of unsafeIOToSTM, so make sure you don't acquire any resources that need releasing (exception handlers are ignored when aborting the transaction). That includes doing any IO using Handles, for example. Getting this wrong will probably lead to random deadlocks.
This worries me the most. Logically, if
fetchValueFromDatabase
doesn't open a new connection (i.e. an existing connection is used) everything should be fine. Are there other pitfalls I am missing?The transaction may have seen an inconsistent view of memory when the IO runs. Invariants that you expect to be true throughout your program may not be true inside a transaction, due to the way transactions are implemented. Normally this wouldn't be visible to the programmer, but using unsafeIOToSTM can expose it.
key
is a single value, no invariants to break.
TVar
. Whenever something is not in the store it should be fetched from the database and saved in the store. I could of course (and currently am) split this in 2 steps: STM (check for value in store) -> IO (fetch from db) -> STM (save in store), but this would mean that another thread would be able to change the store in the window between the two STM transactions. – InnumerableTVar
(even a different key/val) while thread A is doing its DB read, thread A's transaction will be restarted. There's a real danger of livelock, since your database reads live on a much slower timescale than local concurrency stuff. – MeteoritefetchValueFromDatabase
will retry in the middle of the operation at least sometimes, meaning any temporary buffers or memory that has been allocated (which is almost a certainty for network IO) will not be cleaned up - at best, you will leak memory everywhere, at worst, these resources not being cleaned up will be observable elsewhere (like reading constantly changing, garbage data from some handle). – Burson