0

请原谅我,但我不太确定我的代码哪里出了问题!我正在创建一个多线程 tcp 服务器,并尝试使用字典存储字符串。代码如下所示:

class Echo : Iprotocol
{
    public Dictionary<string, string> dictionary = new Dictionary<string, string>();
    private const int BUFFSIZE = 32; //buffer size

    private Socket client_sock; //Socket
    private Ilogger logger; // logger

    public Echo(Socket sock, Ilogger log)
    {
        this.client_sock = sock;
        this.logger = log;
    }
    public string handlewhois(string inname)
    {
        ArrayList entry = new ArrayList();
        string name = inname;
        string message = null;
        if (dictionary.ContainsKey(name) == true)
        {
            entry.Add(System.DateTime.Now + "Dictionary reference found at thread: " + Thread.CurrentThread.GetHashCode());
            message = dictionary[name];
        }
        else
        {
            entry.Add(System.DateTime.Now + "Dictionary reference not found at thread:  " + Thread.CurrentThread.GetHashCode());
            message = "ERROR: no entries found";
        }
        logger.writeEntry(entry);
        return message;
    }
    public string handlewhois(string inname, string inlocation)
    {
        ArrayList entry = new ArrayList();
        string name = inname;
        string location = inlocation;
        string message = null;
        entry.Add(System.DateTime.Now + "Dictionary reference created or updated at thread: " + Thread.CurrentThread.GetHashCode());
        dictionary.Add(name, location);
        message = "OK";
        logger.writeEntry(entry);
        return message;
    }
}

它运行得非常好,但是当我在调试中逐步完成它时,我看到了创建的字典条目,但是当它到达该行时: logger.writeEntry(entry);

它突然消失了,字典不包含任何值。

我认为这可能与多线程有关,但老实说我不知道​​!

4

1 回答 1

2

字典不是线程安全的 - 请考虑改用ConcurrentDictionary

字典文档

只要不修改集合,字典就可以同时支持多个阅读器。即便如此,通过集合枚举本质上不是线程安全的过程。在枚举与写访问竞争的极少数情况下,必须在整个枚举期间锁定集合。要允许集合被多个线程访问以进行读写,您必须实现自己的同步。

有关线程安全的替代方案,请参阅 ConcurrentDictionary。

此类型的公共静态(在 Visual Basic 中为 Shared)成员是线程安全的。

有关更多信息,请参阅此 SO 问题和答案

于 2013-03-27T10:38:47.913 回答