使用 DI 为控制台编写了一个小应用程序。应用程序从 DI 容器中变异并公开单例状态。
程序.cs
var serviceCollection = new ServiceCollection();
serviceCollection.AddSingleton<ISingletonTest, SingletonTest>();
serviceCollection.AddSingleton<App>();
var serviceProvider = serviceCollection.BuildServiceProvider();
var app = serviceProvider?.GetService<App>();
using (var scope = serviceProvider?.CreateScope())
{
app?.RUN();
}
我/SingletonTest.cs
public interface ISingletonTest
{
public int COUNT { get; }
public void increase();
}
class SingletonTest : ISingletonTest
{
private int _count = 0;
public int COUNT { get => _count; }
public void increase()
{
_count++;
}
}
应用程序
internal class App
{
private readonly ISingletonTest _singletonTest;
public App(ISingletonTest singletonTest)
{
_singletonTest = singletonTest;
}
public void RUN()
{
List<Thread> lst = new List<Thread>();
for (int i = 0; i < 100; i++)
{
lst.Add(new Thread(() =>
{
_singletonTest.increase();
Console.WriteLine("In thread:" + Environment.CurrentManagedThreadId + " value of _singletonTest.COUNT = " + _singletonTest.COUNT);
}));
}
foreach (var item in lst)
{
item.Start();
}
Console.ReadLine();
}
}
程序输出如下
我想了解为什么会发生这种情况,因为 ServiceCollection 使用基于 IList 的线程安全集合。而事实上数据显示的顺序可能是乱的,但肯定不能有重复。是的!输出有时正常,但有时读数会重复几次。帮助我理解 DI 容器中的线程安全问题。