We are using Xamarin to write C# code with SQLite for android and ios. However about how to use sqlite, I seem to have a conceptual misunderstanding:
What are the best p
The fact that your Database doesn't accept multiple accesses (insertions, updates, etc..) doesn't mean that the single thread doing work against it has to do so using a blocking api.
If you don't have to do cross-process locking, you can use SemaphoreSlim.WaitAsync
instead of your Mutex
inside your async method to await the lock asynchrnously:
private readonly SemaphoreSlim semaphoreSlim = new SemaphoreSlim(initialCount: 1);
public async Task InsertAsync<T>(T item)
{
await semaphoreSlim.WaitAsync();
try
{
await asyncConnection.InsertAsync(item);
}
finally
{
semaphoreSlim.Release();
}
}
public async Task InsertOrUpdateAsync<T>(T item)
{
await semaphoreSlim.WaitAsync();
try
{
int count = await asyncConnection.UpdateAsync(item);
if (0 == count)
{
await asyncConnection.InsertAsync(item);
}
}
finally
{
semaphoreSlim.Release();
}
}
There's a big difference between synchronous vs asynchronous and single vs concurrent and there are all 4 combinations of them.
In the single asynchronous case you access the DB using a single thread at most, but it doesn't need to be the same thread throughout the operation, and when you don't need a thread (when you are waiting for the IO
operation to complete) you don't need any threads at all.
The most basic way to limit the async
usage to a single operation at a time is by using a SemaphoreSlim
with initialCount = 1
. A nicer way would be to use an AsyncLock
(Building Async Coordination Primitives, Part 6: AsyncLock by Stephen Toub):
private readonly AsyncLock _lock = new AsyncLock();
public async Task InsertAsync<T> (T item)
{
using(await _lock.LockAsync())
{
await asyncConnection.InsertAsync (item);
}
}
public async Task InsertOrUpdateAsync<T> (T item)
{
using(await _lock.LockAsync())
{
if (0 == await asyncConnection.UpdateAsync (item))
{
await asyncConnection.InsertAsync (item);
}
}
}
Note: My implementation of AsyncLock