这是一个有趣的图书馆作家的困境。在我的库中(在我的情况下为 EasyNetQ),我正在分配线程本地资源。因此,当客户端创建一个新线程然后在我的库上调用某些方法时,就会创建新资源。在 EasyNetQ 的情况下,当客户端在新线程上调用“发布”时,会创建到 RabbitMQ 服务器的新通道。我希望能够检测到客户端线程何时退出,以便我可以清理资源(通道)。
我想出的唯一方法是创建一个新的“观察者”线程,它只会阻塞对客户端线程的 Join 调用。这里做一个简单的演示:
首先是我的“图书馆”。它抓取客户端线程,然后创建一个阻塞“加入”的新线程:
public class Library
{
public void StartSomething()
{
Console.WriteLine("Library says: StartSomething called");
var clientThread = Thread.CurrentThread;
var exitMonitorThread = new Thread(() =>
{
clientThread.Join();
Console.WriteLine("Libaray says: Client thread existed");
});
exitMonitorThread.Start();
}
}
这是一个使用我的图书馆的客户。它创建一个新线程,然后调用我的库的 StartSomething 方法:
public class Client
{
private readonly Library library;
public Client(Library library)
{
this.library = library;
}
public void DoWorkInAThread()
{
var thread = new Thread(() =>
{
library.StartSomething();
Thread.Sleep(10);
Console.WriteLine("Client thread says: I'm done");
});
thread.Start();
}
}
当我这样运行客户端时:
var client = new Client(new Library());
client.DoWorkInAThread();
// give the client thread time to complete
Thread.Sleep(100);
我得到这个输出:
Library says: StartSomething called
Client thread says: I'm done
Libaray says: Client thread existed
所以它有效,但它很丑。我真的不喜欢所有这些被阻塞的观察者线程挂在周围的想法。有没有更好的方法来做到这一点?
第一种选择。
提供一个返回实现 IDisposable 的 worker 的方法,并在文档中明确说明您不应在线程之间共享 worker。这是修改后的库:
public class Library
{
public LibraryWorker GetLibraryWorker()
{
return new LibraryWorker();
}
}
public class LibraryWorker : IDisposable
{
public void StartSomething()
{
Console.WriteLine("Library says: StartSomething called");
}
public void Dispose()
{
Console.WriteLine("Library says: I can clean up");
}
}
客户端现在有点复杂:
public class Client
{
private readonly Library library;
public Client(Library library)
{
this.library = library;
}
public void DoWorkInAThread()
{
var thread = new Thread(() =>
{
using(var worker = library.GetLibraryWorker())
{
worker.StartSomething();
Console.WriteLine("Client thread says: I'm done");
}
});
thread.Start();
}
}
此更改的主要问题是它是 API 的重大更改。现有客户将不得不重新编写。现在这不是一件坏事,这意味着重新审视它们并确保它们正确清理。
非破坏性第二种选择。API 为客户端提供了一种声明“工作范围”的方法。范围完成后,库可以清理。该库提供了一个实现 IDisposable 的 WorkScope,但与上面的第一个替代方案不同,StartSomething 方法保留在 Library 类中:
public class Library
{
public WorkScope GetWorkScope()
{
return new WorkScope();
}
public void StartSomething()
{
Console.WriteLine("Library says: StartSomething called");
}
}
public class WorkScope : IDisposable
{
public void Dispose()
{
Console.WriteLine("Library says: I can clean up");
}
}
客户端只需将 StartSomething 调用放在 WorkScope 中......
public class Client
{
private readonly Library library;
public Client(Library library)
{
this.library = library;
}
public void DoWorkInAThread()
{
var thread = new Thread(() =>
{
using(library.GetWorkScope())
{
library.StartSomething();
Console.WriteLine("Client thread says: I'm done");
}
});
thread.Start();
}
}
我不喜欢第一种选择,因为它不会强迫图书馆用户考虑范围。