//------------------------------------------------------------------------------
// 此代码版权(除特别声明或在XREF结尾的命名空间的代码)归作者本人若汝棋茗所有
// 源代码使用协议遵循本仓库的开源协议及附加协议,若本仓库没有设置,则按MIT开源协议授权
// CSDN博客:https://blog.csdn.net/qq_40374647
// 哔哩哔哩视频:https://space.bilibili.com/94253567
// Gitee源代码仓库:https://gitee.com/RRQM_Home
// Github源代码仓库:https://github.com/RRQM
// API首页:https://www.yuque.com/rrqm/touchsocket/index
// 交流QQ群:234762506
// 感谢您的下载和使用
//------------------------------------------------------------------------------
//------------------------------------------------------------------------------
using System.Collections.Concurrent;
namespace TouchSocket.Core
{
///
/// 三元组合
///
///
///
///
public readonly struct Ternary
{
///
/// 三元组合
///
///
///
///
public Ternary(TKey1 key1, TKey2 key2, TValue value)
{
Key1 = key1;
Key2 = key2;
Value = value;
}
///
/// 首键
///
public readonly TKey1 Key1 { get; }
///
/// 次键
///
public readonly TKey2 Key2 { get; }
///
/// 值
///
public readonly TValue Value { get; }
}
///
/// 线程安全的双键字典
///
///
///
///
public class ConcurrentMultiDictionary
{
private readonly ConcurrentDictionary> m_key1ToValue =
new ConcurrentDictionary>();
private readonly ConcurrentDictionary> m_key2ToValue =
new ConcurrentDictionary>();
///
/// 元素数量。
///
public int Count { get => m_key1ToValue.Count; }
///
/// 清空所有元素。
///
public void Clear()
{
m_key1ToValue.Clear();
m_key2ToValue.Clear();
}
///
/// 是否包含指定键。
///
///
///
public bool ContainsKey(TKey2 key)
{
return m_key2ToValue.ContainsKey(key);
}
///
/// 是否包含指定键。
///
///
///
public bool ContainsKey(TKey1 key)
{
return m_key1ToValue.ContainsKey(key);
}
///
/// 尝试添加。
///
///
///
///
///
public bool TryAdd(TKey1 key1, TKey2 key2, TValue value)
{
var ternary = new Ternary(key1, key2, value);
if (m_key1ToValue.TryAdd(key1, ternary) && m_key2ToValue.TryAdd(key2, ternary))
{
return true;
}
else
{
m_key1ToValue.TryRemove(key1, out _);
m_key2ToValue.TryRemove(key2, out _);
return false;
}
}
///
/// 由首键删除
///
///
///
///
public bool TryRemove(TKey1 key, out TValue value)
{
if (m_key1ToValue.TryRemove(key, out var ternary))
{
m_key2ToValue.TryRemove(ternary.Key2, out _);
value = ternary.Value;
return true;
}
value = default;
return false;
}
///
/// 由次键删除
///
///
///
///
public bool TryRemove(TKey2 key, out TValue value)
{
if (m_key2ToValue.TryRemove(key, out var ternary))
{
m_key1ToValue.TryRemove(ternary.Key1, out _);
value = ternary.Value;
return true;
}
value = default;
return false;
}
///
/// 由首键获取值
///
///
///
///
public bool TryGetValue(TKey1 key, out TValue value)
{
if (m_key1ToValue.TryGetValue(key, out var ternary))
{
value = ternary.Value;
return true;
}
value = default;
return false;
}
///
/// 由次键获取值
///
///
///
///
public bool TryGetValue(TKey2 key, out TValue value)
{
if (m_key2ToValue.TryGetValue(key, out var ternary))
{
value = ternary.Value;
return true;
}
value = default;
return false;
}
}
}