现在我在一个类中有很多INSERT / UPDATE / DELETE / SELECT方法。它们共享一个Connection,一个DataReader和一个Command。但是从DB下载数据或上传数据时,它们会冻结UI。它在本地网络上没问题,但由于它使用外部服务器进行数据库,它有时会冻结。所以我想在另一个线程上创建所有MySQL类。
我需要像DoThisInAnotherThread(mysql.UpdateTable)这样的东西。但是必须有某种队列,因为所有方法都使用相同的Connection和相同的DataReader。并使每个方法建立自己的连接看起来不是最好的解决方案。
我正在寻找最好,最简单的解决方案。像任务队列一样,将被另一个线程检查并执行,而它不会为空。
我尝试过BackgroundWorker,但没有队列。我听说过开始自己的线程,但我没有看到一种方法,如何让它运行并等待任务。
谢谢。
答案 0 :(得分:1)
您可能需要:
SQLResult
,它将进一步专门用于每种类型的查询。Task<SQLResult>
(documentation):该类用于查询查询任务完成状态所需的API。TaskScheduler
(documentation),它带有您正在寻找的排队语义。答案 1 :(得分:1)
您可以使用工作队列,该队列将在单个线程上执行所有工作。在那里你可以保持单个sql连接,并且同步将很简单,因为所有命令都是按顺序执行的。
查看下面的示例WorkQueue实现(请注意,它缺少异常处理):
using System;
using System.Threading;
using System.Threading.Tasks;
using System.Collections.Concurrent;
class App
{
static void Main()
{
var q = new WorkQueue();
q.Execute(() => Console.WriteLine("A"));
q.Execute(() => Console.WriteLine("B"));
Task<int> t = q.Execute(() => 33);
Console.WriteLine(t.Result);
q.Dispose();
}
}
public class WorkQueue : IDisposable
{
private readonly Thread thread;
private readonly BlockingCollection<Action> queue;
public WorkQueue()
{
this.queue = new BlockingCollection<Action>();
this.thread = new Thread(DoWork);
this.thread.Start();
}
public Task<T> Execute<T>(Func<T> f)
{
if (this.queue.IsCompleted) return null;
var source = new TaskCompletionSource<T>();
Execute(() => source.SetResult(f()));
return source.Task;
}
public void Execute(Action f)
{
if (this.queue.IsCompleted) return;
this.queue.Add(f);
}
public void Dispose()
{
this.queue.CompleteAdding();
this.thread.Join();
}
private void DoWork()
{
foreach (var action in this.queue.GetConsumingEnumerable())
{
action();
}
}
}