我正在尝试创建一个“KeySet”来修改UIElement行为。如果,例如,想法是创建一个特殊的功能。用户在按住时单击元素。或者按ctrl + a。
到目前为止,我的方法是,首先让我们为所有可能的修饰符创建一个容器。如果我只是允许一个键,那就没问题了。我可以使用一个简单的词典,
Dictionary<Keys, Action> _specialActionList
如果我不贪心,那就是...... 当然,我想要更多。我想允许多个键或修饰符。所以我创建了一个包装类,可以用作我词典的键。
使用更复杂的类时存在明显的问题。目前两个不同的实例会创建两个不同的键,因此他永远不会找到我的函数(参见代码来理解,非常明显)
现在我查了一下这篇文章:GetHashCode override of object containing generic array,这有点帮助。
但我的问题是,我的班级基本设计是否正常。我应该使用哈希集来存储修饰符和普通的键盘键(而不是列表)。如果是这样,GetHashCode函数将如何显示?
我知道,它写了很多代码(无聊的哈希函数),一些提示足以让我开始。将在这里发布试用...
到目前为止,代码来了,测试显然失败了......
public class KeyModifierSet
{
private readonly List<Key> _keys = new List<Key>();
private readonly List<ModifierKeys> _modifierKeys = new List<ModifierKeys>();
private static readonly Dictionary<KeyModifierSet, Action> _testDict
= new Dictionary<KeyModifierSet, Action>();
public static void Test()
{
_testDict.Add(new KeyModifierSet(Key.A), () => Debug.WriteLine("nothing"));
if (!_testDict.ContainsKey(new KeyModifierSet(Key.A))) throw new Exception("Not done yet, help :-)");
}
public KeyModifierSet(IEnumerable<Key> keys, IEnumerable<ModifierKeys> modifierKeys)
{
foreach (var key in keys)
_keys.Add(key);
foreach (var key in modifierKeys)
_modifierKeys.Add(key);
}
public KeyModifierSet(Key key, ModifierKeys modifierKey)
{
_keys.Add(key);
_modifierKeys.Add(modifierKey);
}
public KeyModifierSet(Key key)
{
_keys.Add(key);
}
}
答案 0 :(得分:0)
_testDict.Add(new KeyModifierSet(Key.A), () => Debug.WriteLine("nothing"));
if (!_testDict.ContainsKey(new KeyModifierSet(Key.A))) throw new Exception("Not done yet, help :-)");
如果我正确理解了您的代码,您希望使用覆盖版本的Object.Equals和Object.GetHashCode方法测试您的_testDict Dictionary对象是否相等。据我所知,您需要创建自己的自定义集合类型来覆盖这些方法。
答案 1 :(得分:0)
要回答我自己的(略微复杂的提出)问题,这是解决方案:
public class KeyModifierSet
{
internal readonly HashSet<Key> Keys = new HashSet<Key>();
internal readonly HashSet<ModifierKeys> MKeys = new HashSet<ModifierKeys>();
public override int GetHashCode()
{
int hash = Keys.Count + MKeys.Count;
foreach (var t in Keys)
{
hash *= 17;
hash = hash + t.GetHashCode();
}
foreach (var t in MKeys)
{
hash *= 19;
hash = hash + t.GetHashCode();
}
return hash;
}
public override bool Equals(object obj)
{
return Equals(obj as KeyModifierSet);
}
public bool Equals(KeyModifierSet other)
{
// Check for null
if (ReferenceEquals(other, null))
return false;
// Check for same reference
if (ReferenceEquals(this, other))
return true;
// Check for same Id and same Values
return Keys.SetEquals(other.Keys) && MKeys.SetEquals(other.MKeys);
}
public KeyModifierSet(ModifierKeys mKey)
{
MKeys.Add(mKey);
}
public KeyModifierSet(Key key)
{
Keys.Add(key);
}
public KeyModifierSet(Key key, ModifierKeys mKey)
{
Keys.Add(key);
MKeys.Add(mKey);
}
public KeyModifierSet Add(Key key)
{
Keys.Add(key);
return this;
}
public KeyModifierSet Add(ModifierKeys key)
{
MKeys.Add(key);
return this;
}
}