2个线程增加一个静态整数

本文关键字:一个 静态 整数 线程 增加 2个 | 更新日期: 2023-09-27 18:03:32

如果我通过2个不同的任务或线程增加静态,我需要锁定它吗?

我有这个类将由多个线程同时使用,它返回一个代理在一个线程内使用,但我不想在每个线程同时使用相同的代理,所以我认为增加一个静态整数是最好的方法,有什么建议吗?

class ProxyManager
{
    //static variabl gets increased every Time GetProxy() gets called
    private static int Selectionindex;
    //list of proxies
    public static readonly string[] proxies = {};
    //returns a web proxy
    public static WebProxy GetProxy()
    {
      Selectionindex = Selectionindex < proxies.Count()?Selectionindex++:0;
      return new WebProxy(proxies[Selectionindex]) { Credentials = new NetworkCredential("xxx", "xxx") };
    }
}

基于所选答案

if(Interlocked.Read(ref Selectionindex) < proxies.Count())
{
    Interlocked.Increment(ref Selectionindex);
}
else
{
    Interlocked.Exchange(ref Selectionindex, 0);
}
Selectionindex = Interlocked.Read(ref Selectionindex);

2个线程增加一个静态整数

如果在线程间增加静态变量,最终将得到不一致的结果。而是使用互锁。增量:

private void IncrementSelectionIndex() {
    Interlocked.Increment(ref Selectionindex);
}

64位读是原子的,但是为了完全支持32位系统,你应该使用Interlocked。读

private void RetrieveSelectionIndex() {
    Interlocked.Read(ref Selectionindex);
}